source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, *args, nmom=5, **kwds):
if nmom > 20:
return ValueError('Parameter nmom too large. Max of 20.')
shapes, loc, scale = self._parse_args(*args, **kwds)
if scale <= 0:
return ValueError('Invalid scale parameter.')
return self._lmom_ratios(*shapes, loc=loc, scale=scale, nmom=nmom)
| lmom_ratios | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, nmom=5, **kwds):\n if nmom > 20:\n return ValueError('Parameter nmom too large. Max of 20.')\n shapes, loc, scale = self._parse_args(... |
def x():
plugin_list = load_plugins()
module = sys.modules['__main__']
plugin_list.insert(0, ObjectSupplier(module))
return run_with_plugins(plugin_list)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n plugin_list = load_plugins()\n module = sys.modules['__main__']\n plugin_list.insert(0, ObjectSupplier(module))\n return run_with_plugins(plug... |
def x(plugin_list):
composite = core.PluginComposite(plugin_list)
to_run = composite.get_object_to_run()
test_run = core.TestRun(to_run, composite)
test_run.run()
return composite.get_exit_code()
| run_with_plugins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plugin_list):\n composite = core.PluginComposite(plugin_list)\n to_run = composite.get_object_to_run()\n test_run = core.TestRun(to_run, composite)\n ... |
def x(self, args=None, env=None, file=None, cwd=None):
self.spec_file = args and args.specs or None
self.cwd = cwd or os.getcwd()
self.file = file
return self.spec_file is not None
| initialise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, env=None, file=None, cwd=None):\n self.spec_file = args and args.specs or None\n self.cwd = cwd or os.getcwd()\n self.file = file\n ... |
def x(data, nmom=5):
if nmom <= 5:
return _samlmusmall(data, nmom)
else:
return _samlmularge(data, nmom)
| lmom_ratios | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, nmom=5):\n if nmom <= 5:\n return _samlmusmall(data, nmom)\n else:\n return _samlmularge(data, nmom)\n",
"role": "user"
},
{
... |
def x(self, url_path, headers=None, **kwargs):
url = self._construct_url(url_path)
payload = kwargs
payload.update({'api_token': self.api_token})
return self._make_request(url, payload, headers)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url_path, headers=None, **kwargs):\n url = self._construct_url(url_path)\n payload = kwargs\n payload.update({'api_token': self.api_token})\n ... |
def x(self, action, headers=None, **kwargs):
warnings.warn(
'POEditor API v1 is deprecated. Use POEditorAPI._run method to call API v2'
, DeprecationWarning, stacklevel=2)
url = 'https://poeditor.com/api/'
payload = kwargs
payload.update({'action': action, 'api_token': self.api_token})
return self._make_request(url, payload, headers)
| apiv1_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, headers=None, **kwargs):\n warnings.warn(\n 'POEditor API v1 is deprecated. Use POEditorAPI._run method to call API v2'\n , Depr... |
def x(self, data):
open_ = False if not data['open'] or data['open'] == '0' else True
public = False if not data['public'] or data['public'] == '0' else True
output = {'created': parse_datetime(data['created']), 'id': int(data[
'id']), 'name': data['name'], 'open': open_, 'public': public}
for key in ['description', 'reference_language', 'terms']:
if key in data:
output[key] = data[key]
return output
| project_formatter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n open_ = False if not data['open'] or data['open'] == '0' else True\n public = False if not data['public'] or data['public'] == '0' else Tr... |
def x(self):
data = self._run(url_path='projects/list')
projects = data['result'].get('projects', [])
return [self._project_formatter(item) for item in projects]
| list_projects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self._run(url_path='projects/list')\n projects = data['result'].get('projects', [])\n return [self._project_formatter(item) for item i... |
def x(self, name, description=None):
description = description or ''
data = self._run(url_path='projects/add', name=name, description=
description)
return data['result']['project']['id']
| create_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, description=None):\n description = description or ''\n data = self._run(url_path='projects/add', name=name, description=\n description... |
def x(self, project_id, name=None, description=None, reference_language=None):
kwargs = {}
if name is not None:
kwargs['name'] = name
if description is not None:
kwargs['description'] = description
if reference_language is not None:
kwargs['reference_language'] = reference_language
data = self._run(url_path='projects/update', id=project_id, **kwargs)
return data['result']['project']['id']
| update_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, name=None, description=None, reference_language=None):\n kwargs = {}\n if name is not None:\n kwargs['name'] = name\n if desc... |
def x(self, project_id):
data = self._run(url_path='projects/view', id=project_id)
return self._project_formatter(data['result']['project'])
| view_project_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id):\n data = self._run(url_path='projects/view', id=project_id)\n return self._project_formatter(data['result']['project'])\n",
"role"... |
def x(self, project_id):
data = self._run(url_path='languages/list', id=project_id)
return data['result'].get('languages', [])
| list_project_languages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id):\n data = self._run(url_path='languages/list', id=project_id)\n return data['result'].get('languages', [])\n",
"role": "user"
},
... |
def x(self, project_id, language_code):
self._run(url_path='languages/add', id=project_id, language=language_code)
return True
| add_language_to_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, language_code):\n self._run(url_path='languages/add', id=project_id, language=language_code)\n return True\n",
"role": "user"
},
... |
def x(self, project_id, data, fuzzy_trigger=None):
kwargs = {}
if fuzzy_trigger is not None:
kwargs['fuzzy_trigger'] = fuzzy_trigger
data = self._run(url_path='terms/update', id=project_id, data=json.
dumps(data), **kwargs)
return data['result']['terms']
| update_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, data, fuzzy_trigger=None):\n kwargs = {}\n if fuzzy_trigger is not None:\n kwargs['fuzzy_trigger'] = fuzzy_trigger\n data = s... |
def x(self, project_id, data):
data = self._run(url_path='terms/add_comment', id=project_id, data=json
.dumps(data))
return data['result']['terms']
| add_comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, data):\n data = self._run(url_path='terms/add_comment', id=project_id, data=json\n .dumps(data))\n return data['result']['terms'... |
def x(self, project_id, language_code, data, fuzzy_trigger=None):
kwargs = {}
if fuzzy_trigger is not None:
kwargs['fuzzy_trigger'] = fuzzy_trigger
data = self._run(url_path='languages/update', id=project_id, language=
language_code, data=json.dumps(data), **kwargs)
return data['result']['translations']
| update_project_language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, language_code, data, fuzzy_trigger=None):\n kwargs = {}\n if fuzzy_trigger is not None:\n kwargs['fuzzy_trigger'] = fuzzy_trigge... |
def x(self, project_id, language_code, file_type='po', filters=None, tags=
None, local_file=None):
if file_type not in self.FILE_TYPES:
raise POEditorArgsException('content_type: file format {}'.format(
self.FILE_TYPES))
if filters and isinstance(filters, str) and filters not in self.FILTER_BY:
raise POEditorArgsException('filters - filter results by {}'.format
(self.FILTER_BY))
elif filters and set(filters).difference(set(self.FILTER_BY)):
raise POEditorArgsException('filters - filter results by {}'.format
(self.FILTER_BY))
data = self._run(url_path='projects/export', id=project_id, language=
language_code, type=file_type, filters=filters, tags=tags)
file_url = data['result']['url']
res = requests.get(file_url, stream=True)
if not local_file:
tmp_file = tempfile.NamedTemporaryFile(delete=False, suffix='.{}'.
format(file_type))
tmp_file.close()
local_file = tmp_file.name
with open(local_file, 'w+b') as po_file:
for data in res.iter_content(chunk_size=1024):
po_file.write(data)
return file_url, local_file
| export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, language_code, file_type='po', filters=None, tags=\n None, local_file=None):\n if file_type not in self.FILE_TYPES:\n raise POEd... |
def x(self, project_id, updating, file_path, language_code=None, overwrite=
False, sync_terms=False, tags=None, fuzzy_trigger=None):
options = [self.UPDATING_TERMS, self.UPDATING_TERMS_TRANSLATIONS, self.
UPDATING_TRANSLATIONS]
if updating not in options:
raise POEditorArgsException('Updating arg must be in {}'.format(
options))
options = [self.UPDATING_TERMS_TRANSLATIONS, self.UPDATING_TRANSLATIONS]
if language_code is None and updating in options:
raise POEditorArgsException(
'Language code is required only if updating is terms_translations or translations)'
)
if updating == self.UPDATING_TRANSLATIONS:
tags = None
sync_terms = None
tags = tags or ''
language_code = language_code or ''
sync_terms = '1' if sync_terms else '0'
overwrite = '1' if overwrite else '0'
fuzzy_trigger = '1' if fuzzy_trigger else '0'
project_id = str(project_id)
with open(file_path, 'r+b') as local_file:
data = self._run(url_path='projects/upload', id=project_id,
language=language_code, file=local_file, updating=updating,
tags=tags, sync_terms=sync_terms, overwrite=overwrite,
fuzzy_trigger=fuzzy_trigger)
return data['result']
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, updating, file_path, language_code=None, overwrite=\n False, sync_terms=False, tags=None, fuzzy_trigger=None):\n options = [self.UPDATI... |
def x(self, project_id, file_path=None, language_code=None, overwrite=False,
sync_terms=False, tags=None, fuzzy_trigger=None):
return self._upload(project_id=project_id, updating=self.UPDATING_TERMS,
file_path=file_path, language_code=language_code, overwrite=
overwrite, sync_terms=sync_terms, tags=tags, fuzzy_trigger=
fuzzy_trigger)
| update_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, file_path=None, language_code=None, overwrite=False,\n sync_terms=False, tags=None, fuzzy_trigger=None):\n return self._upload(project_... |
def x(self, project_id, file_path=None, language_code=None, overwrite=False,
sync_terms=False, tags=None, fuzzy_trigger=None):
return self._upload(project_id=project_id, updating=self.
UPDATING_TERMS_TRANSLATIONS, file_path=file_path, language_code=
language_code, overwrite=overwrite, sync_terms=sync_terms, tags=
tags, fuzzy_trigger=fuzzy_trigger)
| update_terms_translations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, file_path=None, language_code=None, overwrite=False,\n sync_terms=False, tags=None, fuzzy_trigger=None):\n return self._upload(project_... |
def x(self, project_id, file_path=None, language_code=None, overwrite=False,
fuzzy_trigger=None):
return self._upload(project_id=project_id, updating=self.
UPDATING_TRANSLATIONS, file_path=file_path, language_code=
language_code, overwrite=overwrite, fuzzy_trigger=fuzzy_trigger)
| update_translations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, file_path=None, language_code=None, overwrite=False,\n fuzzy_trigger=None):\n return self._upload(project_id=project_id, updating=self.... |
def x(self, project_id=None, language_code=None):
data = self._run(url_path='contributors/list', id=project_id, language=
language_code)
return data['result'].get('contributors', [])
| list_contributors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id=None, language_code=None):\n data = self._run(url_path='contributors/list', id=project_id, language=\n language_code)\n return da... |
def x(self, project_id, name, email, language_code):
self._run(url_path='contributors/add', id=project_id, name=name, email=
email, language=language_code)
return True
| add_contributor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, name, email, language_code):\n self._run(url_path='contributors/add', id=project_id, name=name, email=\n email, language=language_c... |
def x(self, project_id, name, email):
self._run(url_path='contributors/add', id=project_id, name=name, email=
email, admin=True)
return True
| add_administrator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, name, email):\n self._run(url_path='contributors/add', id=project_id, name=name, email=\n email, admin=True)\n return True\n",
... |
def x(self, project_id, email, language):
self._run(url_path='contributors/remove', id=project_id, email=email,
language=language)
return True
| remove_contributor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, project_id, email, language):\n self._run(url_path='contributors/remove', id=project_id, email=email,\n language=language)\n return True\n",... |
def x(html):
html = html.replace('SLs.sls=', '').replace(';SLs.showSuggestion();', '')
html = json.loads(html)
return html['suggestions']
| parse_stations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html):\n html = html.replace('SLs.sls=', '').replace(';SLs.showSuggestion();', '')\n html = json.loads(html)\n return html['suggestions']\n",
"rol... |
def x(data):
rsp = requests.get(data['details'])
soup = BeautifulSoup(rsp.text, 'html.parser')
delay_departure_raw = soup.find('div', class_='routeStart').find('span',
class_=['delay', 'delayOnTime'])
if delay_departure_raw:
delay_departure = calculate_delay(data['departure'],
delay_departure_raw.text)
else:
delay_departure = 0
delay_arrival_raw = soup.find('div', class_=['routeEnd',
'routeEndAdditional']).find('span', class_=['delay', 'delayOnTime'])
if delay_arrival_raw:
delay_arrival = calculate_delay(data['arrival'], delay_arrival_raw.text
)
else:
delay_arrival = 0
if delay_departure + delay_arrival == 0:
data['ontime'] = True
else:
data['ontime'] = False
data['delay'] = {'delay_departure': int(delay_departure),
'delay_arrival': int(delay_arrival)}
data['canceled'] = False
return data
| parse_delay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n rsp = requests.get(data['details'])\n soup = BeautifulSoup(rsp.text, 'html.parser')\n delay_departure_raw = soup.find('div', class_='routeSta... |
def x(original, delay):
original = datetime.strptime(original, '%H:%M')
delayed = datetime.strptime(delay, '%H:%M')
diff = delayed - original
return diff.total_seconds() // 60
| calculate_delay | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(original, delay):\n original = datetime.strptime(original, '%H:%M')\n delayed = datetime.strptime(delay, '%H:%M')\n diff = delayed - original\n ret... |
def x(self, station, limit=10):
query = {'start': 1, 'S': station + '?', 'REQ0JourneyStopsB': limit}
rsp = requests.get('http://reiseauskunft.bahn.de/bin/ajax-getstop.exe/dn',
params=query)
return parse_stations(rsp.text)
| stations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, station, limit=10):\n query = {'start': 1, 'S': station + '?', 'REQ0JourneyStopsB': limit}\n rsp = requests.get('http://reiseauskunft.bahn.de/bin/a... |
def x(self, origin, destination, dt=datetime.now(), only_direct=False):
query = {'S': origin, 'Z': destination, 'date': dt.strftime('%d.%m.%y'),
'time': dt.strftime('%H:%M'), 'start': 1, 'REQ0JourneyProduct_opt0':
1 if only_direct else 0}
rsp = requests.get('http://mobile.bahn.de/bin/mobil/query.exe/dox?',
params=query)
return parse_connections(rsp.text)
| connections | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, origin, destination, dt=datetime.now(), only_direct=False):\n query = {'S': origin, 'Z': destination, 'date': dt.strftime('%d.%m.%y'),\n 'time'... |
def x(sequence, n):
chunklen = int(math.ceil(float(len(sequence)) / float(n)))
return [sequence[i * chunklen:(i + 1) * chunklen] for i in range(n)]
| scatter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence, n):\n chunklen = int(math.ceil(float(len(sequence)) / float(n)))\n return [sequence[i * chunklen:(i + 1) * chunklen] for i in range(n)]\n",
... |
def x(self, seconds=600, num_tasks=1, tag=None):
tag = tag if tag else None
tasks = self._api.lease(numTasks=num_tasks, seconds=seconds, groupByTag
=tag is not None, tag=tag)
if not len(tasks):
raise QueueEmpty
task = tasks[0]
return totask(task)
| lease | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seconds=600, num_tasks=1, tag=None):\n tag = tag if tag else None\n tasks = self._api.lease(numTasks=num_tasks, seconds=seconds, groupByTag\n ... |
def x(self):
try:
return self._api.purge()
except AttributeError:
while True:
lst = self.list()
if len(lst) == 0:
break
for task in lst:
self.delete(task)
self.wait()
return self
| purge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._api.purge()\n except AttributeError:\n while True:\n lst = self.list()\n if len(lst) == ... |
def x(self, lease_seconds=LEASE_SECONDS, tag=None, verbose=False,
execute_args=[], execute_kwargs={}, stop_fn=None, backoff_exceptions=[],
min_backoff_window=30, max_backoff_window=120, log_fn=None):
global LOOP
if not callable(stop_fn) and stop_fn is not None:
raise ValueError('stop_fn must be a callable. ' + str(stop_fn))
elif not callable(stop_fn):
stop_fn = lambda : False
def x(n):
n = min(n, min_backoff_window)
high = min(2 ** n, max_backoff_window)
return random.uniform(0, high)
def x(*args, **kwargs):
if verbose:
print(*args, **kwargs)
LOOP = True
def x(signum, frame):
global LOOP
printv('Interrupted. Exiting after this task completes...')
LOOP = False
prev_sigint_handler = signal.getsignal(signal.SIGINT)
signal.signal(signal.SIGINT, sigint_handler)
if log_fn is None:
log_fn = printv
tries = 0
executed = 0
backoff = False
backoff_exceptions = tuple(list(backoff_exceptions) + [QueueEmpty])
while LOOP:
task = 'unknown'
try:
task = self.lease(seconds=int(lease_seconds))
tries += 1
printv(task)
task.execute(*execute_args, **execute_kwargs)
executed += 1
printv('Delete enqueued task...')
self.delete(task)
log_fn('INFO', task, 'succesfully executed')
tries = 0
except backoff_exceptions:
backoff = True
except Exception as e:
printv('ERROR', task, 'raised {}\n {}'.format(e, traceback.
format_exc()))
raise
if stop_fn():
break
if backoff:
time.sleep(random_exponential_window_backoff(tries))
backoff = False
printv('Task execution loop exited.')
signal.signal(signal.SIGINT, prev_sigint_handler)
return executed
| poll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lease_seconds=LEASE_SECONDS, tag=None, verbose=False,\n execute_args=[], execute_kwargs={}, stop_fn=None, backoff_exceptions=[],\n min_backoff_wind... |
def x(self, task, args=[], kwargs={}, delay_seconds=0):
body = {'payload': task.payload(), 'queueName': self._queue_name,
'groupByTag': True, 'tag': task.__class__.__name__}
def x(api):
api.insert(body, delay_seconds)
if len(self._threads):
self.put(cloud_insertion)
else:
cloud_insertion(self._api)
return self
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task, args=[], kwargs={}, delay_seconds=0):\n body = {'payload': task.payload(), 'queueName': self._queue_name,\n 'groupByTag': True, 'tag': ta... |
def x(self, task_id):
if isinstance(task_id, RegisteredTask):
task_id = task_id.id
def x(api):
api.delete(task_id)
if len(self._threads):
self.put(cloud_delete)
else:
cloud_delete(self._api)
return self
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task_id):\n if isinstance(task_id, RegisteredTask):\n task_id = task_id.id\n\n def x(api):\n api.delete(task_id)\n if len(self._th... |
def x(self, task, args=[], kwargs={}, delay_seconds=0):
body = {'payload': task.payload(), 'queueName': self._queue_name,
'groupByTag': True, 'tag': task.__class__.__name__}
def x():
self._api.insert(body, delay_seconds)
self._pool.spawn(cloud_insertion)
return self
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task, args=[], kwargs={}, delay_seconds=0):\n body = {'payload': task.payload(), 'queueName': self._queue_name,\n 'groupByTag': True, 'tag': ta... |
def x(action):
return 'r' in action.type._mode and (action.default is None or getattr(
action.default, 'name') not in (sys.stderr.name, sys.stdout.name))
| is_upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action):\n return 'r' in action.type._mode and (action.default is None or getattr(\n action.default, 'name') not in (sys.stderr.name, sys.stdout.name... |
def x(self):
exclude = {'name', 'model'}
field_module = 'models'
django_kwargs = {}
if self.node_attrs['model'] == 'CharField':
django_kwargs['max_length'] = 255
django_kwargs['blank'] = not self.node_attrs['required']
try:
django_kwargs['default'] = self.node_attrs['value']
except KeyError:
pass
return u'{0} = {1}.{2}({3})'.format(self.node_attrs['name'],
field_module, self.node_attrs['model'], ', '.join(['{0}={1}'.format
(i, v) for i, v in six.iteritems(django_kwargs)]))
| to_django | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n exclude = {'name', 'model'}\n field_module = 'models'\n django_kwargs = {}\n if self.node_attrs['model'] == 'CharField':\n django_k... |
def x(a_dict):
new_dict = {}
for key in a_dict:
if six.PY2 and isinstance(key, six.text_type):
new_dict[str(key)] = a_dict[key]
else:
new_dict[key] = a_dict[key]
return new_dict
| str_dict_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_dict):\n new_dict = {}\n for key in a_dict:\n if six.PY2 and isinstance(key, six.text_type):\n new_dict[str(key)] = a_dict[key]\n ... |
def x(input_str):
if not isinstance(input_str, six.string_types):
raise ValueError(input_str)
input_str = str_quote_stripper(input_str)
return input_str.lower() in ('true', 't', '1', 'y', 'yes')
| str_to_boolean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_str):\n if not isinstance(input_str, six.string_types):\n raise ValueError(input_str)\n input_str = str_quote_stripper(input_str)\n retur... |
def x(input_str):
if not input_str:
return None
if six.PY3 and isinstance(input_str, six.binary_type):
input_str = to_str(input_str)
if not isinstance(input_str, six.string_types):
return input_str
input_str = str_quote_stripper(input_str)
if '.' not in input_str and input_str in known_mapping_str_to_type:
return known_mapping_str_to_type[input_str]
parts = [x.strip() for x in input_str.split('.') if x.strip()]
try:
try:
package = __import__(input_str)
except ImportError:
if len(parts) == 1:
parts = '__main__', input_str
package = __import__('.'.join(parts[:-1]), globals(), locals(), [])
obj = package
for name in parts[1:]:
obj = getattr(obj, name)
return obj
except AttributeError as x:
raise CannotConvertError('%s cannot be found' % input_str)
except ImportError as x:
raise CannotConvertError(str(x))
| str_to_python_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_str):\n if not input_str:\n return None\n if six.PY3 and isinstance(input_str, six.binary_type):\n input_str = to_str(input_str)\n ... |
def x(template_for_namespace='cls%d', name_of_class_option='cls',
instantiate_classes=False):
from configman.namespace import Namespace
from configman.required_config import RequiredConfig
def x(class_list_str):
if isinstance(class_list_str, six.string_types):
class_list = [x.strip() for x in class_list_str.split(',')]
if class_list == ['']:
class_list = []
else:
raise TypeError('must be derivative of %s' % six.string_types)
class InnerClassList(RequiredConfig):
"""This nested class is a proxy list for the classes. It collects
all the config requirements for the listed classes and places them
each into their own Namespace.
"""
required_config = Namespace()
subordinate_namespace_names = []
namespace_template = template_for_namespace
class_option_name = name_of_class_option
for namespace_index, a_class in enumerate(class_list):
namespace_name = template_for_namespace % namespace_index
subordinate_namespace_names.append(namespace_name)
required_config[namespace_name] = Namespace()
required_config[namespace_name].add_option(name_of_class_option
, default=a_class, from_string_converter=class_converter)
if instantiate_classes:
required_config[namespace_name].add_aggregation(
'%s_instance' % name_of_class_option, lambda c, lc,
a: lc[name_of_class_option](lc))
@classmethod
def x(cls):
return ', '.join(py_obj_to_str(v[name_of_class_option].
value) for v in cls.get_required_config().values() if
isinstance(v, Namespace))
return InnerClassList
return class_list_converter
| str_to_classes_in_namespaces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_for_namespace='cls%d', name_of_class_option='cls',\n instantiate_classes=False):\n from configman.namespace import Namespace\n from configman... |
def x(input_str, item_converter=lambda x: x, item_separator=',',
list_to_collection_converter=None):
if not isinstance(input_str, six.string_types):
raise ValueError(input_str)
input_str = str_quote_stripper(input_str)
result = [item_converter(x.strip()) for x in input_str.split(
item_separator) if x.strip()]
if list_to_collection_converter is not None:
return list_to_collection_converter(result)
return result
| str_to_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_str, item_converter=lambda x: x, item_separator=',',\n list_to_collection_converter=None):\n if not isinstance(input_str, six.string_types):\n ... |
def x(a_thing):
if a_thing is None:
return ''
if isinstance(a_thing, six.string_types):
return a_thing
if six.PY3 and isinstance(a_thing, six.binary_type):
try:
return a_thing.decode('utf-8')
except UnicodeDecodeError:
pass
try:
return a_thing.to_str()
except (AttributeError, KeyError, TypeError):
pass
try:
return arbitrary_object_to_string(a_thing.a_type)
except (AttributeError, KeyError, TypeError):
pass
try:
return known_mapping_type_to_str[a_thing]
except (KeyError, TypeError):
pass
try:
if a_thing.__module__ not in ('__builtin__', 'builtins', 'exceptions'):
if a_thing.__module__ == '__main__':
module_name = sys.modules['__main__'].__file__[:-3].replace('/'
, '.').strip('.')
else:
module_name = a_thing.__module__
return '%s.%s' % (module_name, a_thing.__name__)
except AttributeError:
pass
try:
return a_thing.__name__
except AttributeError:
pass
return str(a_thing)
| arbitrary_object_to_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_thing):\n if a_thing is None:\n return ''\n if isinstance(a_thing, six.string_types):\n return a_thing\n if six.PY3 and isinstance(a_t... |
def x(node, indent_with=' ' * 4, add_line_information=False):
generator = SourceGenerator(indent_with, add_line_information)
generator.visit(node)
return ''.join(str(s) for s in generator.result)
| to_source | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node, indent_with=' ' * 4, add_line_information=False):\n generator = SourceGenerator(indent_with, add_line_information)\n generator.visit(node)\n ret... |
def x(self, name=None):
if not name:
name = threading.currentThread().getName()
if name in self.pool:
return self.pool[name]
self.pool[name] = FakeDatabaseConnection(self.dsn)
return self.pool[name]
| connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None):\n if not name:\n name = threading.currentThread().getName()\n if name in self.pool:\n return self.pool[name]\n self.po... |
def x(self, connection, force=False):
if force:
print('PostgresPooled - delegating connection closure')
try:
super(PostgresPooled, self).close_connection(connection, force)
except self.operational_exceptions:
print('PostgresPooled - failed closing')
for name, conn in self.pool.iteritems():
if conn is connection:
break
del self.pool[name]
else:
print('PostgresPooled - refusing to close connection')
| close_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, force=False):\n if force:\n print('PostgresPooled - delegating connection closure')\n try:\n super(PostgresPooled... |
def x(self, function, *args, **kwargs):
with self.config.db_transaction() as trans:
function(trans, *args, **kwargs)
| do_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function, *args, **kwargs):\n with self.config.db_transaction() as trans:\n function(trans, *args, **kwargs)\n",
"role": "user"
},
{
... |
def x(self, seconds, wait_reason=''):
for x in range(int(seconds)):
if (self.config.wait_log_interval and not x % self.config.
wait_log_interval):
print('%s: %dsec of %dsec' % (wait_reason, x, seconds))
time.sleep(1.0)
| responsive_sleep | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seconds, wait_reason=''):\n for x in range(int(seconds)):\n if (self.config.wait_log_interval and not x % self.config.\n wait_log_in... |
def x(self, function, *args, **kwargs):
for wait_in_seconds in self.backoff_generator():
try:
with self.config.db_transaction() as trans:
function(trans, *args, **kwargs)
trans.commit()
break
except self.config.db_transaction.operational_exceptions:
pass
print('failure in transaction - retry in %s seconds' % wait_in_seconds)
self.responsive_sleep(wait_in_seconds,
'waiting for retry after failure in transaction')
| do_transaction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function, *args, **kwargs):\n for wait_in_seconds in self.backoff_generator():\n try:\n with self.config.db_transaction() as trans:\... |
def x(self, file_name, original_path, indent=''):
expanded_file_contents = []
with open(file_name) as f:
for a_line in f:
match = ConfigObjWithIncludes._include_re.match(a_line)
if match:
include_file = match.group(2)
include_file = os.path.join(original_path, include_file)
new_lines = self._expand_files(include_file, os.path.
dirname(include_file), indent + match.group(1))
expanded_file_contents.extend(new_lines)
else:
expanded_file_contents.append(indent + a_line.rstrip())
return expanded_file_contents
| expand_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_name, original_path, indent=''):\n expanded_file_contents = []\n with open(file_name) as f:\n for a_line in f:\n match = Con... |
def x(self, infile, configspec):
if isinstance(infile, (six.binary_type, six.text_type)):
infile = to_str(infile)
original_path = os.path.dirname(infile)
expanded_file_contents = self._expand_files(infile, original_path)
super(ConfigObjWithIncludes, self)._load(expanded_file_contents,
configspec)
else:
super(ConfigObjWithIncludes, self)._load(infile, configspec)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infile, configspec):\n if isinstance(infile, (six.binary_type, six.text_type)):\n infile = to_str(infile)\n original_path = os.path.dirn... |
def x(self, config_manager, ignore_mismatches, obj_hook=DotDict):
if self.delayed_parser_instantiation:
try:
app = config_manager._get_option('admin.application')
source = '%s%s' % (app.value.app_name, file_name_extension)
self.config_obj = configobj.ConfigObj(source)
self.delayed_parser_instantiation = False
except AttributeError:
return obj_hook()
if isinstance(self.config_obj, obj_hook):
return self.config_obj
return obj_hook(initializer=self.config_obj)
| get_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_manager, ignore_mismatches, obj_hook=DotDict):\n if self.delayed_parser_instantiation:\n try:\n app = config_manager._get_opt... |
def x(source_dict, namespace_name=None, level=0, indent_size=4,
output_stream=sys.stdout):
options = [value for value in source_dict.values() if isinstance(value,
Option)]
options.sort(key=lambda x: x.name)
indent_spacer = ' ' * (level * indent_size)
for an_option in options:
print('%s# %s' % (indent_spacer, an_option.doc), file=output_stream)
option_value = to_str(an_option)
if an_option.reference_value_from:
print('%s# see "%s.%s" for the default or override it here' % (
indent_spacer, an_option.reference_value_from, an_option.
name), file=output_stream)
if an_option.likely_to_be_changed or an_option.has_changed:
option_format = '%s%s=%s\n'
else:
option_format = '%s#%s=%s\n'
if isinstance(option_value, six.string_types) and ',' in option_value:
if option_value[0] not in '\'"':
option_value = '"%s"' % option_value
print(option_format % (indent_spacer, an_option.name, option_value),
file=output_stream)
next_level = level + 1
namespaces = [(key, value) for key, value in source_dict.items() if
isinstance(value, Namespace)]
namespaces.sort(key=ValueSource._namespace_reference_value_from_sort)
for key, namespace in namespaces:
next_level_spacer = ' ' * next_level * indent_size
print('%s%s%s%s\n' % (indent_spacer, '[' * next_level, key, ']' *
next_level), file=output_stream)
if namespace._doc:
print('%s%s' % (next_level_spacer, namespace._doc), file=
output_stream)
if namespace._reference_value_from:
print('%s#+include ./common_%s.ini\n' % (next_level_spacer, key
), file=output_stream)
if namespace_name:
ValueSource._write_ini(source_dict=namespace, namespace_name=
'%s.%s' % (namespace_name, key), level=level + 1,
indent_size=indent_size, output_stream=output_stream)
else:
ValueSource._write_ini(source_dict=namespace, namespace_name=
key, level=level + 1, indent_size=indent_size,
output_stream=output_stream)
| write_ini | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_dict, namespace_name=None, level=0, indent_size=4,\n output_stream=sys.stdout):\n options = [value for value in source_dict.values() if isinstance... |
def x(*args, **kwargs):
try:
config_kwargs = {'mapping_class': kwargs.pop('mapping_class')}
except KeyError:
config_kwargs = {}
cm = ConfigurationManager(*args, **kwargs)
return cm.get_config(**config_kwargs)
| configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n try:\n config_kwargs = {'mapping_class': kwargs.pop('mapping_class')}\n except KeyError:\n config_kwargs = {}\n cm =... |
def x(self, message):
if ('not allowed' in message or 'ignored' in message or 'expected' in
message or 'invalid' in message or self.add_help):
super(IntermediateConfigmanParser, self).error(message)
| error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if ('not allowed' in message or 'ignored' in message or 'expected' in\n message or 'invalid' in message or self.add_help):\n ... |
def x(a_mapping, include_dicts=False):
subordinate_mappings = []
for key, value in six.iteritems(a_mapping):
if isinstance(value, collections.Mapping):
subordinate_mappings.append((key, value))
if include_dicts:
yield key, value
else:
yield key, value
for key, a_map in subordinate_mappings:
for sub_key, value in iteritems_breadth_first(a_map, include_dicts):
yield '%s.%s' % (key, sub_key), value
| iteritems_breadth_first | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_mapping, include_dicts=False):\n subordinate_mappings = []\n for key, value in six.iteritems(a_mapping):\n if isinstance(value, collections.Mapp... |
def x(a_mapping):
configmanized_keys_dict = DotDict()
for k, v in iteritems_breadth_first(a_mapping):
if '__' in k and k != k.upper():
k = k.replace('__', '.')
configmanized_keys_dict[k] = v
return configmanized_keys_dict
| configman_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_mapping):\n configmanized_keys_dict = DotDict()\n for k, v in iteritems_breadth_first(a_mapping):\n if '__' in k and k != k.upper():\n ... |
def x(new_class_name, translation_tuples, base_class=DotDict):
class DotDictWithKeyTranslations(base_class):
def x(self, *args, **kwargs):
self.__dict__['_translation_tuples'] = translation_tuples
super(DotDictWithKeyTranslations, self).__init__(*args, **kwargs)
@memoize()
def x(self, key):
for original, replacement in self._translation_tuples:
key = key.replace(original, replacement)
return key
def x(self, key, value):
super(DotDictWithKeyTranslations, self).assign(self.
_translate_key(key), value)
def x(self, key, value):
super(DotDictWithKeyTranslations, self).__setattr__(self.
_translate_key(key), value)
def x(self, key):
alt_key = self._translate_key(key)
if alt_key == key:
return super(DotDictWithKeyTranslations, self).__getattr__(key)
try:
return getattr(self, alt_key)
except KeyError:
raise KeyError(key)
def x(self, key):
super(DotDictWithKeyTranslations, self).__delattr__(self.
_translate_key(key))
if six.PY2:
new_class_name = six.binary_type(new_class_name)
DotDictWithKeyTranslations.__name__ = new_class_name
return DotDictWithKeyTranslations
| create_key_translating_dot_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(new_class_name, translation_tuples, base_class=DotDict):\n\n\n class DotDictWithKeyTranslations(base_class):\n\n def x(self, *args, **kwargs):\n ... |
def x(self, include_dicts=False):
namespaces = []
for key in self._key_order:
if isinstance(getattr(self, key), DotDict):
namespaces.append(key)
if include_dicts:
yield key
else:
yield key
for a_namespace in namespaces:
for key in self[a_namespace].keys_breadth_first(include_dicts):
yield '%s.%s' % (a_namespace, key)
| keys_breadth_first | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, include_dicts=False):\n namespaces = []\n for key in self._key_order:\n if isinstance(getattr(self, key), DotDict):\n namespaces.... |
def x(self, key, value):
key_split = key.split('.')
cur_dict = self
for k in key_split[:-1]:
try:
cur_dict = cur_dict[k]
except KeyError:
cur_dict[k] = self.__class__()
cur_dict = cur_dict[k]
cur_dict[key_split[-1]] = value
| assign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n key_split = key.split('.')\n cur_dict = self\n for k in key_split[:-1]:\n try:\n cur_dict = cur_dict[k]\n ... |
def x(self, key):
parent_key = '.'.join(key.split('.')[:-1])
if not parent_key:
return None
else:
return self[parent_key]
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n parent_key = '.'.join(key.split('.')[:-1])\n if not parent_key:\n return None\n else:\n return self[parent_key]\n",
"r... |
def x(max_cache_size=1000):
def x(f):
@wraps(f)
def x(*args, **kwargs):
if kwargs:
key = args, tuple(kwargs.items())
else:
key = args
try:
return fn.cache[key]
except KeyError:
if fn.count >= max_cache_size:
fn.cache = {}
fn.count = 0
result = f(*args, **kwargs)
fn.cache[key] = result
fn.count += 1
return result
except TypeError:
return f(*args, **kwargs)
fn.cache = {}
fn.count = 0
return fn
return wrapper
| memoize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_cache_size=1000):\n\n def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n if kwargs:\n key = args, tuple(kwargs.... |
def x(self, val, force=False):
if self.default is None or force:
self.default = val
self.set_value(val)
self.has_changed = True
else:
raise OptionError(
"cannot override existing default without using the 'force' option"
)
| set_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val, force=False):\n if self.default is None or force:\n self.default = val\n self.set_value(val)\n self.has_changed = True\n ... |
def x(self):
o = Option(name=self.name, default=self.default, doc=self.doc,
from_string_converter=self.from_string_converter,
to_string_converter=self.to_string_converter, value=self.value,
short_form=self.short_form, exclude_from_print_conf=self.
exclude_from_print_conf, exclude_from_dump_conf=self.
exclude_from_dump_conf, is_argument=self.is_argument,
likely_to_be_changed=self.likely_to_be_changed, not_for_definition=
self.not_for_definition, reference_value_from=self.
reference_value_from, secret=self.secret, has_changed=self.
has_changed, foreign_data=self.foreign_data)
return o
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n o = Option(name=self.name, default=self.default, doc=self.doc,\n from_string_converter=self.from_string_converter,\n to_string_conver... |
def x(self, mapping_class=DotDictWithAcquisition):
config = None
try:
config = self.get_config(mapping_class=mapping_class)
yield config
finally:
if config:
self._walk_and_close(config)
| context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping_class=DotDictWithAcquisition):\n config = None\n try:\n config = self.get_config(mapping_class=mapping_class)\n yield config\... |
def x(self, output_stream=sys.stdout):
if self.app_name or self.app_description:
print('Application: ', end='', file=output_stream)
if self.app_name:
print(self.app_name, self.app_version, file=output_stream)
if self.app_description:
print(self.app_description, file=output_stream)
if self.app_name or self.app_description:
print('', file=output_stream)
names_list = self.get_option_names()
print('usage:\n%s [OPTIONS]... ' % self.app_invocation_name, end='',
file=output_stream)
bracket_count = 0
for key in names_list:
an_option = self.option_definitions[key]
if an_option.is_argument:
if an_option.default is None:
print(an_option.name, end='', file=output_stream)
elif inspect.isclass(an_option.value) or inspect.ismodule(an_option
.value):
print(an_option.default, end='', file=output_stream)
else:
print('[ %s' % an_option.name, end='', file=output_stream)
bracket_count += 1
print(']' * bracket_count, '\n', file=output_stream)
names_list.sort()
if names_list:
print('OPTIONS:', file=output_stream)
pad = ' ' * 4
for name in names_list:
if name in self.options_banned_from_help:
continue
option = self._get_option(name)
line = ' ' * 2
if option.short_form:
line += '-%s, ' % option.short_form
line += '--%s' % name
line += '\n'
doc = option.doc if option.doc is not None else ''
if doc:
line += '%s%s\n' % (pad, doc)
try:
value = option.value
type_of_value = type(value)
converter_function = to_string_converters[type_of_value]
default = converter_function(value)
except KeyError:
default = option.value
if default is not None:
if (option.secret or 'password' in name.lower()
) and not self.option_definitions.admin.expose_secrets.default:
default = '*********'
if name not in ('help',):
line += '%s(default: %s)\n' % (pad, default)
print(line, file=output_stream)
| output_summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_stream=sys.stdout):\n if self.app_name or self.app_description:\n print('Application: ', end='', file=output_stream)\n if self.app_na... |
def x(self):
config_file_type = self._get_option('admin.print_conf').value
@contextlib.contextmanager
def x():
yield sys.stdout
skip_keys = [k for k, v in six.iteritems(self.option_definitions) if
isinstance(v, Option) and v.exclude_from_print_conf]
self.write_conf(config_file_type, stdout_opener, skip_keys=skip_keys)
| print_conf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n config_file_type = self._get_option('admin.print_conf').value\n\n @contextlib.contextmanager\n def x():\n yield sys.stdout\n skip_k... |
def x(self, config_pathname=None):
if not config_pathname:
config_pathname = self._get_option('admin.dump_conf').value
opener = functools.partial(open, config_pathname, 'w')
config_file_type = os.path.splitext(config_pathname)[1][1:]
skip_keys = [k for k, v in six.iteritems(self.option_definitions) if
isinstance(v, Option) and v.exclude_from_dump_conf]
self.write_conf(config_file_type, opener, skip_keys=skip_keys)
| dump_conf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_pathname=None):\n if not config_pathname:\n config_pathname = self._get_option('admin.dump_conf').value\n opener = functools.partial(... |
def x(self, config_file_type, opener, skip_keys=None):
blocked_keys = self.keys_blocked_from_output
if skip_keys:
blocked_keys.extend(skip_keys)
if blocked_keys:
option_defs = self.option_definitions.safe_copy()
for a_blocked_key in blocked_keys:
try:
del option_defs[a_blocked_key]
except (AttributeError, KeyError):
pass
all_keys = [k for k in option_defs.keys_breadth_first(include_dicts
=True)]
for key in all_keys:
candidate = option_defs[key]
if isinstance(candidate, Namespace) and not len(candidate):
del option_defs[key]
else:
option_defs = self.option_definitions
if not self.option_definitions.admin.expose_secrets.default:
for a_key in option_defs.keys_breadth_first():
an_option = option_defs[a_key]
if not a_key.startswith('admin') and isinstance(an_option, Option
) and an_option.secret:
option_defs[a_key].value = '*' * 16
option_defs[a_key].from_string_converter = str
dispatch_request_to_write(config_file_type, option_defs, opener)
| write_conf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_file_type, opener, skip_keys=None):\n blocked_keys = self.keys_blocked_from_output\n if skip_keys:\n blocked_keys.extend(skip_keys)\n... |
def x(self, logger):
logger.info('app_name: %s', self.app_name)
logger.info('app_version: %s', self.app_version)
logger.info('current configuration:')
config = [(key, self.option_definitions[key].value) for key in self.
option_definitions.keys_breadth_first() if key not in self.
keys_blocked_from_output]
config.sort()
for key, val in config:
if self.option_definitions[key].secret or 'password' in key.lower():
logger.info('%s: *********', key)
else:
try:
logger.info('%s: %s', key, to_string_converters[type(key)](val)
)
except KeyError:
logger.info('%s: %s', key, val)
| log_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, logger):\n logger.info('app_name: %s', self.app_name)\n logger.info('app_version: %s', self.app_version)\n logger.info('current configuration:')... |
def x(self):
return [x for x in self.option_definitions.keys_breadth_first() if
isinstance(self.option_definitions[x], Option)]
| get_option_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [x for x in self.option_definitions.keys_breadth_first() if\n isinstance(self.option_definitions[x], Option)]\n",
"role": "user"
... |
def x(self, keys, finished_keys):
set_of_reference_value_option_names = set()
for key in keys:
if key in finished_keys:
continue
an_option = self.option_definitions[key]
if an_option.reference_value_from:
fully_qualified_reference_name = '.'.join((an_option.
reference_value_from, an_option.name))
if fully_qualified_reference_name in keys:
continue
reference_option = an_option.copy()
reference_option.reference_value_from = None
reference_option.name = fully_qualified_reference_name
set_of_reference_value_option_names.add(
fully_qualified_reference_name)
self.option_definitions.add_option(reference_option)
for a_reference_value_option_name in set_of_reference_value_option_names:
for x in range(a_reference_value_option_name.count('.')):
namespace_path = a_reference_value_option_name.rsplit('.', x + 1)[0
]
self.option_definitions[namespace_path].ref_value_namespace()
return set_of_reference_value_option_names
| create_reference_value_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys, finished_keys):\n set_of_reference_value_option_names = set()\n for key in keys:\n if key in finished_keys:\n continue\n ... |
def x(self):
new_keys_have_been_discovered = True
finished_keys = set()
all_reference_values = {}
while new_keys_have_been_discovered:
names_of_all_exsting_options = [x for x in self.option_definitions.
keys_breadth_first() if isinstance(self.option_definitions[x],
Option)]
new_keys_have_been_discovered = False
set_of_reference_value_option_names = (self.
_create_reference_value_options(names_of_all_exsting_options,
finished_keys))
for a_ref_option_name in set_of_reference_value_option_names:
if a_ref_option_name not in all_reference_values:
all_reference_values[a_ref_option_name] = []
all_keys = list(set_of_reference_value_option_names
) + names_of_all_exsting_options
values_from_all_sources = [a_value_source.get_values(self, True,
self.value_source_object_hook) for a_value_source in self.
values_source_list]
for key in all_keys:
if key in finished_keys:
continue
if self.option_definitions[key].reference_value_from:
reference_value_from = self.option_definitions[key
].reference_value_from
top_key = key.split('.')[-1]
self.option_definitions[key].default = self.option_definitions[
reference_value_from][top_key].default
all_reference_values['.'.join((reference_value_from, top_key))
].append(key)
an_option = self.option_definitions[key]
if key in all_reference_values:
finished_keys -= set(all_reference_values[key])
for val_src_dict in values_from_all_sources:
try:
an_option.has_changed = an_option.default != val_src_dict[
key]
an_option.default = val_src_dict[key]
if key in all_reference_values:
finished_keys -= set(all_reference_values[key])
except KeyError as x:
pass
for key in all_keys:
if key in finished_keys:
continue
finished_keys.add(key)
an_option = self.option_definitions[key]
an_option.set_value(an_option.default)
new_keys_have_been_discovered = True
try:
try:
new_requirements = an_option.value.get_required_config()
except (AttributeError, KeyError):
new_requirements = getattr(an_option.value,
'required_config', None)
if not isinstance(new_requirements, collections.Mapping):
continue
if not isinstance(new_requirements, Namespace):
new_requirements = Namespace(initializer=new_requirements)
current_namespace = self.option_definitions.parent(key)
if current_namespace is None:
current_namespace = self.option_definitions
if current_namespace._reference_value_from:
continue
qualified_parent_name_list = key.rsplit('.', 1)
if len(qualified_parent_name_list) > 1:
qualified_parent_name = qualified_parent_name_list[0]
else:
qualified_parent_name = ''
finished_keys = finished_keys.difference('.'.join((
qualified_parent_name, ref_option_name)) for
ref_option_name in new_requirements)
new_namespace = new_requirements.safe_copy(an_option.
reference_value_from)
for new_key in new_namespace.keys_breadth_first():
if new_key not in current_namespace:
current_namespace[new_key] = new_namespace[new_key]
except AttributeError as x:
pass
return finished_keys
| overlay_expand | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n new_keys_have_been_discovered = True\n finished_keys = set()\n all_reference_values = {}\n while new_keys_have_been_discovered:\n n... |
def x(self, known_keys):
for a_value_source in self.values_source_list:
try:
if a_value_source.always_ignore_mismatches:
continue
except AttributeError:
pass
if hasattr(a_value_source, 'command_line_value_source'):
allow_mismatches = False
else:
allow_mismatches = True
value_source_mapping = a_value_source.get_values(self,
allow_mismatches, self.value_source_object_hook)
value_source_keys_set = set([k for k in DotDict(
value_source_mapping).keys_breadth_first()])
unmatched_keys = value_source_keys_set.difference(known_keys)
for key in unmatched_keys.copy():
key_is_okay = six.moves.reduce(lambda x, y: x or y, (known_key.
endswith(key) for known_key in known_keys))
if key_is_okay:
unmatched_keys.remove(key)
if unmatched_keys:
if self.option_definitions.admin.strict.default:
if len(unmatched_keys) > 1:
raise NotAnOptionError('%s are not valid Options' %
unmatched_keys)
elif len(unmatched_keys) == 1:
raise NotAnOptionError('%s is not a valid Option' %
unmatched_keys.pop())
else:
warnings.warn('Invalid options: %s' % ', '.join(sorted(
unmatched_keys)))
| check_for_mismatches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, known_keys):\n for a_value_source in self.values_source_list:\n try:\n if a_value_source.always_ignore_mismatches:\n ... |
def x(self, mapping_class):
config = mapping_class()
self._walk_config_copy_values(self.option_definitions, config,
mapping_class)
return config
| generate_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping_class):\n config = mapping_class()\n self._walk_config_copy_values(self.option_definitions, config,\n mapping_class)\n return con... |
def x(self):
print('PGPooledTransaction - shutting down connection pool')
for name, conn in self.pool.iteritems():
conn.close()
print('PGPooledTransaction - connection %s closed' % name)
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print('PGPooledTransaction - shutting down connection pool')\n for name, conn in self.pool.iteritems():\n conn.close()\n print('PG... |
def x(registry, target_action_instance):
target_type = type(target_action_instance)
for key, value in six.iteritems(registry['action']):
if value is target_type:
if key is None:
return 'store'
return key
return None
| find_action_name_by_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry, target_action_instance):\n target_type = type(target_action_instance)\n for key, value in six.iteritems(registry['action']):\n if value ... |
def x(parser, an_action):
args = inspect.getargspec(an_action.__class__.__init__).args
kwargs = dict((an_attr, getattr(an_action, an_attr)) for an_attr in
args if an_attr not in ('self', 'required') and getattr(an_action,
an_attr) is not None)
action_name = find_action_name_by_value(parser._optionals._registries,
an_action)
if 'required' in kwargs:
del kwargs['required']
kwargs['action'] = action_name
if 'option_strings' in kwargs:
args = tuple(kwargs['option_strings'])
del kwargs['option_strings']
else:
args = ()
return args, kwargs
| get_args_and_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, an_action):\n args = inspect.getargspec(an_action.__class__.__init__).args\n kwargs = dict((an_attr, getattr(an_action, an_attr)) for an_attr in\... |
def x(source, destination):
try:
destination.update(source.get_required_config())
except AttributeError:
our_parser = ArgumentParser()
for i, an_action in enumerate(source._actions):
args, kwargs = get_args_and_values(source, an_action)
dest = kwargs.get('dest', '')
if dest in ('help', 'version'):
continue
our_parser.add_argument(*args, **kwargs)
destination.update(our_parser.get_required_config())
| setup_definitions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, destination):\n try:\n destination.update(source.get_required_config())\n except AttributeError:\n our_parser = ArgumentParser()\n ... |
def x(self, name, a_namespace):
self.namespaces[name] = a_namespace
for k in a_namespace.keys_breadth_first():
an_option = a_namespace[k]
if not an_option.foreign_data:
an_option.foreign_data = DotDict()
an_option.foreign_data['argparse.owning_subparser_name'] = name
| add_namespace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, a_namespace):\n self.namespaces[name] = a_namespace\n for k in a_namespace.keys_breadth_first():\n an_option = a_namespace[k]\n ... |
def x(self, *args, **kwargs):
command_name = args[0]
new_kwargs = kwargs.copy()
new_kwargs['configman_subparsers_option'] = self._configman_option
new_kwargs['subparser_name'] = command_name
subparsers = self._configman_option.foreign_data.argparse.subparsers
a_subparser = super(ConfigmanSubParsersAction, self).add_parser(*args,
**new_kwargs)
subparsers[command_name] = DotDict({'args': args, 'kwargs': new_kwargs,
'subparser': a_subparser})
return a_subparser
| add_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n command_name = args[0]\n new_kwargs = kwargs.copy()\n new_kwargs['configman_subparsers_option'] = self._configman_option\n ... |
def x(self):
required_config = Namespace()
for k, v in iteritems_breadth_first(self.required_config):
required_config[k] = v
try:
subparser_namespaces = (self.configman_subparsers_option.
foreign_data.argparse.subprocessor_from_string_converter)
subparsers = (self._argparse_subparsers._configman_option.
foreign_data.argparse.subparsers)
for subparser_name, subparser_data in six.iteritems(subparsers):
subparser_namespaces.add_namespace(subparser_name,
subparser_data.subparser.get_required_config())
except AttributeError:
pass
return required_config
| get_required_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n required_config = Namespace()\n for k, v in iteritems_breadth_first(self.required_config):\n required_config[k] = v\n try:\n su... |
def x(self, *args, **kwargs):
argparse_action_name = kwargs.get('action', None)
argparse_dest = kwargs.get('dest', None)
argparse_const = kwargs.get('const', None)
argparse_default = kwargs.get('default', None)
if argparse_default is argparse.SUPPRESS:
argparse_default = None
argparse_nargs = kwargs.get('nargs', None)
argparse_type = kwargs.get('type', None)
argparse_suppress_help = kwargs.pop('suppress_help', False)
if argparse_suppress_help:
configman_doc = kwargs.get('help', '')
kwargs['help'] = argparse.SUPPRESS
else:
argparse_help = kwargs.get('help', '')
if argparse_help == argparse.SUPPRESS:
configman_doc = ''
else:
configman_doc = argparse_help
kwargs['default'] = argparse.SUPPRESS
an_action = super(ArgumentParser, self).add_argument(*args, **kwargs)
argparse_option_strings = an_action.option_strings
if argparse_action_name is None:
argparse_action_name = find_action_name_by_value(self._optionals.
_registries, an_action)
configman_is_argument = False
if argparse_action_name == 'store':
if argparse_dest is None:
configman_name, configman_is_argument = self._get_option_name(args)
if not configman_name:
configman_name = args[0]
else:
configman_name = argparse_dest
configman_is_argument = not argparse_option_strings
configman_default = argparse_default
if argparse_nargs and argparse_nargs in '1?':
if argparse_type:
configman_from_string = argparse_type
elif argparse_default:
configman_from_string = str_to_instance_of_type_converters.get(
type(argparse_default), str)
else:
configman_from_string = str
elif argparse_nargs and argparse_type:
configman_from_string = partial(str_to_list, item_converter=
argparse_type, item_separator=' ')
elif argparse_nargs and argparse_default:
configman_from_string = partial(str_to_list, item_converter=
str_to_instance_of_type_converters.get(type(
argparse_default), str), item_separator=' ')
elif argparse_nargs:
configman_from_string = partial(str_to_list, item_converter=str,
item_separator=' ')
elif argparse_type:
configman_from_string = argparse_type
elif argparse_default:
configman_from_string = str_to_instance_of_type_converters.get(type
(argparse_default), str)
else:
configman_from_string = str
configman_to_string = to_str
elif argparse_action_name == 'store_const' or argparse_action_name == 'count':
if argparse_dest is None:
configman_name, configman_is_argument = self._get_option_name(args)
if not configman_name:
configman_name = args[0]
else:
configman_name = argparse_dest
configman_default = argparse_default
if argparse_type:
configman_from_string = argparse_type
else:
configman_from_string = str_to_instance_of_type_converters.get(type
(argparse_const), str)
configman_to_string = to_str
elif argparse_action_name == 'store_true' or argparse_action_name == 'store_false':
if argparse_dest is None:
configman_name, configman_is_argument = self._get_option_name(args)
if not configman_name:
configman_name = args[0]
else:
configman_name = argparse_dest
configman_default = argparse_default
configman_from_string = boolean_converter
configman_to_string = to_str
elif argparse_action_name == 'append':
if argparse_dest is None:
configman_name, configman_is_argument = self._get_option_name(args)
if not configman_name:
configman_name = args[0]
else:
configman_name = argparse_dest
configman_default = argparse_default
if argparse_type:
configman_from_string = argparse_type
else:
configman_from_string = str
configman_to_string = to_str
elif argparse_action_name == 'append_const':
if argparse_dest is None:
configman_name, configman_is_argument = self._get_option_name(args)
if not configman_name:
configman_name = args[0]
else:
configman_name = argparse_dest
configman_default = argparse_default
if argparse_type:
configman_from_string = argparse_type
else:
configman_from_string = str_to_instance_of_type_converters.get(type
(argparse_const), str)
configman_to_string = to_str
elif argparse_action_name == 'version':
return an_action
else:
configman_name = argparse_dest
while configman_name in self.required_config:
configman_name = '%s$' % configman_name
configman_not_for_definition = configman_name.endswith('$')
self.required_config.add_option(name=configman_name, default=
configman_default, doc=configman_doc, from_string_converter=
configman_from_string, to_string_converter=configman_to_string,
is_argument=configman_is_argument, not_for_definition=
configman_not_for_definition, foreign_data=DotDict({
'argparse.flags.subcommand': False, 'argparse.args': args,
'argparse.kwargs': kwargs, 'argparse.owning_subparser_name': self.
subparser_name}))
return an_action
| add_argument | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n argparse_action_name = kwargs.get('action', None)\n argparse_dest = kwargs.get('dest', None)\n argparse_const = kwargs.get('... |
def x(self, *args, **kwargs):
kwargs['parser_class'] = self.__class__
kwargs['action'] = ConfigmanSubParsersAction
subparser_action = super(ArgumentParser, self).add_subparsers(*args, **
kwargs)
self._argparse_subparsers = subparser_action
if 'dest' not in kwargs or kwargs['dest'] is None:
kwargs['dest'] = 'subcommand'
configman_name = kwargs['dest']
configman_default = None
configman_doc = kwargs.get('help', '')
subprocessor_from_string_converter = SubparserFromStringConverter()
configman_to_string = str
configman_is_argument = True
configman_not_for_definition = True
self.required_config.add_option(name=configman_name, default=
configman_default, doc=configman_doc, from_string_converter=
subprocessor_from_string_converter, to_string_converter=
configman_to_string, is_argument=configman_is_argument,
not_for_definition=configman_not_for_definition, foreign_data=
DotDict({'argparse.flags.subcommand': subparser_action,
'argparse.args': args, 'argparse.kwargs': kwargs,
'argparse.subparsers': DotDict(),
'argparse.subprocessor_from_string_converter':
subprocessor_from_string_converter}))
self.configman_subparsers_option = self.required_config[configman_name]
subparser_action.add_configman_option(self.configman_subparsers_option)
return subparser_action
| add_subparsers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n kwargs['parser_class'] = self.__class__\n kwargs['action'] = ConfigmanSubParsersAction\n subparser_action = super(ArgumentPa... |
def x(self, args=None, namespace=None):
from configman.config_manager import ConfigurationManager
configuration_manager = ConfigurationManager(definition_source=[self.
get_required_config()], values_source_list=self.value_source_list,
argv_source=args, app_name=self.prog, app_version=self.version,
app_description=self.description, use_auto_help=False)
conf = configuration_manager.get_config(mapping_class=
create_key_translating_dot_dict('HyphenUnderscoreDict', (('-', '_'),)))
if self.configman_subparsers_option:
subparser_name = conf[self.configman_subparsers_option.name]
try:
conf.update(self.configman_subparsers_option.foreign_data.
argparse.subparsers[subparser_name].subparser.extra_defaults)
except (AttributeError, KeyError):
pass
if hasattr(self, 'extra_defaults'):
conf.update(self.extra_defaults)
return conf
| parse_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, namespace=None):\n from configman.config_manager import ConfigurationManager\n configuration_manager = ConfigurationManager(definition_s... |
def x(self, args=None, namespace=None):
from configman.config_manager import ConfigurationManager
configuration_manager = ConfigurationManager(definition_source=[self.
get_required_config()], values_source_list=self.value_source_list,
argv_source=args, app_name=self.prog, app_version=self.version,
app_description=self.description, use_auto_help=False)
conf = configuration_manager.get_config(mapping_class=
create_key_translating_dot_dict('HyphenUnderscoreDict', (('-', '_'),)))
return conf
| parse_known_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, namespace=None):\n from configman.config_manager import ConfigurationManager\n configuration_manager = ConfigurationManager(definition_s... |
def x(a_list, open_bracket_char='[', close_bracket_char=']', delimiter=', '):
return '%s%s%s' % (open_bracket_char, delimiter.join(local_to_str(x) for
x in a_list), close_bracket_char)
| sequence_to_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_list, open_bracket_char='[', close_bracket_char=']', delimiter=', '):\n return '%s%s%s' % (open_bracket_char, delimiter.join(local_to_str(x) for\n ... |
def x(t):
t_as_string = to_str(t)
if not is_identifier(t_as_string):
return None, None
if '.' in t_as_string:
parts = t_as_string.split('.')
return '.'.join(parts[:-1]), parts[-1]
else:
if t_as_string in known_mapping_str_to_type:
return None, None
return None, t_as_string
| get_import_for_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t):\n t_as_string = to_str(t)\n if not is_identifier(t_as_string):\n return None, None\n if '.' in t_as_string:\n parts = t_as_string.sp... |
def x(source_mapping, output_stream=sys.stdout):
set_of_classes_needing_imports = set()
symbols_to_ignore = set()
for key in source_mapping.keys_breadth_first():
value = source_mapping[key]
if isinstance(value, Aggregation):
continue
if '.' in key:
set_of_classes_needing_imports.add(DotDict)
option = None
if isinstance(value, Option):
option = value
value = option.value
if value is None:
continue
if isclass(value) or ismodule(value) or isfunction(value):
set_of_classes_needing_imports.add(value)
else:
try:
set_of_classes_needing_imports.add(value.__class__)
except AttributeError:
pass
class_and_module_path_and_class_name = []
for a_class in set_of_classes_needing_imports:
module_path, class_name = get_import_for_type(a_class)
if not module_path and not class_name:
continue
class_and_module_path_and_class_name.append((a_class, module_path,
class_name))
class_name_by_module_path_list = defaultdict(list)
alias_by_class = {}
previously_used_names = set()
for a_class, a_module_path, class_name in class_and_module_path_and_class_name:
if class_name:
if class_name in previously_used_names:
new_class_name_alias = '%s_%s' % (a_module_path.replace('.',
'_'), class_name)
alias_by_class[a_class] = new_class_name_alias
previously_used_names.add(new_class_name_alias)
else:
previously_used_names.add(class_name)
class_name_by_module_path_list[a_module_path].append((a_class,
class_name))
print('# generated Python configman file\n', file=output_stream)
sorted_list = [x.value for x in sorted([OrderableObj(x) for x in
class_name_by_module_path_list.keys()])]
for a_module_path in sorted_list:
print(a_module_path)
if a_module_path is None or a_module_path.startswith('_'):
continue
list_of_class_names = class_name_by_module_path_list[a_module_path]
if len(list_of_class_names) > 1:
output_line = 'from %s import (\n' % a_module_path
sorted_list = [x.value for x in sorted([OrderableTuple(x) for x in
list_of_class_names])]
for a_class, a_class_name in sorted_list:
if a_class in alias_by_class:
output_line = '%s\n %s as %s,' % (output_line,
a_class_name, alias_by_class[a_class])
symbols_to_ignore.add(alias_by_class[a_class])
else:
output_line = '%s %s,\n' % (output_line, a_class_name)
symbols_to_ignore.add(a_class_name)
output_line = output_line + ')'
print(output_line.strip(), file=output_stream)
else:
a_class, a_class_name = list_of_class_names[0]
output_line = 'from %s import %s' % (a_module_path, a_class_name)
if a_class in alias_by_class:
output_line = '%s as %s' % (output_line, alias_by_class[
a_class])
symbols_to_ignore.add(alias_by_class[a_class])
else:
symbols_to_ignore.add(a_class_name)
print(output_line.strip(), file=output_stream)
print('', file=output_stream)
sorted_list = [x.value for x in sorted([OrderableObj(x) for x in
class_name_by_module_path_list.keys()])]
for a_module_path in sorted_list:
list_of_class_names = class_name_by_module_path_list[a_module_path]
a_class, a_class_name = list_of_class_names[0]
if a_module_path:
continue
import_str = ('import %s' % a_class_name).strip()
symbols_to_ignore.add(a_class_name)
print(import_str, file=output_stream)
if symbols_to_ignore:
print(
"""
# the following symbols will be ignored by configman when
# this module is used as a value source. This will
# suppress the mismatch warning since these symbols are
# values for options, not option names themselves."""
, file=output_stream)
print('ignore_symbol_list = [', file=output_stream)
for a_symbol in sorted(symbols_to_ignore):
print(' "%s",' % a_symbol, file=output_stream)
print(']\n', file=output_stream)
sorted_keys = sorted(source_mapping.keys_breadth_first(include_dicts=True))
for key in sorted_keys:
value = source_mapping[key]
if isinstance(value, Namespace):
ValueSource.write_namespace(key, value, output_stream)
elif isinstance(value, Option):
ValueSource.write_option(key, value, alias_by_class, output_stream)
elif isinstance(value, Aggregation):
continue
else:
ValueSource.write_bare_value(key, value, output_stream)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_mapping, output_stream=sys.stdout):\n set_of_classes_needing_imports = set()\n symbols_to_ignore = set()\n for key in source_mapping.keys_bread... |
def x(s):
try:
return datetime.datetime.strptime(s, '%Y-%m-%dT%H:%M:%S')
except ValueError:
try:
return datetime.datetime.strptime(s, '%Y-%m-%d')
except ValueError:
return datetime.datetime.strptime(s, '%Y-%m-%dT%H:%M:%S.%f')
| datetime_from_ISO_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n try:\n return datetime.datetime.strptime(s, '%Y-%m-%dT%H:%M:%S')\n except ValueError:\n try:\n return datetime.datetime.st... |
def x(input_str):
try:
input_str = input_str.replace(' ', ':')
except (TypeError, AttributeError):
from configman.converters import to_str
raise TypeError('%s should have been a string' % to_str(input_str))
days, hours, minutes, seconds = 0, 0, 0, 0
details = input_str.split(':')
if len(details) >= 4:
days = int(details[-4])
if len(details) >= 3:
hours = int(details[-3])
if len(details) >= 2:
minutes = int(details[-2])
if len(details) >= 1:
seconds = int(details[-1])
return datetime.timedelta(days=days, hours=hours, minutes=minutes,
seconds=seconds)
| str_to_timedelta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_str):\n try:\n input_str = input_str.replace(' ', ':')\n except (TypeError, AttributeError):\n from configman.converters import to_st... |
def x(aTimedelta):
days = aTimedelta.days
temp_seconds = aTimedelta.seconds
hours = int(temp_seconds / 3600)
minutes = int((temp_seconds - hours * 3600) / 60)
seconds = temp_seconds - hours * 3600 - minutes * 60
return '%d %02d:%02d:%02d' % (days, hours, minutes, seconds)
| timedelta_to_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aTimedelta):\n days = aTimedelta.days\n temp_seconds = aTimedelta.seconds\n hours = int(temp_seconds / 3600)\n minutes = int((temp_seconds - hours ... |
def x(file_name):
with open(file_name, 'r') as f:
s = f.read()
nodes = ast.parse(s)
module_imports = get_nodes_by_instance_type(nodes, _ast.Import)
specific_imports = get_nodes_by_instance_type(nodes, _ast.ImportFrom)
assignment_objs = get_nodes_by_instance_type(nodes, _ast.Assign)
call_objects = get_nodes_by_instance_type(nodes, _ast.Call)
argparse_assignments = get_nodes_by_containing_attr(assignment_objs,
'ArgumentParser')
group_arg_assignments = get_nodes_by_containing_attr(assignment_objs,
'add_argument_group')
add_arg_assignments = get_nodes_by_containing_attr(call_objects,
'add_argument')
parse_args_assignment = get_nodes_by_containing_attr(call_objects,
'parse_args')
if not argparse_assignments:
aa_references = set([i.func.value.id for i in chain(
add_arg_assignments, parse_args_assignment)])
argparse_like_objects = [getattr(i.value.func, 'id', None) for
p_ref in aa_references for i in get_nodes_by_containing_attr(
assignment_objs, p_ref)]
argparse_like_objects = filter(None, argparse_like_objects)
argparse_assignments = [get_nodes_by_containing_attr(
assignment_objs, i) for i in argparse_like_objects]
try:
argparse_assignments = argparse_assignments[0]
except IndexError:
pass
argparse_assigned_variables = get_node_args_and_keywords(assignment_objs,
argparse_assignments, 'ArgumentParser')
add_arg_assigned_variables = get_node_args_and_keywords(assignment_objs,
add_arg_assignments, 'add_argument')
parse_args_assigned_variables = get_node_args_and_keywords(assignment_objs,
parse_args_assignment, 'parse_args')
ast_argparse_source = chain(module_imports, specific_imports,
argparse_assigned_variables, add_arg_assigned_variables,
parse_args_assigned_variables, argparse_assignments,
group_arg_assignments, add_arg_assignments)
return ast_argparse_source
| parse_source_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_name):\n with open(file_name, 'r') as f:\n s = f.read()\n nodes = ast.parse(s)\n module_imports = get_nodes_by_instance_type(nodes, _ast.I... |
def x(self, config_manager, ignore_mismatches, obj_hook=DotDict):
short_options_str, long_options_list = self.getopt_create_opts(
config_manager.option_definitions)
try:
if ignore_mismatches:
fn = ValueSource.getopt_with_ignore
else:
fn = getopt.gnu_getopt
getopt_options, config_manager.args = fn(self.argv_source,
short_options_str, long_options_list)
except getopt.GetoptError as x:
raise NotAnOptionError(str(x))
command_line_values = obj_hook()
for opt_name, opt_val in getopt_options:
if opt_name.startswith('--'):
name = opt_name[2:]
else:
name = self.find_name_with_short_form(opt_name[1:],
config_manager.option_definitions, '')
if not name:
raise NotAnOptionError(
'%s is not a valid short form option' % opt_name[1:])
option_ = config_manager._get_option(name)
if option_.from_string_converter == boolean_converter:
command_line_values[name] = not option_.default
else:
command_line_values[name] = opt_val
for name, value in zip(self._get_arguments(config_manager.
option_definitions, command_line_values), config_manager.args):
command_line_values[name] = value
return command_line_values
| get_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_manager, ignore_mismatches, obj_hook=DotDict):\n short_options_str, long_options_list = self.getopt_create_opts(\n config_manager.option... |
def x(args, shortopts, longopts=[]):
opts = []
prog_args = []
if isinstance(longopts, str):
longopts = [longopts]
else:
longopts = list(longopts)
while args:
if args[0] == '--':
prog_args += args[1:]
break
if args[0].startswith('--'):
try:
opts, args = getopt.do_longs(opts, args[0][2:], longopts,
args[1:])
except getopt.GetoptError:
args = args[1:]
elif args[0][0] == '-':
try:
opts, args = getopt.do_shorts(opts, args[0][1:], shortopts,
args[1:])
except getopt.GetoptError:
args = args[1:]
else:
prog_args.append(args[0])
args = args[1:]
return opts, prog_args
| getopt_with_ignore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, shortopts, longopts=[]):\n opts = []\n prog_args = []\n if isinstance(longopts, str):\n longopts = [longopts]\n else:\n longopt... |
def x(self, name, *args, **kwargs):
if isinstance(name, Option):
an_option = name
name = an_option.name
else:
an_option = Option(name, *args, **kwargs)
current_namespace = self
name_parts = name.split('.')
for a_path_component in name_parts[:-1]:
if a_path_component not in current_namespace:
current_namespace[a_path_component] = Namespace()
current_namespace = current_namespace[a_path_component]
an_option.name = name_parts[-1]
setattr(current_namespace, an_option.name, an_option)
return an_option
| add_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *args, **kwargs):\n if isinstance(name, Option):\n an_option = name\n name = an_option.name\n else:\n an_option = Option... |
def x(self, x, y):
if y.ndim == 1:
y = y.reshape(-1, 1)
if x.ndim == 1:
x = x.reshape(-1, 1)
xscaled = self.x_scaler.fit_transform(x)
yscaled = self.y_scaler.fit_transform(y)
ssx_comp = list()
ssy_comp = list()
SSX = np.sum(xscaled ** 2)
SSY = np.sum(yscaled ** 2)
ssx_comp = list()
ssy_comp = list()
for curr_comp in range(1, self.ncomps + 1):
model = self._reduce_ncomps(curr_comp)
ypred = self.y_scaler.transform(model.predict(x, y=None))
xpred = self.x_scaler.transform(model.predict(x=None, y=y))
rssy = np.sum((yscaled - ypred) ** 2)
rssx = np.sum((xscaled - xpred) ** 2)
ssx_comp.append(rssx)
ssy_comp.append(rssy)
cumulative_fit = {'SSX': SSX, 'SSY': SSY, 'SSXcomp': np.array(ssx_comp),
'SSYcomp': np.array(ssy_comp)}
return cumulative_fit
| cummulativefit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y):\n if y.ndim == 1:\n y = y.reshape(-1, 1)\n if x.ndim == 1:\n x = x.reshape(-1, 1)\n xscaled = self.x_scaler.fit_transform(x... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.