source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self, *, subscribers=None, instance=None, loop=None, notify_external=True
):
self_subscribers = self.subscribers.copy()
if instance is not None and self.name and isinstance(instance.__class__,
SignalAndHandlerInitMeta):
class_handlers = type(instance)._get_class_handlers(self.name, instance
)
for ch in class_handlers:
if ch not in self_subscribers:
self_subscribers.append(ch)
if subscribers is not None:
for el in subscribers:
if el not in self_subscribers:
self_subscribers.append(el)
loop = loop or self.loop
if notify_external and self.external_signaller is not None:
self_subscribers.append(partial(self.ext_publish, instance, loop))
if self._fnotify is None:
fnotify = None
elif instance is None:
fnotify = self._fnotify
else:
fnotify = types.MethodType(self._fnotify, instance)
validator = self._fvalidation
if validator is not None and instance is not None:
validator = types.MethodType(validator, instance)
return Executor(self_subscribers, owner=self, concurrent=SignalOptions.
EXEC_CONCURRENT in self.flags, loop=loop, exec_wrapper=fnotify,
fvalidation=validator)
| prepare_notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, subscribers=None, instance=None, loop=None, notify_external=True\n ):\n self_subscribers = self.subscribers.copy()\n if instance is not None and self.name and isinstance(instance.__class__,\n SignalAndHandlerInitMeta):\n class_handlers = type(instance)._get_class_handlers(self.name, instance\n )\n for ch in class_handlers:\n if ch not in self_subscribers:\n self_subscribers.append(ch)\n if subscribers is not None:\n for el in subscribers:\n if el not in self_subscribers:\n self_subscribers.append(el)\n loop = loop or self.loop\n if notify_external and self.external_signaller is not None:\n self_subscribers.append(partial(self.ext_publish, instance, loop))\n if self._fnotify is None:\n fnotify = None\n elif instance is None:\n fnotify = self._fnotify\n else:\n fnotify = types.MethodType(self._fnotify, instance)\n validator = self._fvalidation\n if validator is not None and instance is not None:\n validator = types.MethodType(validator, instance)\n return Executor(self_subscribers, owner=self, concurrent=SignalOptions.\n EXEC_CONCURRENT in self.flags, loop=loop, exec_wrapper=fnotify,\n fvalidation=validator)\n",
"role": "user"
},
{
"content": "prepare_notification",
"role": "assistant"
}
]
|
def x(filename=None, filemode='a', datefmt=FMT_DATE, fmt=FMT, stdout_fmt=
FMT_STDOUT, level=logging.DEBUG, stdout_level=logging.WARNING,
initial_file_message='', max_size=1048576, rotations_number=5,
remove_handlers=True):
logger = logging.getLogger()
logger.level = logging.NOTSET
if remove_handlers:
while len(logger.handlers) > 0:
hdlr = logger.handlers[0]
hdlr.close()
logger.removeHandler(hdlr)
if stdout_level is not None:
stdout_handler = logging.StreamHandler(sys.stdout)
stdout_handler.setLevel(stdout_level)
stdout_formatter = logging.Formatter(stdout_fmt, datefmt)
stdout_handler.setFormatter(stdout_formatter)
logger.addHandler(stdout_handler)
if filename is not None:
directory = os.path.abspath(os.path.dirname(filename))
if not os.path.isdir(directory):
shell.mkdir(directory)
file_handler = RotatingFileHandler(filename, filemode, max_size,
rotations_number)
file_handler.setLevel(level)
file_formatter = logging.Formatter(fmt, datefmt)
file_formatter.converter = time.gmtime
file_handler.setFormatter(file_formatter)
logger.addHandler(file_handler)
if initial_file_message:
message = ' %s ' % initial_file_message
file_handler.stream.write('\n' + message.center(100, '=') + '\n\n')
| configure_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None, filemode='a', datefmt=FMT_DATE, fmt=FMT, stdout_fmt=\n FMT_STDOUT, level=logging.DEBUG, stdout_level=logging.WARNING,\n initial_file_message='', max_size=1048576, rotations_number=5,\n remove_handlers=True):\n logger = logging.getLogger()\n logger.level = logging.NOTSET\n if remove_handlers:\n while len(logger.handlers) > 0:\n hdlr = logger.handlers[0]\n hdlr.close()\n logger.removeHandler(hdlr)\n if stdout_level is not None:\n stdout_handler = logging.StreamHandler(sys.stdout)\n stdout_handler.setLevel(stdout_level)\n stdout_formatter = logging.Formatter(stdout_fmt, datefmt)\n stdout_handler.setFormatter(stdout_formatter)\n logger.addHandler(stdout_handler)\n if filename is not None:\n directory = os.path.abspath(os.path.dirname(filename))\n if not os.path.isdir(directory):\n shell.mkdir(directory)\n file_handler = RotatingFileHandler(filename, filemode, max_size,\n rotations_number)\n file_handler.setLevel(level)\n file_formatter = logging.Formatter(fmt, datefmt)\n file_formatter.converter = time.gmtime\n file_handler.setFormatter(file_formatter)\n logger.addHandler(file_handler)\n if initial_file_message:\n message = ' %s ' % initial_file_message\n file_handler.stream.write('\\n' + message.center(100, '=') + '\\n\\n')\n",
"role": "user"
},
{
"content": "configure_logging",
"role": "assistant"
}
]
|
def x(existing_users=None, proposed_users=None, purge_undefined=None,
protected_users=None, allow_non_unique_id=None, manage_home=True,
manage_keys=True):
plan = list()
proposed_usernames = list()
if not purge_undefined:
purge_undefined = constants.PURGE_UNDEFINED
if not protected_users:
protected_users = constants.PROTECTED_USERS
if not allow_non_unique_id:
allow_non_unique_id = constants.ALLOW_NON_UNIQUE_ID
for proposed_user in proposed_users:
proposed_usernames.append(proposed_user.name)
user_matching_name = existing_users.describe_users(users_filter=
dict(name=proposed_user.name))
user_matching_id = get_user_by_uid(uid=proposed_user.uid, users=
existing_users)
if (not allow_non_unique_id and user_matching_id and not
user_matching_name):
plan.append(dict(action='fail', error='uid_clash',
proposed_user=proposed_user, state='existing', result=None))
elif not user_matching_name:
plan.append(dict(action='add', proposed_user=proposed_user,
state='missing', result=None, manage_home=manage_home,
manage_keys=manage_keys))
else:
user_comparison = compare_user(passed_user=proposed_user,
user_list=existing_users)
if user_comparison.get('result'):
plan.append(dict(action='update', proposed_user=
proposed_user, state='existing', user_comparison=
user_comparison, manage_home=manage_home, manage_keys=
manage_keys))
if purge_undefined:
for existing_user in existing_users:
if existing_user.name not in proposed_usernames:
if existing_user.name not in protected_users:
plan.append(dict(action='delete', username=
existing_user.name, state='existing', manage_home=
manage_home, manage_keys=manage_keys))
return plan
| create_plan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(existing_users=None, proposed_users=None, purge_undefined=None,\n protected_users=None, allow_non_unique_id=None, manage_home=True,\n manage_keys=True):\n plan = list()\n proposed_usernames = list()\n if not purge_undefined:\n purge_undefined = constants.PURGE_UNDEFINED\n if not protected_users:\n protected_users = constants.PROTECTED_USERS\n if not allow_non_unique_id:\n allow_non_unique_id = constants.ALLOW_NON_UNIQUE_ID\n for proposed_user in proposed_users:\n proposed_usernames.append(proposed_user.name)\n user_matching_name = existing_users.describe_users(users_filter=\n dict(name=proposed_user.name))\n user_matching_id = get_user_by_uid(uid=proposed_user.uid, users=\n existing_users)\n if (not allow_non_unique_id and user_matching_id and not\n user_matching_name):\n plan.append(dict(action='fail', error='uid_clash',\n proposed_user=proposed_user, state='existing', result=None))\n elif not user_matching_name:\n plan.append(dict(action='add', proposed_user=proposed_user,\n state='missing', result=None, manage_home=manage_home,\n manage_keys=manage_keys))\n else:\n user_comparison = compare_user(passed_user=proposed_user,\n user_list=existing_users)\n if user_comparison.get('result'):\n plan.append(dict(action='update', proposed_user=\n proposed_user, state='existing', user_comparison=\n user_comparison, manage_home=manage_home, manage_keys=\n manage_keys))\n if purge_undefined:\n for existing_user in existing_users:\n if existing_user.name not in proposed_usernames:\n if existing_user.name not in protected_users:\n plan.append(dict(action='delete', username=\n existing_user.name, state='existing', manage_home=\n manage_home, manage_keys=manage_keys))\n return plan\n",
"role": "user"
},
{
"content": "create_plan",
"role": "assistant"
}
]
|
def x(plan=None):
execution_result = list()
for task in plan:
action = task['action']
if action == 'delete':
command = generate_delete_user_command(username=task.get(
'username'), manage_home=task['manage_home'])
command_output = execute_command(command)
execution_result.append(dict(task=task, command_output=
command_output))
remove_sudoers_entry(username=task.get('username'))
elif action == 'add':
command = generate_add_user_command(proposed_user=task.get(
'proposed_user'), manage_home=task['manage_home'])
command_output = execute_command(command)
if task['proposed_user'].public_keys and task['manage_home'
] and task['manage_keys']:
write_authorized_keys(task['proposed_user'])
if task['proposed_user'].sudoers_entry:
write_sudoers_entry(username=task['proposed_user'].name,
sudoers_entry=task['proposed_user'].sudoers_entry)
execution_result.append(dict(task=task, command_output=
command_output))
elif action == 'update':
result = task['user_comparison'].get('result')
action_count = 0
for k, _ in iteritems(result):
if '_action' in k:
action_count += 1
command_output = None
if task['manage_home'] and task['manage_keys'
] and action_count == 1 and 'public_keys_action' in result:
write_authorized_keys(task['proposed_user'])
elif action_count == 1 and 'sudoers_entry_action' in result:
write_sudoers_entry(username=task['proposed_user'].name,
sudoers_entry=task['user_comparison']['result'][
'replacement_sudoers_entry'])
else:
command = generate_modify_user_command(task=task)
command_output = execute_command(command)
if task['manage_home'] and task['manage_keys'] and result.get(
'public_keys_action'):
write_authorized_keys(task['proposed_user'])
if result.get('sudoers_entry_action'):
write_sudoers_entry(username=task['proposed_user'].name,
sudoers_entry=task['user_comparison']['result'][
'replacement_sudoers_entry'])
execution_result.append(dict(task=task, command_output=
command_output))
| execute_plan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plan=None):\n execution_result = list()\n for task in plan:\n action = task['action']\n if action == 'delete':\n command = generate_delete_user_command(username=task.get(\n 'username'), manage_home=task['manage_home'])\n command_output = execute_command(command)\n execution_result.append(dict(task=task, command_output=\n command_output))\n remove_sudoers_entry(username=task.get('username'))\n elif action == 'add':\n command = generate_add_user_command(proposed_user=task.get(\n 'proposed_user'), manage_home=task['manage_home'])\n command_output = execute_command(command)\n if task['proposed_user'].public_keys and task['manage_home'\n ] and task['manage_keys']:\n write_authorized_keys(task['proposed_user'])\n if task['proposed_user'].sudoers_entry:\n write_sudoers_entry(username=task['proposed_user'].name,\n sudoers_entry=task['proposed_user'].sudoers_entry)\n execution_result.append(dict(task=task, command_output=\n command_output))\n elif action == 'update':\n result = task['user_comparison'].get('result')\n action_count = 0\n for k, _ in iteritems(result):\n if '_action' in k:\n action_count += 1\n command_output = None\n if task['manage_home'] and task['manage_keys'\n ] and action_count == 1 and 'public_keys_action' in result:\n write_authorized_keys(task['proposed_user'])\n elif action_count == 1 and 'sudoers_entry_action' in result:\n write_sudoers_entry(username=task['proposed_user'].name,\n sudoers_entry=task['user_comparison']['result'][\n 'replacement_sudoers_entry'])\n else:\n command = generate_modify_user_command(task=task)\n command_output = execute_command(command)\n if task['manage_home'] and task['manage_keys'] and result.get(\n 'public_keys_action'):\n write_authorized_keys(task['proposed_user'])\n if result.get('sudoers_entry_action'):\n write_sudoers_entry(username=task['proposed_user'].name,\n sudoers_entry=task['user_comparison']['result'][\n 'replacement_sudoers_entry'])\n execution_result.append(dict(task=task, command_output=\n command_output))\n",
"role": "user"
},
{
"content": "execute_plan",
"role": "assistant"
}
]
|
def x(self, variable_path: str, default: t.Optional[t.Any]=None,
coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=
None, **kwargs):
var_name = self.get_env_var_name(variable_path)
val = self.env.get(var_name, self.sentinel)
if val is self.sentinel:
return default
if coerce_type and coerce_type is bool and not coercer:
coercer = coerce_str_to_bool
return self.coerce(val, coerce_type=coerce_type, coercer=coercer)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variable_path: str, default: t.Optional[t.Any]=None,\n coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=\n None, **kwargs):\n var_name = self.get_env_var_name(variable_path)\n val = self.env.get(var_name, self.sentinel)\n if val is self.sentinel:\n return default\n if coerce_type and coerce_type is bool and not coercer:\n coercer = coerce_str_to_bool\n return self.coerce(val, coerce_type=coerce_type, coercer=coercer)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
]
|
def x(archive, destination, filenames=None):
close = False
try:
if not isinstance(archive, zipfile.ZipFile):
archive = zipfile.ZipFile(archive, 'r', allowZip64=True)
close = True
logger.info('Extracting: %s -> %s' % (archive.filename, destination))
if isinstance(filenames, str):
filenames = [filenames]
if filenames is None:
filenames = archive.namelist()
for filename in filenames:
if filename.endswith('/'):
shell.mkdir(os.path.join(destination, filename))
elif not _extract_file(archive, destination, filename):
raise Exception()
logger.info('Extracting zip archive "%s" succeeded' % archive.filename)
return True
except Exception:
logger.exception('Error while unzipping archive %s' % archive.filename)
return False
finally:
if close:
archive.close()
| unzip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(archive, destination, filenames=None):\n close = False\n try:\n if not isinstance(archive, zipfile.ZipFile):\n archive = zipfile.ZipFile(archive, 'r', allowZip64=True)\n close = True\n logger.info('Extracting: %s -> %s' % (archive.filename, destination))\n if isinstance(filenames, str):\n filenames = [filenames]\n if filenames is None:\n filenames = archive.namelist()\n for filename in filenames:\n if filename.endswith('/'):\n shell.mkdir(os.path.join(destination, filename))\n elif not _extract_file(archive, destination, filename):\n raise Exception()\n logger.info('Extracting zip archive \"%s\" succeeded' % archive.filename)\n return True\n except Exception:\n logger.exception('Error while unzipping archive %s' % archive.filename)\n return False\n finally:\n if close:\n archive.close()\n",
"role": "user"
},
{
"content": "unzip",
"role": "assistant"
}
]
|
def x(archive, items, mode='w', save_full_paths=False):
close = False
try:
if not isinstance(archive, zipfile.ZipFile):
archive = zipfile.ZipFile(archive, mode, allowZip64=True)
close = True
logger.info('mkdzip: Creating %s, from: %s', archive.filename, items)
if isinstance(items, str):
items = [items]
for item in items:
item = os.path.abspath(item)
basename = os.path.basename(item)
if os.path.isdir(item):
for root, directoires, filenames in os.walk(item):
for filename in filenames:
path = os.path.join(root, filename)
if save_full_paths:
archive_path = path.encode('utf-8')
else:
archive_path = os.path.join(basename, path.
replace(item, '').strip('\\/')).encode('utf-8')
archive.write(path, archive_path)
elif os.path.isfile(item):
if save_full_paths:
archive_name = item.encode('utf-8')
else:
archive_name = basename.encode('utf-8')
archive.write(item, archive_name)
return True
except Exception as e:
logger.error('Error occurred during mkzip: %s' % e)
return False
finally:
if close:
archive.close()
| mkzip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(archive, items, mode='w', save_full_paths=False):\n close = False\n try:\n if not isinstance(archive, zipfile.ZipFile):\n archive = zipfile.ZipFile(archive, mode, allowZip64=True)\n close = True\n logger.info('mkdzip: Creating %s, from: %s', archive.filename, items)\n if isinstance(items, str):\n items = [items]\n for item in items:\n item = os.path.abspath(item)\n basename = os.path.basename(item)\n if os.path.isdir(item):\n for root, directoires, filenames in os.walk(item):\n for filename in filenames:\n path = os.path.join(root, filename)\n if save_full_paths:\n archive_path = path.encode('utf-8')\n else:\n archive_path = os.path.join(basename, path.\n replace(item, '').strip('\\\\/')).encode('utf-8')\n archive.write(path, archive_path)\n elif os.path.isfile(item):\n if save_full_paths:\n archive_name = item.encode('utf-8')\n else:\n archive_name = basename.encode('utf-8')\n archive.write(item, archive_name)\n return True\n except Exception as e:\n logger.error('Error occurred during mkzip: %s' % e)\n return False\n finally:\n if close:\n archive.close()\n",
"role": "user"
},
{
"content": "mkzip",
"role": "assistant"
}
]
|
def x(archive, items, self_extracting=False):
if not isinstance(items, (list, tuple)):
items = [items]
if self_extracting:
return er(_get_sz(), 'a', '-ssw', '-sfx', archive, *items)
else:
return er(_get_sz(), 'a', '-ssw', archive, *items)
| seven_zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(archive, items, self_extracting=False):\n if not isinstance(items, (list, tuple)):\n items = [items]\n if self_extracting:\n return er(_get_sz(), 'a', '-ssw', '-sfx', archive, *items)\n else:\n return er(_get_sz(), 'a', '-ssw', archive, *items)\n",
"role": "user"
},
{
"content": "seven_zip",
"role": "assistant"
}
]
|
def x(max_retries: int=100, retry_timeout: int=5, exit_on_failure: bool=True
) ->bool:
for cache_alias in settings.CACHES.keys():
cache = caches[cache_alias]
wf(
'Checking if the cache backed is accessible for the alias `%s`... '
% cache_alias, False)
for i in range(max_retries):
try:
cache.set('django-docker-helpers:available-check', '1')
assert cache.get('django-docker-helpers:available-check'
) == '1'
cache.delete('django-docker-helpers:available-check')
wf('[+]\n')
break
except Exception as e:
wf(str(e) + '\n')
sleep(retry_timeout)
else:
wf('Tried %s time(s). Shutting down.\n' % max_retries)
exit_on_failure and exit(1)
return False
return True
| ensure_caches_alive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_retries: int=100, retry_timeout: int=5, exit_on_failure: bool=True\n ) ->bool:\n for cache_alias in settings.CACHES.keys():\n cache = caches[cache_alias]\n wf(\n 'Checking if the cache backed is accessible for the alias `%s`... '\n % cache_alias, False)\n for i in range(max_retries):\n try:\n cache.set('django-docker-helpers:available-check', '1')\n assert cache.get('django-docker-helpers:available-check'\n ) == '1'\n cache.delete('django-docker-helpers:available-check')\n wf('[+]\\n')\n break\n except Exception as e:\n wf(str(e) + '\\n')\n sleep(retry_timeout)\n else:\n wf('Tried %s time(s). Shutting down.\\n' % max_retries)\n exit_on_failure and exit(1)\n return False\n return True\n",
"role": "user"
},
{
"content": "ensure_caches_alive",
"role": "assistant"
}
]
|
def x(max_retries: int=100, retry_timeout: int=5, exit_on_failure: bool=True
) ->bool:
template = """
=============================
Checking database connection `{CONNECTION}`:
Engine: {ENGINE}
Host: {HOST}
Database: {NAME}
User: {USER}
Password: {PASSWORD}
=============================
"""
for connection_name in connections:
_db_settings = dict.fromkeys(['ENGINE', 'HOST', 'NAME', 'USER',
'PASSWORD'])
_db_settings.update(settings.DATABASES[connection_name])
_db_settings['CONNECTION'] = connection_name
if _db_settings.get('PASSWORD'):
_db_settings['PASSWORD'] = 'set'
wf(template.format(**_db_settings))
wf('Checking db connection alive... ', False)
for i in range(max_retries):
try:
cursor = connections[connection_name].cursor()
cursor.execute('SELECT 1')
cursor.fetchone()
wf('[+]\n')
break
except OperationalError as e:
wf(str(e))
sleep(retry_timeout)
else:
wf('Tried %s time(s). Shutting down.\n' % max_retries)
exit_on_failure and exit(1)
return False
return True
| ensure_databases_alive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_retries: int=100, retry_timeout: int=5, exit_on_failure: bool=True\n ) ->bool:\n template = \"\"\"\n =============================\n Checking database connection `{CONNECTION}`:\n Engine: {ENGINE}\n Host: {HOST}\n Database: {NAME}\n User: {USER}\n Password: {PASSWORD}\n =============================\n\"\"\"\n for connection_name in connections:\n _db_settings = dict.fromkeys(['ENGINE', 'HOST', 'NAME', 'USER',\n 'PASSWORD'])\n _db_settings.update(settings.DATABASES[connection_name])\n _db_settings['CONNECTION'] = connection_name\n if _db_settings.get('PASSWORD'):\n _db_settings['PASSWORD'] = 'set'\n wf(template.format(**_db_settings))\n wf('Checking db connection alive... ', False)\n for i in range(max_retries):\n try:\n cursor = connections[connection_name].cursor()\n cursor.execute('SELECT 1')\n cursor.fetchone()\n wf('[+]\\n')\n break\n except OperationalError as e:\n wf(str(e))\n sleep(retry_timeout)\n else:\n wf('Tried %s time(s). Shutting down.\\n' % max_retries)\n exit_on_failure and exit(1)\n return False\n return True\n",
"role": "user"
},
{
"content": "ensure_databases_alive",
"role": "assistant"
}
]
|
def x(*argv) ->bool:
wf('Applying migrations... ', False)
execute_from_command_line(['./manage.py', 'migrate'] + list(argv))
wf('[+]\n')
return True
| migrate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*argv) ->bool:\n wf('Applying migrations... ', False)\n execute_from_command_line(['./manage.py', 'migrate'] + list(argv))\n wf('[+]\\n')\n return True\n",
"role": "user"
},
{
"content": "migrate",
"role": "assistant"
}
]
|
def x(self, output, accepts, set_http_code, set_content_type):
graph = Decorator._get_graph(output)
if graph is not None:
output_mimetype, output_format = self.format_selector.decide(accepts,
graph.context_aware)
if output_mimetype is None:
set_http_code('406 Not Acceptable')
return ['406 Not Acceptable'.encode('utf-8')]
if 'text' in output_mimetype:
output_mimetype = output_mimetype + '; charset=utf-8'
serialized = graph.serialize(format=output_format)
set_content_type(output_mimetype)
return [serialized]
else:
return output
| output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output, accepts, set_http_code, set_content_type):\n graph = Decorator._get_graph(output)\n if graph is not None:\n output_mimetype, output_format = self.format_selector.decide(accepts,\n graph.context_aware)\n if output_mimetype is None:\n set_http_code('406 Not Acceptable')\n return ['406 Not Acceptable'.encode('utf-8')]\n if 'text' in output_mimetype:\n output_mimetype = output_mimetype + '; charset=utf-8'\n serialized = graph.serialize(format=output_format)\n set_content_type(output_mimetype)\n return [serialized]\n else:\n return output\n",
"role": "user"
},
{
"content": "output",
"role": "assistant"
}
]
|
def x(self, app):
from functools import wraps
@wraps(app)
def x(environ, start_response):
app_response = {}
app_response['status'] = '200 OK'
app_response['headers'] = []
app_response['written'] = BytesIO()
def x(status, headers, *args, **kwargs):
app_response['status'] = status
app_response['headers'] = headers
app_response['args'] = args
app_response['kwargs'] = kwargs
return app_response['written'].write
returned = app(environ, custom_start_response)
def x(status):
app_response['status'] = str(status)
def x(header, value):
app_response['headers'] = [(h, v) for h, v in app_response[
'headers'] if h.lower() != header.lower()]
app_response['headers'].append((header, value))
def x(content_type):
set_header('Content-Type', content_type)
accept = environ.get('HTTP_ACCEPT', '')
new_return = self.output(returned, accept, set_http_code,
set_content_type)
vary_headers = (v for h, v in app_response['headers'] if h.lower() ==
'vary')
vary_elements = list(itertools.chain(*[v.split(',') for v in
vary_headers]))
vary_elements = list(set([v.strip() for v in vary_elements]))
if '*' not in vary_elements and 'accept' not in (v.lower() for v in
vary_elements):
vary_elements.append('Accept')
set_header('Vary', ', '.join(vary_elements))
parent_writer = start_response(app_response['status'], app_response
['headers'], *app_response.get('args', []), **app_response.get(
'kwargs', {}))
written = app_response['written'].getvalue()
if len(written) > 0:
parent_writer(written)
return new_return
return decorated
| decorate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n from functools import wraps\n\n @wraps(app)\n def x(environ, start_response):\n app_response = {}\n app_response['status'] = '200 OK'\n app_response['headers'] = []\n app_response['written'] = BytesIO()\n\n def x(status, headers, *args, **kwargs):\n app_response['status'] = status\n app_response['headers'] = headers\n app_response['args'] = args\n app_response['kwargs'] = kwargs\n return app_response['written'].write\n returned = app(environ, custom_start_response)\n\n def x(status):\n app_response['status'] = str(status)\n\n def x(header, value):\n app_response['headers'] = [(h, v) for h, v in app_response[\n 'headers'] if h.lower() != header.lower()]\n app_response['headers'].append((header, value))\n\n def x(content_type):\n set_header('Content-Type', content_type)\n accept = environ.get('HTTP_ACCEPT', '')\n new_return = self.output(returned, accept, set_http_code,\n set_content_type)\n vary_headers = (v for h, v in app_response['headers'] if h.lower() ==\n 'vary')\n vary_elements = list(itertools.chain(*[v.split(',') for v in\n vary_headers]))\n vary_elements = list(set([v.strip() for v in vary_elements]))\n if '*' not in vary_elements and 'accept' not in (v.lower() for v in\n vary_elements):\n vary_elements.append('Accept')\n set_header('Vary', ', '.join(vary_elements))\n parent_writer = start_response(app_response['status'], app_response\n ['headers'], *app_response.get('args', []), **app_response.get(\n 'kwargs', {}))\n written = app_response['written'].getvalue()\n if len(written) > 0:\n parent_writer(written)\n return new_return\n return decorated\n",
"role": "user"
},
{
"content": "decorate",
"role": "assistant"
}
]
|
def x(cls, name, value):
signal_name = False
config = None
if callable(value) and hasattr(value, SPEC_CONTAINER_MEMBER_NAME):
spec = getattr(value, SPEC_CONTAINER_MEMBER_NAME)
if spec['kind'] == 'handler':
signal_name = spec['name']
config = spec['config']
return signal_name, config
| is_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, value):\n signal_name = False\n config = None\n if callable(value) and hasattr(value, SPEC_CONTAINER_MEMBER_NAME):\n spec = getattr(value, SPEC_CONTAINER_MEMBER_NAME)\n if spec['kind'] == 'handler':\n signal_name = spec['name']\n config = spec['config']\n return signal_name, config\n",
"role": "user"
},
{
"content": "is_handler",
"role": "assistant"
}
]
|
def x(cls, bases, *names, merge=False):
result = []
for name in names:
maps = []
for base in bases:
bmap = getattr(base, name, None)
if bmap is not None:
assert isinstance(bmap, (dict, ChainMap))
if len(bmap):
if isinstance(bmap, ChainMap):
maps.extend(bmap.maps)
else:
maps.append(bmap)
result.append(ChainMap({}, *maps))
if merge:
result = [dict(map) for map in result]
if len(names) == 1:
return result[0]
return result
| build_inheritance_chain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bases, *names, merge=False):\n result = []\n for name in names:\n maps = []\n for base in bases:\n bmap = getattr(base, name, None)\n if bmap is not None:\n assert isinstance(bmap, (dict, ChainMap))\n if len(bmap):\n if isinstance(bmap, ChainMap):\n maps.extend(bmap.maps)\n else:\n maps.append(bmap)\n result.append(ChainMap({}, *maps))\n if merge:\n result = [dict(map) for map in result]\n if len(names) == 1:\n return result[0]\n return result\n",
"role": "user"
},
{
"content": "build_inheritance_chain",
"role": "assistant"
}
]
|
def x(cls, instance, handle_d):
res = {}
for member_name, sig_name in handle_d.items():
if sig_name in res:
sig_handlers = res[sig_name]
else:
sig_handlers = res[sig_name] = []
sig_handlers.append(getattr(instance, member_name))
return res
| build_instance_handler_mapping | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, instance, handle_d):\n res = {}\n for member_name, sig_name in handle_d.items():\n if sig_name in res:\n sig_handlers = res[sig_name]\n else:\n sig_handlers = res[sig_name] = []\n sig_handlers.append(getattr(instance, member_name))\n return res\n",
"role": "user"
},
{
"content": "build_instance_handler_mapping",
"role": "assistant"
}
]
|
def x(cls, signals, handlers, namespace, configs):
for aname, sig_name in handlers.items():
if sig_name not in signals:
disable_check = configs[aname].get('disable_check', False)
if not disable_check:
raise SignalError("Cannot find a signal named '%s'" % sig_name)
| check_local_handlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, signals, handlers, namespace, configs):\n for aname, sig_name in handlers.items():\n if sig_name not in signals:\n disable_check = configs[aname].get('disable_check', False)\n if not disable_check:\n raise SignalError(\"Cannot find a signal named '%s'\" % sig_name)\n",
"role": "user"
},
{
"content": "check_local_handlers",
"role": "assistant"
}
]
|
def x(cls, signals, namespace):
from . import Signal
signaller = cls._external_signaller_and_handler
for aname, avalue in namespace.items():
if isinstance(avalue, Signal):
if avalue.name:
aname = avalue.name
else:
avalue.name = aname
assert aname not in signals or aname in signals and avalue is not signals[
aname], 'The same signal {name!r} was found two times'.format(
name=aname)
if signaller:
avalue.external_signaller = signaller
signals[aname] = avalue
| find_local_signals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, signals, namespace):\n from . import Signal\n signaller = cls._external_signaller_and_handler\n for aname, avalue in namespace.items():\n if isinstance(avalue, Signal):\n if avalue.name:\n aname = avalue.name\n else:\n avalue.name = aname\n assert aname not in signals or aname in signals and avalue is not signals[\n aname], 'The same signal {name!r} was found two times'.format(\n name=aname)\n if signaller:\n avalue.external_signaller = signaller\n signals[aname] = avalue\n",
"role": "user"
},
{
"content": "find_local_signals",
"role": "assistant"
}
]
|
def x(cls, handlers, namespace, configs):
for aname, avalue in namespace.items():
sig_name, config = cls._is_handler(aname, avalue)
if sig_name:
configs[aname] = config
handlers[aname] = sig_name
| find_local_handlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, handlers, namespace, configs):\n for aname, avalue in namespace.items():\n sig_name, config = cls._is_handler(aname, avalue)\n if sig_name:\n configs[aname] = config\n handlers[aname] = sig_name\n",
"role": "user"
},
{
"content": "find_local_handlers",
"role": "assistant"
}
]
|
def x(cls, signal_name, instance):
handlers = cls._signal_handlers_sorted[signal_name]
return [getattr(instance, hname) for hname in handlers]
| get_class_handlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, signal_name, instance):\n handlers = cls._signal_handlers_sorted[signal_name]\n return [getattr(instance, hname) for hname in handlers]\n",
"role": "user"
},
{
"content": "get_class_handlers",
"role": "assistant"
}
]
|
def x(cls, signals, handlers, configs):
def x(flags, hname):
data = configs[hname]
topdown_sort = SignalOptions.SORT_TOPDOWN in flags
if topdown_sort:
level = levels_count - 1 - data['level']
else:
level = data['level']
if 'begin' in data:
return -1, level, hname
elif 'end' in data:
return 1, level, hname
else:
return 0, level, hname
levels_count = len(handlers.maps)
per_signal = defaultdict(list)
for level, m in enumerate(reversed(handlers.maps)):
for hname, sig_name in m.items():
sig_handlers = per_signal[sig_name]
if hname not in sig_handlers:
configs[hname]['level'] = level
sig_handlers.append(hname)
for sig_name, sig_handlers in per_signal.items():
if sig_name in signals:
flags = signals[sig_name].flags
sig_handlers.sort(key=partial(macro_precedence_sorter, flags))
return per_signal
| sort_handlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, signals, handlers, configs):\n\n def x(flags, hname):\n data = configs[hname]\n topdown_sort = SignalOptions.SORT_TOPDOWN in flags\n if topdown_sort:\n level = levels_count - 1 - data['level']\n else:\n level = data['level']\n if 'begin' in data:\n return -1, level, hname\n elif 'end' in data:\n return 1, level, hname\n else:\n return 0, level, hname\n levels_count = len(handlers.maps)\n per_signal = defaultdict(list)\n for level, m in enumerate(reversed(handlers.maps)):\n for hname, sig_name in m.items():\n sig_handlers = per_signal[sig_name]\n if hname not in sig_handlers:\n configs[hname]['level'] = level\n sig_handlers.append(hname)\n for sig_name, sig_handlers in per_signal.items():\n if sig_name in signals:\n flags = signals[sig_name].flags\n sig_handlers.sort(key=partial(macro_precedence_sorter, flags))\n return per_signal\n",
"role": "user"
},
{
"content": "sort_handlers",
"role": "assistant"
}
]
|
def x(cls, instance):
isignals = cls._signals.copy()
ihandlers = cls._build_instance_handler_mapping(instance, cls.
_signal_handlers)
return isignals, ihandlers
| instance_signals_and_handlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, instance):\n isignals = cls._signals.copy()\n ihandlers = cls._build_instance_handler_mapping(instance, cls.\n _signal_handlers)\n return isignals, ihandlers\n",
"role": "user"
},
{
"content": "instance_signals_and_handlers",
"role": "assistant"
}
]
|
def x(self, src):
checksum = get_checksum(src)
filename = self.get_filename(checksum)
if not filename:
new_name = self._get_new_name()
new_realpath = self._storage_dir + '/' + new_name
os.makedirs(os.path.split(new_realpath)[0], exist_ok=True)
shutil.copyfile(src, new_realpath)
self._log[new_name] = {'checksum': checksum, 'mtime': os.path.
getmtime(new_realpath), 'size': os.path.getsize(new_realpath)}
self.write_log()
return checksum
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, src):\n checksum = get_checksum(src)\n filename = self.get_filename(checksum)\n if not filename:\n new_name = self._get_new_name()\n new_realpath = self._storage_dir + '/' + new_name\n os.makedirs(os.path.split(new_realpath)[0], exist_ok=True)\n shutil.copyfile(src, new_realpath)\n self._log[new_name] = {'checksum': checksum, 'mtime': os.path.\n getmtime(new_realpath), 'size': os.path.getsize(new_realpath)}\n self.write_log()\n return checksum\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
]
|
def x(self, checksum):
filename = None
for _filename, metadata in self._log.items():
if metadata['checksum'] == checksum:
filename = _filename
break
return filename
| get_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, checksum):\n filename = None\n for _filename, metadata in self._log.items():\n if metadata['checksum'] == checksum:\n filename = _filename\n break\n return filename\n",
"role": "user"
},
{
"content": "get_filename",
"role": "assistant"
}
]
|
def x(self, key):
with self.get_conn() as conn:
try:
c = conn.cursor()
if key is None:
c.execute('SELECT value FROM cache_entries WHERE key IS NULL')
else:
c.execute('SELECT value FROM cache_entries WHERE key = ?',
(key,))
result = c.fetchone()
if result is None or len(result) != 1:
getLogger().info("There's no entry with key={key}".format(
key=key))
return None
else:
return result[0]
except:
getLogger().exception('Cannot retrieve')
return None
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n with self.get_conn() as conn:\n try:\n c = conn.cursor()\n if key is None:\n c.execute('SELECT value FROM cache_entries WHERE key IS NULL')\n else:\n c.execute('SELECT value FROM cache_entries WHERE key = ?',\n (key,))\n result = c.fetchone()\n if result is None or len(result) != 1:\n getLogger().info(\"There's no entry with key={key}\".format(\n key=key))\n return None\n else:\n return result[0]\n except:\n getLogger().exception('Cannot retrieve')\n return None\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
]
|
def x(self, key, value):
if key in self:
getLogger().warning(
"Cache entry exists, cannot insert a new entry with key='{key}'"
.format(key=key))
return False
with self.get_conn() as conn:
try:
c = conn.cursor()
c.execute('INSERT INTO cache_entries (key, value) VALUES (?,?)',
(key, value))
conn.commit()
return True
except Exception as e:
getLogger().debug('Cache Error: Cannot insert | Detail = %s' % (e,)
)
return False
| insert | [
{
"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 if key in self:\n getLogger().warning(\n \"Cache entry exists, cannot insert a new entry with key='{key}'\"\n .format(key=key))\n return False\n with self.get_conn() as conn:\n try:\n c = conn.cursor()\n c.execute('INSERT INTO cache_entries (key, value) VALUES (?,?)',\n (key, value))\n conn.commit()\n return True\n except Exception as e:\n getLogger().debug('Cache Error: Cannot insert | Detail = %s' % (e,)\n )\n return False\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
]
|
def x(self, key):
with self.get_conn() as conn:
try:
c = conn.cursor()
c.execute('DELETE FROM cache_entries WHERE key = ?', (key,))
conn.commit()
except:
getLogger().exception('Cannot delete')
return None
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n with self.get_conn() as conn:\n try:\n c = conn.cursor()\n c.execute('DELETE FROM cache_entries WHERE key = ?', (key,))\n conn.commit()\n except:\n getLogger().exception('Cannot delete')\n return None\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
]
|
def x(self, key, blob, compressed=True):
with self.get_conn() as conn:
conn.isolation_level = None
c = conn.cursor()
try:
compressed_flag = 1 if compressed else 0
if compressed:
blob = zlib.compress(blob)
c.execute('BEGIN')
c.execute('INSERT INTO cache_entries (key, value) VALUES (?,?)',
(key, JiCache.INTERNAL_BLOB))
c.execute(
'INSERT INTO blob_entries (key, compressed, blob_data) VALUES (?,?,?)'
, (key, compressed_flag, sqlite3.Binary(blob)))
c.execute('COMMIT')
return True
except:
getLogger().debug('Cannot insert')
return False
| insert_internal_blob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, blob, compressed=True):\n with self.get_conn() as conn:\n conn.isolation_level = None\n c = conn.cursor()\n try:\n compressed_flag = 1 if compressed else 0\n if compressed:\n blob = zlib.compress(blob)\n c.execute('BEGIN')\n c.execute('INSERT INTO cache_entries (key, value) VALUES (?,?)',\n (key, JiCache.INTERNAL_BLOB))\n c.execute(\n 'INSERT INTO blob_entries (key, compressed, blob_data) VALUES (?,?,?)'\n , (key, compressed_flag, sqlite3.Binary(blob)))\n c.execute('COMMIT')\n return True\n except:\n getLogger().debug('Cannot insert')\n return False\n",
"role": "user"
},
{
"content": "insert_internal_blob",
"role": "assistant"
}
]
|
def x(self, key):
with self.get_conn() as conn:
conn.isolation_level = None
try:
c = conn.cursor()
c.execute('BEGIN')
if key is None:
c.execute('DELETE FROM cache_entries WHERE key IS NULL')
c.execute('DELETE FROM blob_entries WHERE KEY IS NULL')
else:
c.execute('DELETE FROM cache_entries WHERE key = ?', (key,))
c.execute('DELETE FROM blob_entries WHERE KEY = ?', (key,))
c.execute('COMMIT')
except:
getLogger().debug('Cannot delete')
return False
return True
| delete_internal_blob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n with self.get_conn() as conn:\n conn.isolation_level = None\n try:\n c = conn.cursor()\n c.execute('BEGIN')\n if key is None:\n c.execute('DELETE FROM cache_entries WHERE key IS NULL')\n c.execute('DELETE FROM blob_entries WHERE KEY IS NULL')\n else:\n c.execute('DELETE FROM cache_entries WHERE key = ?', (key,))\n c.execute('DELETE FROM blob_entries WHERE KEY = ?', (key,))\n c.execute('COMMIT')\n except:\n getLogger().debug('Cannot delete')\n return False\n return True\n",
"role": "user"
},
{
"content": "delete_internal_blob",
"role": "assistant"
}
]
|
def x(self, key):
logger = getLogger()
with self.get_conn() as conn:
try:
c = conn.cursor()
if key is None:
c.execute(
'SELECT compressed, blob_data FROM blob_entries WHERE KEY IS NULL'
)
else:
c.execute(
'SELECT compressed, blob_data FROM blob_entries WHERE KEY = ?'
, (key,))
result = c.fetchone()
if not result:
logger.debug("There's no blob entry with key={key}".format(
key=key))
logger.debug('result = {res}'.format(res=result))
return None
else:
compressed, blob_data = result
logger.debug(
'retrieving internal BLOB (key={key} | len={ln} | compressed={c})'
.format(key=key, ln=len(blob_data), c=compressed))
return blob_data if not compressed else zlib.decompress(
blob_data)
except:
getLogger().exception('Cannot retrieve internal blob (key={})'.
format(key))
return None
return True
| retrieve_internal_blob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n logger = getLogger()\n with self.get_conn() as conn:\n try:\n c = conn.cursor()\n if key is None:\n c.execute(\n 'SELECT compressed, blob_data FROM blob_entries WHERE KEY IS NULL'\n )\n else:\n c.execute(\n 'SELECT compressed, blob_data FROM blob_entries WHERE KEY = ?'\n , (key,))\n result = c.fetchone()\n if not result:\n logger.debug(\"There's no blob entry with key={key}\".format(\n key=key))\n logger.debug('result = {res}'.format(res=result))\n return None\n else:\n compressed, blob_data = result\n logger.debug(\n 'retrieving internal BLOB (key={key} | len={ln} | compressed={c})'\n .format(key=key, ln=len(blob_data), c=compressed))\n return blob_data if not compressed else zlib.decompress(\n blob_data)\n except:\n getLogger().exception('Cannot retrieve internal blob (key={})'.\n format(key))\n return None\n return True\n",
"role": "user"
},
{
"content": "retrieve_internal_blob",
"role": "assistant"
}
]
|
def x(self, key, encoding=None):
blob_key = self.__retrieve(key)
if blob_key is None:
return None
if not blob_key:
raise Exception('Invalid blob_key')
elif blob_key == JiCache.INTERNAL_BLOB:
blob_data = self.__retrieve_internal_blob(key)
return blob_data if not encoding else blob_data.decode(encoding)
else:
getLogger().debug('Key[{key}] -> [{blob_key}]'.format(key=key,
blob_key=blob_key))
blob_file = os.path.join(self.blob_location, blob_key)
return FileHelper.read(blob_file)
| retrieve_blob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, encoding=None):\n blob_key = self.__retrieve(key)\n if blob_key is None:\n return None\n if not blob_key:\n raise Exception('Invalid blob_key')\n elif blob_key == JiCache.INTERNAL_BLOB:\n blob_data = self.__retrieve_internal_blob(key)\n return blob_data if not encoding else blob_data.decode(encoding)\n else:\n getLogger().debug('Key[{key}] -> [{blob_key}]'.format(key=key,\n blob_key=blob_key))\n blob_file = os.path.join(self.blob_location, blob_key)\n return FileHelper.read(blob_file)\n",
"role": "user"
},
{
"content": "retrieve_blob",
"role": "assistant"
}
]
|
def x(self, rows):
columns = list(rows[0].keys())
agg_styles = {c: self.style[c]['aggregate'] for c in columns if
'aggregate' in self.style[c]}
summaries = {}
for col, agg_fn in agg_styles.items():
lgr.debug('Summarizing column %r with %r', col, agg_fn)
colvals = filter(lambda x: not isinstance(x, Nothing), (row[col] for
row in rows))
summaries[col] = agg_fn(list(colvals))
maxlen = max(len(v) if isinstance(v, list) else 1 for v in summaries.
values())
summary_rows = []
for rowidx in range(maxlen):
sumrow = {}
for column, values in summaries.items():
if isinstance(values, list):
if rowidx >= len(values):
continue
sumrow[column] = values[rowidx]
elif rowidx == 0:
sumrow[column] = values
for column in columns:
if column not in sumrow:
sumrow[column] = ''
summary_rows.append((sumrow, {'style': self.style.get('aggregate_'),
'adopt': False}))
return summary_rows
| summarize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows):\n columns = list(rows[0].keys())\n agg_styles = {c: self.style[c]['aggregate'] for c in columns if \n 'aggregate' in self.style[c]}\n summaries = {}\n for col, agg_fn in agg_styles.items():\n lgr.debug('Summarizing column %r with %r', col, agg_fn)\n colvals = filter(lambda x: not isinstance(x, Nothing), (row[col] for\n row in rows))\n summaries[col] = agg_fn(list(colvals))\n maxlen = max(len(v) if isinstance(v, list) else 1 for v in summaries.\n values())\n summary_rows = []\n for rowidx in range(maxlen):\n sumrow = {}\n for column, values in summaries.items():\n if isinstance(values, list):\n if rowidx >= len(values):\n continue\n sumrow[column] = values[rowidx]\n elif rowidx == 0:\n sumrow[column] = values\n for column in columns:\n if column not in sumrow:\n sumrow[column] = ''\n summary_rows.append((sumrow, {'style': self.style.get('aggregate_'),\n 'adopt': False}))\n return summary_rows\n",
"role": "user"
},
{
"content": "summarize",
"role": "assistant"
}
]
|
def x(self, style, streamer, processors=None):
self._stream = streamer
if streamer.interactive:
if streamer.supports_updates:
self.mode = 'update'
else:
self.mode = 'incremental'
else:
self.mode = 'final'
if style and 'width_' not in style and self._stream.width:
style['width_'] = self._stream.width
self._content = ContentWithSummary(StyleFields(style, processors or
PlainProcessors()))
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, style, streamer, processors=None):\n self._stream = streamer\n if streamer.interactive:\n if streamer.supports_updates:\n self.mode = 'update'\n else:\n self.mode = 'incremental'\n else:\n self.mode = 'final'\n if style and 'width_' not in style and self._stream.width:\n style['width_'] = self._stream.width\n self._content = ContentWithSummary(StyleFields(style, processors or\n PlainProcessors()))\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
]
|
def x(self):
if self._ids is None:
if self._columns:
if isinstance(self._columns, OrderedDict):
return [list(self._columns.keys())[0]]
return [self._columns[0]]
else:
return self._ids
| ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._ids is None:\n if self._columns:\n if isinstance(self._columns, OrderedDict):\n return [list(self._columns.keys())[0]]\n return [self._columns[0]]\n else:\n return self._ids\n",
"role": "user"
},
{
"content": "ids",
"role": "assistant"
}
]
|
def x(self):
if self._pool is None:
return
self._pool.close()
self._pool.join()
| wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._pool is None:\n return\n self._pool.close()\n self._pool.join()\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
]
|
def x(self):
if self._lock:
lgr.debug('Acquiring write lock')
self._lock.acquire()
try:
yield
finally:
if self._lock:
lgr.debug('Releasing write lock')
self._lock.release()
| write_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._lock:\n lgr.debug('Acquiring write lock')\n self._lock.acquire()\n try:\n yield\n finally:\n if self._lock:\n lgr.debug('Releasing write lock')\n self._lock.release()\n",
"role": "user"
},
{
"content": "write_lock",
"role": "assistant"
}
]
|
def x(self, row, callables):
id_vals = {c: row[c] for c in self.ids}
def x(tab, cols, result):
if isinstance(result, Mapping):
pass
elif isinstance(result, tuple):
result = dict(zip(cols, result))
elif len(cols) == 1:
result = {cols[0]: result}
result.update(id_vals)
tab._write(result)
if self._pool is None:
self._pool = Pool()
if self._lock is None:
self._lock = multiprocessing.Lock()
for cols, fn in callables:
cb_func = partial(callback, self, cols)
gen = None
if inspect.isgeneratorfunction(fn):
gen = fn()
elif inspect.isgenerator(fn):
gen = fn
if gen:
def x():
for i in gen:
cb_func(i)
self._pool.apply_async(callback_for_each)
else:
self._pool.apply_async(fn, callback=cb_func)
| start_callables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, callables):\n id_vals = {c: row[c] for c in self.ids}\n\n def x(tab, cols, result):\n if isinstance(result, Mapping):\n pass\n elif isinstance(result, tuple):\n result = dict(zip(cols, result))\n elif len(cols) == 1:\n result = {cols[0]: result}\n result.update(id_vals)\n tab._write(result)\n if self._pool is None:\n self._pool = Pool()\n if self._lock is None:\n self._lock = multiprocessing.Lock()\n for cols, fn in callables:\n cb_func = partial(callback, self, cols)\n gen = None\n if inspect.isgeneratorfunction(fn):\n gen = fn()\n elif inspect.isgenerator(fn):\n gen = fn\n if gen:\n\n def x():\n for i in gen:\n cb_func(i)\n self._pool.apply_async(callback_for_each)\n else:\n self._pool.apply_async(fn, callback=cb_func)\n",
"role": "user"
},
{
"content": "start_callables",
"role": "assistant"
}
]
|
def x(self):
sql = """SELECT schema_name FROM information_schema.schemata
ORDER BY schema_name"""
schemas = self.query(sql).fetchall()
return [s[0] for s in schemas if s[0][:3] != 'pg_']
| schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sql = \"\"\"SELECT schema_name FROM information_schema.schemata\n ORDER BY schema_name\"\"\"\n schemas = self.query(sql).fetchall()\n return [s[0] for s in schemas if s[0][:3] != 'pg_']\n",
"role": "user"
},
{
"content": "schemas",
"role": "assistant"
}
]
|
def x(self):
if self.schema:
return self.tables_in_schema(self.schema)
else:
tables = []
for schema in self.schemas:
tables = tables + [(schema + '.' + t) for t in self.
tables_in_schema(schema)]
return tables
| tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.schema:\n return self.tables_in_schema(self.schema)\n else:\n tables = []\n for schema in self.schemas:\n tables = tables + [(schema + '.' + t) for t in self.\n tables_in_schema(schema)]\n return tables\n",
"role": "user"
},
{
"content": "tables",
"role": "assistant"
}
]
|
def x(self, table):
if table is None or not len(table.strip()):
raise ValueError('Invalid table name: %r' % table)
return table.strip()
| valid_table_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n if table is None or not len(table.strip()):\n raise ValueError('Invalid table name: %r' % table)\n return table.strip()\n",
"role": "user"
},
{
"content": "valid_table_name",
"role": "assistant"
}
]
|
def x(self, sql, lookup):
for key, val in six.iteritems(lookup):
sql = sql.replace('$' + key, val)
return sql
| build_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, lookup):\n for key, val in six.iteritems(lookup):\n sql = sql.replace('$' + key, val)\n return sql\n",
"role": "user"
},
{
"content": "build_query",
"role": "assistant"
}
]
|
def x(self, schema):
sql = """SELECT table_name
FROM information_schema.tables
WHERE table_schema = %s"""
return [t[0] for t in self.query(sql, (schema,)).fetchall()]
| tables_in_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema):\n sql = \"\"\"SELECT table_name\n FROM information_schema.tables\n WHERE table_schema = %s\"\"\"\n return [t[0] for t in self.query(sql, (schema,)).fetchall()]\n",
"role": "user"
},
{
"content": "tables_in_schema",
"role": "assistant"
}
]
|
def x(self, table):
if '.' in table:
schema, table = table.split('.')
else:
schema = None
return schema, table
| parse_table_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n if '.' in table:\n schema, table = table.split('.')\n else:\n schema = None\n return schema, table\n",
"role": "user"
},
{
"content": "parse_table_name",
"role": "assistant"
}
]
|
def x(self, table):
table = self._valid_table_name(table)
schema, table = self.parse_table_name(table)
if not schema:
schema = self.schema
tables = self.tables
else:
tables = self.tables_in_schema(schema)
if table in tables:
return Table(self, schema, table)
else:
return None
| load_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n table = self._valid_table_name(table)\n schema, table = self.parse_table_name(table)\n if not schema:\n schema = self.schema\n tables = self.tables\n else:\n tables = self.tables_in_schema(schema)\n if table in tables:\n return Table(self, schema, table)\n else:\n return None\n",
"role": "user"
},
{
"content": "load_table",
"role": "assistant"
}
]
|
def x(self, sql, params):
conn = self.engine.raw_connection()
cursor = conn.cursor()
return cursor.mogrify(sql, params)
| mogrify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, params):\n conn = self.engine.raw_connection()\n cursor = conn.cursor()\n return cursor.mogrify(sql, params)\n",
"role": "user"
},
{
"content": "mogrify",
"role": "assistant"
}
]
|
def x(self, sql, params=None):
with self.engine.begin() as conn:
result = conn.execute(sql, params)
return result
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, params=None):\n with self.engine.begin() as conn:\n result = conn.execute(sql, params)\n return result\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
]
|
def x(self, sql, params=None):
r = self.engine.execute(sql, params)
return r.fetchone()
| query_one | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, params=None):\n r = self.engine.execute(sql, params)\n return r.fetchone()\n",
"role": "user"
},
{
"content": "query_one",
"role": "assistant"
}
]
|
def x(self, schema):
if schema not in self.schemas:
sql = 'CREATE SCHEMA ' + schema
self.execute(sql)
| create_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema):\n if schema not in self.schemas:\n sql = 'CREATE SCHEMA ' + schema\n self.execute(sql)\n",
"role": "user"
},
{
"content": "create_schema",
"role": "assistant"
}
]
|
def x(self, schema, cascade=False):
if schema in self.schemas:
sql = 'DROP SCHEMA ' + schema
if cascade:
sql = sql + ' CASCADE'
self.execute(sql)
| drop_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema, cascade=False):\n if schema in self.schemas:\n sql = 'DROP SCHEMA ' + schema\n if cascade:\n sql = sql + ' CASCADE'\n self.execute(sql)\n",
"role": "user"
},
{
"content": "drop_schema",
"role": "assistant"
}
]
|
def x(self, table, columns):
schema, table = self.parse_table_name(table)
table = self._valid_table_name(table)
if not schema:
schema = self.schema
if table in self.tables:
return Table(self, schema, table)
else:
return Table(self, schema, table, columns)
| create_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, columns):\n schema, table = self.parse_table_name(table)\n table = self._valid_table_name(table)\n if not schema:\n schema = self.schema\n if table in self.tables:\n return Table(self, schema, table)\n else:\n return Table(self, schema, table, columns)\n",
"role": "user"
},
{
"content": "create_table",
"role": "assistant"
}
]
|
def x(self, in_file, in_layer=None, out_layer=None, schema='public', s_srs=
None, t_srs='EPSG:3005', sql=None, dim=2, cmd_only=False, index=True):
if not in_layer:
in_layer = os.path.splitext(os.path.basename(in_file))[0]
if not out_layer:
out_layer = in_layer.lower()
command = ['ogr2ogr', '-t_srs', t_srs, '-f', 'PostgreSQL',
'PG:host={h} user={u} dbname={db} password={pwd}'.format(h=self.
host, u=self.user, db=self.database, pwd=self.password), '-lco',
'OVERWRITE=YES', '-overwrite', '-lco', 'SCHEMA={schema}'.format(
schema=schema), '-lco', 'GEOMETRY_NAME=geom', '-dim', '{d}'.format(
d=dim), '-nlt', 'PROMOTE_TO_MULTI', '-nln', out_layer, in_file]
if sql:
command.insert(len(command), '-sql')
command.insert(len(command), 'SELECT * FROM {} WHERE {}'.format(
in_layer, sql))
command.insert(len(command), '-dialect')
command.insert(len(command), 'SQLITE')
if not sql:
command.insert(len(command), in_layer)
if s_srs:
command.insert(len(command), '-s_srs')
command.insert(len(command), s_srs)
if not index:
command.insert(len(command), '-lco')
command.insert(len(command), 'SPATIAL_INDEX=NO')
if cmd_only:
return ' '.join(command)
else:
subprocess.run(command)
| ogr2pg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, in_file, in_layer=None, out_layer=None, schema='public', s_srs=\n None, t_srs='EPSG:3005', sql=None, dim=2, cmd_only=False, index=True):\n if not in_layer:\n in_layer = os.path.splitext(os.path.basename(in_file))[0]\n if not out_layer:\n out_layer = in_layer.lower()\n command = ['ogr2ogr', '-t_srs', t_srs, '-f', 'PostgreSQL',\n 'PG:host={h} user={u} dbname={db} password={pwd}'.format(h=self.\n host, u=self.user, db=self.database, pwd=self.password), '-lco',\n 'OVERWRITE=YES', '-overwrite', '-lco', 'SCHEMA={schema}'.format(\n schema=schema), '-lco', 'GEOMETRY_NAME=geom', '-dim', '{d}'.format(\n d=dim), '-nlt', 'PROMOTE_TO_MULTI', '-nln', out_layer, in_file]\n if sql:\n command.insert(len(command), '-sql')\n command.insert(len(command), 'SELECT * FROM {} WHERE {}'.format(\n in_layer, sql))\n command.insert(len(command), '-dialect')\n command.insert(len(command), 'SQLITE')\n if not sql:\n command.insert(len(command), in_layer)\n if s_srs:\n command.insert(len(command), '-s_srs')\n command.insert(len(command), s_srs)\n if not index:\n command.insert(len(command), '-lco')\n command.insert(len(command), 'SPATIAL_INDEX=NO')\n if cmd_only:\n return ' '.join(command)\n else:\n subprocess.run(command)\n",
"role": "user"
},
{
"content": "ogr2pg",
"role": "assistant"
}
]
|
def x(self, sql, driver, outfile, outlayer=None, column_remap=None, s_srs=
'EPSG:3005', t_srs=None, geom_type=None, append=False):
if driver == 'FileGDB' and geom_type is None:
raise ValueError('Specify geom_type when writing to FileGDB')
filename, ext = os.path.splitext(os.path.basename(outfile))
if not outlayer:
outlayer = filename
u = urlparse(self.url)
pgcred = 'host={h} user={u} dbname={db} password={p}'.format(h=u.
hostname, u=u.username, db=u.path[1:], p=u.password)
if column_remap:
columns = [c for c in self.query(sql).keys() if c != 'geom']
for c in columns:
if c not in column_remap.keys():
column_remap[c] = c
field_remap_xml = ' \n'.join([('<Field name="' + column_remap[c] +
'" src="' + c + '"/>') for c in columns])
else:
field_remap_xml = ''
vrt = (
"""<OGRVRTDataSource>
<OGRVRTLayer name="{layer}">
<SrcDataSource>PG:{pgcred}</SrcDataSource>
<SrcSQL>{sql}</SrcSQL>
{fieldremap}
</OGRVRTLayer>
</OGRVRTDataSource>
"""
.format(layer=outlayer, sql=escape(sql.replace('\n', ' ')), pgcred=
pgcred, fieldremap=field_remap_xml))
vrtpath = os.path.join(tempfile.gettempdir(), filename + '.vrt')
if os.path.exists(vrtpath):
os.remove(vrtpath)
with open(vrtpath, 'w') as vrtfile:
vrtfile.write(vrt)
if driver == 'GeoJSON' and not t_srs:
t_srs = 'EPSG:4326'
else:
t_srs = 'EPSG:3005'
command = ['ogr2ogr', '-s_srs', s_srs, '-t_srs', t_srs, '-progress',
'-f', driver, outfile, vrtpath]
if driver == 'FileGDB':
command.insert(len(command), '-nlt')
command.insert(len(command), geom_type)
if driver in ('FileGDB', 'GPKG') and os.path.exists(outfile):
command.insert(len(command), '-update')
if append:
command.insert(len(command), '-append')
subprocess.run(command)
| pg2ogr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, driver, outfile, outlayer=None, column_remap=None, s_srs=\n 'EPSG:3005', t_srs=None, geom_type=None, append=False):\n if driver == 'FileGDB' and geom_type is None:\n raise ValueError('Specify geom_type when writing to FileGDB')\n filename, ext = os.path.splitext(os.path.basename(outfile))\n if not outlayer:\n outlayer = filename\n u = urlparse(self.url)\n pgcred = 'host={h} user={u} dbname={db} password={p}'.format(h=u.\n hostname, u=u.username, db=u.path[1:], p=u.password)\n if column_remap:\n columns = [c for c in self.query(sql).keys() if c != 'geom']\n for c in columns:\n if c not in column_remap.keys():\n column_remap[c] = c\n field_remap_xml = ' \\n'.join([('<Field name=\"' + column_remap[c] +\n '\" src=\"' + c + '\"/>') for c in columns])\n else:\n field_remap_xml = ''\n vrt = (\n \"\"\"<OGRVRTDataSource>\n <OGRVRTLayer name=\"{layer}\">\n <SrcDataSource>PG:{pgcred}</SrcDataSource>\n <SrcSQL>{sql}</SrcSQL>\n {fieldremap}\n </OGRVRTLayer>\n </OGRVRTDataSource>\n \"\"\"\n .format(layer=outlayer, sql=escape(sql.replace('\\n', ' ')), pgcred=\n pgcred, fieldremap=field_remap_xml))\n vrtpath = os.path.join(tempfile.gettempdir(), filename + '.vrt')\n if os.path.exists(vrtpath):\n os.remove(vrtpath)\n with open(vrtpath, 'w') as vrtfile:\n vrtfile.write(vrt)\n if driver == 'GeoJSON' and not t_srs:\n t_srs = 'EPSG:4326'\n else:\n t_srs = 'EPSG:3005'\n command = ['ogr2ogr', '-s_srs', s_srs, '-t_srs', t_srs, '-progress',\n '-f', driver, outfile, vrtpath]\n if driver == 'FileGDB':\n command.insert(len(command), '-nlt')\n command.insert(len(command), geom_type)\n if driver in ('FileGDB', 'GPKG') and os.path.exists(outfile):\n command.insert(len(command), '-update')\n if append:\n command.insert(len(command), '-append')\n subprocess.run(command)\n",
"role": "user"
},
{
"content": "pg2ogr",
"role": "assistant"
}
]
|
def x(filename, log_dir=None, force_setup=False):
if not force_setup and ChirpCLI.SETUP_COMPLETED:
logging.debug(
'Master logging has been setup. This call will be ignored.')
return
if log_dir and not os.path.exists(log_dir):
os.makedirs(log_dir)
if os.path.isfile(filename):
with open(filename) as config_file:
try:
config = json.load(config_file)
logging.config.dictConfig(config)
logging.info('logging was setup using {}'.format(filename))
ChirpCLI.SETUP_COMPLETED = True
except Exception as e:
logging.exception('Could not load logging config')
logging.basicConfig(level=logging.INFO)
else:
logging.basicConfig(level=logging.INFO)
| setup_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, log_dir=None, force_setup=False):\n if not force_setup and ChirpCLI.SETUP_COMPLETED:\n logging.debug(\n 'Master logging has been setup. This call will be ignored.')\n return\n if log_dir and not os.path.exists(log_dir):\n os.makedirs(log_dir)\n if os.path.isfile(filename):\n with open(filename) as config_file:\n try:\n config = json.load(config_file)\n logging.config.dictConfig(config)\n logging.info('logging was setup using {}'.format(filename))\n ChirpCLI.SETUP_COMPLETED = True\n except Exception as e:\n logging.exception('Could not load logging config')\n logging.basicConfig(level=logging.INFO)\n else:\n logging.basicConfig(level=logging.INFO)\n",
"role": "user"
},
{
"content": "setup_logging",
"role": "assistant"
}
]
|
def x(args):
if args.quiet:
logging.getLogger().setLevel(logging.CRITICAL)
elif args.verbose:
logging.getLogger().setLevel(logging.DEBUG)
| config_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if args.quiet:\n logging.getLogger().setLevel(logging.CRITICAL)\n elif args.verbose:\n logging.getLogger().setLevel(logging.DEBUG)\n",
"role": "user"
},
{
"content": "config_logging",
"role": "assistant"
}
]
|
def x(self, task, func=None, **kwargs):
if not self.__tasks:
raise Exception('Tasks subparsers is disabled')
if 'help' not in kwargs:
if func.__doc__:
kwargs['help'] = func.__doc__
task_parser = self.__tasks.add_parser(task, **kwargs)
if self.__add_vq:
self.add_vq(task_parser)
if func is not None:
task_parser.set_defaults(func=func)
return task_parser
| add_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task, func=None, **kwargs):\n if not self.__tasks:\n raise Exception('Tasks subparsers is disabled')\n if 'help' not in kwargs:\n if func.__doc__:\n kwargs['help'] = func.__doc__\n task_parser = self.__tasks.add_parser(task, **kwargs)\n if self.__add_vq:\n self.add_vq(task_parser)\n if func is not None:\n task_parser.set_defaults(func=func)\n return task_parser\n",
"role": "user"
},
{
"content": "add_task",
"role": "assistant"
}
]
|
def x(self, parser):
group = parser.add_mutually_exclusive_group()
group.add_argument('-v', '--verbose', action='store_true')
group.add_argument('-q', '--quiet', action='store_true')
| add_vq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser):\n group = parser.add_mutually_exclusive_group()\n group.add_argument('-v', '--verbose', action='store_true')\n group.add_argument('-q', '--quiet', action='store_true')\n",
"role": "user"
},
{
"content": "add_vq",
"role": "assistant"
}
]
|
def x(self, show_version):
if callable(show_version):
self.__show_version_func = show_version
else:
self.__show_version_func = lambda cli, args: print(show_version)
self.parser.add_argument('-V', '--version', action='store_true')
| add_version_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, show_version):\n if callable(show_version):\n self.__show_version_func = show_version\n else:\n self.__show_version_func = lambda cli, args: print(show_version)\n self.parser.add_argument('-V', '--version', action='store_true')\n",
"role": "user"
},
{
"content": "add_version_func",
"role": "assistant"
}
]
|
def x(self):
if self.__logger is None:
self.__logger = logging.getLogger(self.__name)
return self.__logger
| logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__logger is None:\n self.__logger = logging.getLogger(self.__name)\n return self.__logger\n",
"role": "user"
},
{
"content": "logger",
"role": "assistant"
}
]
|
def x(self, func=None):
args = self.parser.parse_args()
if self.__add_vq is not None and self.__config_logging:
self.__config_logging(args)
if self.__show_version_func and args.version and callable(self.
__show_version_func):
self.__show_version_func(self, args)
elif args.func is not None:
args.func(self, args)
elif func is not None:
func(self, args)
else:
self.parser.print_help()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func=None):\n args = self.parser.parse_args()\n if self.__add_vq is not None and self.__config_logging:\n self.__config_logging(args)\n if self.__show_version_func and args.version and callable(self.\n __show_version_func):\n self.__show_version_func(self, args)\n elif args.func is not None:\n args.func(self, args)\n elif func is not None:\n func(self, args)\n else:\n self.parser.print_help()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
]
|
def x(*msg, level='h1', separator=' ', print_out=print):
out_string = separator.join(str(x) for x in msg)
if level == 'h0':
box_len = 80
print_out('+' + '-' * (box_len + 2))
print_out('| %s' % out_string)
print_out('+' + '-' * (box_len + 2))
elif level == 'h1':
print_out('')
print_out(out_string)
print_out('-' * 60)
elif level == 'h2':
print_out('\t%s' % out_string)
print_out('\t' + '-' * 40)
else:
print_out('\t\t%s' % out_string)
print_out('\t\t' + '-' * 20)
| header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*msg, level='h1', separator=' ', print_out=print):\n out_string = separator.join(str(x) for x in msg)\n if level == 'h0':\n box_len = 80\n print_out('+' + '-' * (box_len + 2))\n print_out('| %s' % out_string)\n print_out('+' + '-' * (box_len + 2))\n elif level == 'h1':\n print_out('')\n print_out(out_string)\n print_out('-' * 60)\n elif level == 'h2':\n print_out('\\t%s' % out_string)\n print_out('\\t' + '-' * 40)\n else:\n print_out('\\t\\t%s' % out_string)\n print_out('\\t\\t' + '-' * 20)\n",
"role": "user"
},
{
"content": "header",
"role": "assistant"
}
]
|
def x(self, value_obj=None):
val = None
try:
val = next(self.__iterable)
except StopIteration:
return None
if value_obj is None:
value_obj = Value(value=val)
else:
value_obj.value = val
return value_obj
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value_obj=None):\n val = None\n try:\n val = next(self.__iterable)\n except StopIteration:\n return None\n if value_obj is None:\n value_obj = Value(value=val)\n else:\n value_obj.value = val\n return value_obj\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
]
|
def x(self):
order_list = []
for x in self.__priority:
order_list.append([x, self[x]])
for x in sorted(list(self.keys())):
if x not in self.__priority:
order_list.append([x, self[x]])
return order_list
| get_report_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n order_list = []\n for x in self.__priority:\n order_list.append([x, self[x]])\n for x in sorted(list(self.keys())):\n if x not in self.__priority:\n order_list.append([x, self[x]])\n return order_list\n",
"role": "user"
},
{
"content": "get_report_order",
"role": "assistant"
}
]
|
def x(self):
if isinstance(self.__report_file, io.StringIO):
return self.__report_file.getvalue()
else:
return ''
| content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.__report_file, io.StringIO):\n return self.__report_file.getvalue()\n else:\n return ''\n",
"role": "user"
},
{
"content": "content",
"role": "assistant"
}
]
|
def x(self):
self.max_lengths = []
for row in self.rows:
if len(self.max_lengths) < len(row):
self.max_lengths += [0] * (len(row) - len(self.max_lengths))
for idx, val in enumerate(row):
len_cell = len(str(val)) if val else 0
if self.max_lengths[idx] < len_cell:
self.max_lengths[idx] = len_cell
return self.max_lengths
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.max_lengths = []\n for row in self.rows:\n if len(self.max_lengths) < len(row):\n self.max_lengths += [0] * (len(row) - len(self.max_lengths))\n for idx, val in enumerate(row):\n len_cell = len(str(val)) if val else 0\n if self.max_lengths[idx] < len_cell:\n self.max_lengths[idx] = len_cell\n return self.max_lengths\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
]
|
def x(file_path):
warnings.warn(
'getfullfilename() is deprecated and will be removed in near future. Use chirptext.io.write_file() instead'
, DeprecationWarning)
if file_path:
return os.path.basename(file_path)
else:
return ''
| getfullfilename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path):\n warnings.warn(\n 'getfullfilename() is deprecated and will be removed in near future. Use chirptext.io.write_file() instead'\n , DeprecationWarning)\n if file_path:\n return os.path.basename(file_path)\n else:\n return ''\n",
"role": "user"
},
{
"content": "getfullfilename",
"role": "assistant"
}
]
|
def x(file_path, ext):
if not file_path:
raise Exception('File path cannot be empty')
dirname = os.path.dirname(file_path)
filename = FileHelper.getfilename(file_path)
if ext:
filename = filename + '.' + ext
return os.path.join(dirname, filename)
| replace_ext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, ext):\n if not file_path:\n raise Exception('File path cannot be empty')\n dirname = os.path.dirname(file_path)\n filename = FileHelper.getfilename(file_path)\n if ext:\n filename = filename + '.' + ext\n return os.path.join(dirname, filename)\n",
"role": "user"
},
{
"content": "replace_ext",
"role": "assistant"
}
]
|
def x(file_path, new_name):
if not file_path:
raise Exception('File path cannot be empty')
elif not new_name:
raise Exception('New name cannot be empty')
dirname = os.path.dirname(file_path)
ext = os.path.splitext(os.path.basename(file_path))[1]
return os.path.join(dirname, new_name + ext)
| replace_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, new_name):\n if not file_path:\n raise Exception('File path cannot be empty')\n elif not new_name:\n raise Exception('New name cannot be empty')\n dirname = os.path.dirname(file_path)\n ext = os.path.splitext(os.path.basename(file_path))[1]\n return os.path.join(dirname, new_name + ext)\n",
"role": "user"
},
{
"content": "replace_name",
"role": "assistant"
}
]
|
def x(path):
path = FileHelper.abspath(path)
return [dirname for dirname in os.listdir(path) if os.path.isdir(os.
path.join(path, dirname))]
| get_child_folders | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n path = FileHelper.abspath(path)\n return [dirname for dirname in os.listdir(path) if os.path.isdir(os.\n path.join(path, dirname))]\n",
"role": "user"
},
{
"content": "get_child_folders",
"role": "assistant"
}
]
|
def x(path):
path = FileHelper.abspath(path)
return [filename for filename in os.listdir(path) if os.path.isfile(os.
path.join(path, filename))]
| get_child_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n path = FileHelper.abspath(path)\n return [filename for filename in os.listdir(path) if os.path.isfile(os.\n path.join(path, filename))]\n",
"role": "user"
},
{
"content": "get_child_files",
"role": "assistant"
}
]
|
def x(filepath):
try:
os.remove(os.path.abspath(os.path.expanduser(filepath)))
except OSError as e:
if e.errno != errno.ENOENT:
raise
| remove_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n try:\n os.remove(os.path.abspath(os.path.expanduser(filepath)))\n except OSError as e:\n if e.errno != errno.ENOENT:\n raise\n",
"role": "user"
},
{
"content": "remove_file",
"role": "assistant"
}
]
|
def x(self, pattern):
return [pattern.format(wd=self.working_dir, n=self.__name, mode=self.
__mode), pattern.format(wd=self.working_dir, n='{}.{}'.format(self.
__name, self.__mode), mode=self.__mode)]
| ptn2fn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n return [pattern.format(wd=self.working_dir, n=self.__name, mode=self.\n __mode), pattern.format(wd=self.working_dir, n='{}.{}'.format(self.\n __name, self.__mode), mode=self.__mode)]\n",
"role": "user"
},
{
"content": "ptn2fn",
"role": "assistant"
}
]
|
def x(self, *patterns):
for ptn in patterns:
self.__potential.extend(self._ptn2fn(ptn))
| add_potential | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *patterns):\n for ptn in patterns:\n self.__potential.extend(self._ptn2fn(ptn))\n",
"role": "user"
},
{
"content": "add_potential",
"role": "assistant"
}
]
|
def x(self):
for f in self.__potential:
f = FileHelper.abspath(f)
if os.path.isfile(f):
return f
return None
| locate_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for f in self.__potential:\n f = FileHelper.abspath(f)\n if os.path.isfile(f):\n return f\n return None\n",
"role": "user"
},
{
"content": "locate_config",
"role": "assistant"
}
]
|
def x(self):
if self.__config is None:
config_path = self.locate_config()
if config_path:
self.__config = self.read_file(config_path)
self.__config_path = config_path
return self.__config
| config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__config is None:\n config_path = self.locate_config()\n if config_path:\n self.__config = self.read_file(config_path)\n self.__config_path = config_path\n return self.__config\n",
"role": "user"
},
{
"content": "config",
"role": "assistant"
}
]
|
def x(self, file_path):
getLogger().info('Loading app config from {} file: {}'.format(self.
__mode, file_path))
if self.__mode == AppConfig.JSON:
return json.loads(FileHelper.read(file_path), object_pairs_hook=
OrderedDict)
elif self.__mode == AppConfig.INI:
config = configparser.ConfigParser(allow_no_value=True)
config.read(file_path)
return config
| read_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path):\n getLogger().info('Loading app config from {} file: {}'.format(self.\n __mode, file_path))\n if self.__mode == AppConfig.JSON:\n return json.loads(FileHelper.read(file_path), object_pairs_hook=\n OrderedDict)\n elif self.__mode == AppConfig.INI:\n config = configparser.ConfigParser(allow_no_value=True)\n config.read(file_path)\n return config\n",
"role": "user"
},
{
"content": "read_file",
"role": "assistant"
}
]
|
def x(self, file_path):
self.clear()
self.__config = self.read_file(file_path)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path):\n self.clear()\n self.__config = self.read_file(file_path)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
]
|
def x(sort_by_name=True):
if sort_by_name:
return sorted(_list_processes(), key=cmp_to_key(lambda p1, p2: cmp(
p1.name, p2.name) or cmp(p1.pid, p2.pid)))
else:
return sorted(_list_processes(), key=cmp_to_key(lambda p1, p2: cmp(
p1.pid, p2.pid) or cmp(p1.name, p2.name)))
| get_processes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sort_by_name=True):\n if sort_by_name:\n return sorted(_list_processes(), key=cmp_to_key(lambda p1, p2: cmp(\n p1.name, p2.name) or cmp(p1.pid, p2.pid)))\n else:\n return sorted(_list_processes(), key=cmp_to_key(lambda p1, p2: cmp(\n p1.pid, p2.pid) or cmp(p1.name, p2.name)))\n",
"role": "user"
},
{
"content": "get_processes",
"role": "assistant"
}
]
|
def x(name, arg=None):
for p in get_processes():
if p.name.lower().find(name.lower()) != -1:
if arg is not None:
for a in (p.cmdline or []):
if a.lower().find(arg.lower()) != -1:
return p
else:
return p
return None
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, arg=None):\n for p in get_processes():\n if p.name.lower().find(name.lower()) != -1:\n if arg is not None:\n for a in (p.cmdline or []):\n if a.lower().find(arg.lower()) != -1:\n return p\n else:\n return p\n return None\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
]
|
def x(command, *args, **kwargs):
wait = kwargs.pop('wait', True)
process = Process(command, args, env=kwargs.pop('env', None))
process.start()
if not wait:
return process
process.wait()
return process.exit_code, process.read(), process.eread()
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, *args, **kwargs):\n wait = kwargs.pop('wait', True)\n process = Process(command, args, env=kwargs.pop('env', None))\n process.start()\n if not wait:\n return process\n process.wait()\n return process.exit_code, process.read(), process.eread()\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
]
|
def x(command, *args, **kwargs):
logging.info('Execute: %s %s' % (command, ' '.join(args)))
try:
status, out, err = execute(command, *args, **kwargs)
if status == 0:
logging.info('%s Finished successfully. Exit Code: 0.', os.path
.basename(command))
return True
else:
try:
logging.error('%s failed! Exit Code: %s\nOut: %s\nError: %s',
os.path.basename(command), status, out, err)
except Exception as e:
logging.error(
'%s failed [%s]! Exit Code: %s\nOut: %s\nError: %s', e,
os.path.basename(command), status, repr(out), repr(err))
return False
except Exception:
logging.exception('%s failed! Exception thrown!', os.path.basename(
command))
return False
| execute_and_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, *args, **kwargs):\n logging.info('Execute: %s %s' % (command, ' '.join(args)))\n try:\n status, out, err = execute(command, *args, **kwargs)\n if status == 0:\n logging.info('%s Finished successfully. Exit Code: 0.', os.path\n .basename(command))\n return True\n else:\n try:\n logging.error('%s failed! Exit Code: %s\\nOut: %s\\nError: %s',\n os.path.basename(command), status, out, err)\n except Exception as e:\n logging.error(\n '%s failed [%s]! Exit Code: %s\\nOut: %s\\nError: %s', e,\n os.path.basename(command), status, repr(out), repr(err))\n return False\n except Exception:\n logging.exception('%s failed! Exception thrown!', os.path.basename(\n command))\n return False\n",
"role": "user"
},
{
"content": "execute_and_report",
"role": "assistant"
}
]
|
def x(username=None):
authorized_keys_path = '{0}/.ssh/authorized_keys'.format(os.path.
expanduser('~{0}'.format(username)))
rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)
tmp_authorized_keys_path = '/tmp/authorized_keys_{0}_{1}'.format(username,
rnd_chars)
authorized_keys = list()
copy_result = execute_command(shlex.split(str('{0} cp {1} {2}'.format(
sudo_check(), authorized_keys_path, tmp_authorized_keys_path))))
result_message = copy_result[0][1].decode('UTF-8')
if 'you must have a tty to run sudo' in result_message:
raise OSError(
"/etc/sudoers is blocked sudo. Remove entry: 'Defaults requiretty'."
)
elif 'No such file or directory' not in result_message:
execute_command(shlex.split(str('{0} chmod 755 {1}'.format(
sudo_check(), tmp_authorized_keys_path))))
with open(tmp_authorized_keys_path) as keys_file:
for key in keys_file:
authorized_keys.append(PublicKey(raw=key))
execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),
tmp_authorized_keys_path))))
return authorized_keys
| read_authorized_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None):\n authorized_keys_path = '{0}/.ssh/authorized_keys'.format(os.path.\n expanduser('~{0}'.format(username)))\n rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)\n tmp_authorized_keys_path = '/tmp/authorized_keys_{0}_{1}'.format(username,\n rnd_chars)\n authorized_keys = list()\n copy_result = execute_command(shlex.split(str('{0} cp {1} {2}'.format(\n sudo_check(), authorized_keys_path, tmp_authorized_keys_path))))\n result_message = copy_result[0][1].decode('UTF-8')\n if 'you must have a tty to run sudo' in result_message:\n raise OSError(\n \"/etc/sudoers is blocked sudo. Remove entry: 'Defaults requiretty'.\"\n )\n elif 'No such file or directory' not in result_message:\n execute_command(shlex.split(str('{0} chmod 755 {1}'.format(\n sudo_check(), tmp_authorized_keys_path))))\n with open(tmp_authorized_keys_path) as keys_file:\n for key in keys_file:\n authorized_keys.append(PublicKey(raw=key))\n execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),\n tmp_authorized_keys_path))))\n return authorized_keys\n",
"role": "user"
},
{
"content": "read_authorized_keys",
"role": "assistant"
}
]
|
def x(user=None):
authorized_keys = list()
authorized_keys_dir = '{0}/.ssh'.format(os.path.expanduser('~{0}'.
format(user.name)))
rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)
authorized_keys_path = '{0}/authorized_keys'.format(authorized_keys_dir)
tmp_authorized_keys_path = '/tmp/authorized_keys_{0}_{1}'.format(user.
name, rnd_chars)
if not os.path.isdir(authorized_keys_dir):
execute_command(shlex.split(str('{0} mkdir -p {1}'.format(
sudo_check(), authorized_keys_dir))))
for key in user.public_keys:
authorized_keys.append('{0}\n'.format(key.raw))
with open(tmp_authorized_keys_path, mode=text_type('w+')) as keys_file:
keys_file.writelines(authorized_keys)
execute_command(shlex.split(str('{0} cp {1} {2}'.format(sudo_check(),
tmp_authorized_keys_path, authorized_keys_path))))
execute_command(shlex.split(str('{0} chown -R {1} {2}'.format(
sudo_check(), user.name, authorized_keys_dir))))
execute_command(shlex.split(str('{0} chmod 700 {1}'.format(sudo_check(),
authorized_keys_dir))))
execute_command(shlex.split(str('{0} chmod 600 {1}'.format(sudo_check(),
authorized_keys_path))))
execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),
tmp_authorized_keys_path))))
| write_authorized_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user=None):\n authorized_keys = list()\n authorized_keys_dir = '{0}/.ssh'.format(os.path.expanduser('~{0}'.\n format(user.name)))\n rnd_chars = random_string(length=RANDOM_FILE_EXT_LENGTH)\n authorized_keys_path = '{0}/authorized_keys'.format(authorized_keys_dir)\n tmp_authorized_keys_path = '/tmp/authorized_keys_{0}_{1}'.format(user.\n name, rnd_chars)\n if not os.path.isdir(authorized_keys_dir):\n execute_command(shlex.split(str('{0} mkdir -p {1}'.format(\n sudo_check(), authorized_keys_dir))))\n for key in user.public_keys:\n authorized_keys.append('{0}\\n'.format(key.raw))\n with open(tmp_authorized_keys_path, mode=text_type('w+')) as keys_file:\n keys_file.writelines(authorized_keys)\n execute_command(shlex.split(str('{0} cp {1} {2}'.format(sudo_check(),\n tmp_authorized_keys_path, authorized_keys_path))))\n execute_command(shlex.split(str('{0} chown -R {1} {2}'.format(\n sudo_check(), user.name, authorized_keys_dir))))\n execute_command(shlex.split(str('{0} chmod 700 {1}'.format(sudo_check(),\n authorized_keys_dir))))\n execute_command(shlex.split(str('{0} chmod 600 {1}'.format(sudo_check(),\n authorized_keys_path))))\n execute_command(shlex.split(str('{0} rm {1}'.format(sudo_check(),\n tmp_authorized_keys_path))))\n",
"role": "user"
},
{
"content": "write_authorized_keys",
"role": "assistant"
}
]
|
def x(self):
if self._b64encoded:
return text_type(self._b64encoded).strip('\r\n')
else:
return base64encode(self.raw)
| b64encoded | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._b64encoded:\n return text_type(self._b64encoded).strip('\\r\\n')\n else:\n return base64encode(self.raw)\n",
"role": "user"
},
{
"content": "b64encoded",
"role": "assistant"
}
]
|
def x(self):
if self._raw:
return text_type(self._raw).strip('\r\n')
else:
return text_type(base64decode(self._b64encoded)).strip('\r\n')
| raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._raw:\n return text_type(self._raw).strip('\\r\\n')\n else:\n return text_type(base64decode(self._b64encoded)).strip('\\r\\n')\n",
"role": "user"
},
{
"content": "raw",
"role": "assistant"
}
]
|
def x(self) ->BaseParser:
if self._inner_parser is not None:
return self._inner_parser
__index, response_config = self.client.kv.get(self.endpoint, **self.
kv_get_opts)
if not response_config:
raise KVStorageKeyDoestNotExist('Key does not exist: `{0}`'.format(
self.endpoint))
config = response_config['Value']
if not config or config is self.sentinel:
raise KVStorageValueIsEmpty('Read empty config by key `{0}`'.format
(self.endpoint))
config = config.decode()
self._inner_parser = self.inner_parser_class(config=io.StringIO(config),
path_separator=self.path_separator, scope=None)
return self._inner_parser
| inner_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->BaseParser:\n if self._inner_parser is not None:\n return self._inner_parser\n __index, response_config = self.client.kv.get(self.endpoint, **self.\n kv_get_opts)\n if not response_config:\n raise KVStorageKeyDoestNotExist('Key does not exist: `{0}`'.format(\n self.endpoint))\n config = response_config['Value']\n if not config or config is self.sentinel:\n raise KVStorageValueIsEmpty('Read empty config by key `{0}`'.format\n (self.endpoint))\n config = config.decode()\n self._inner_parser = self.inner_parser_class(config=io.StringIO(config),\n path_separator=self.path_separator, scope=None)\n return self._inner_parser\n",
"role": "user"
},
{
"content": "inner_parser",
"role": "assistant"
}
]
|
def x(self, variable_path: str, default: t.Optional[t.Any]=None,
coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=
None, **kwargs):
return self.inner_parser.get(variable_path, default=default,
coerce_type=coerce_type, coercer=coercer, **kwargs)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variable_path: str, default: t.Optional[t.Any]=None,\n coerce_type: t.Optional[t.Type]=None, coercer: t.Optional[t.Callable]=\n None, **kwargs):\n return self.inner_parser.get(variable_path, default=default,\n coerce_type=coerce_type, coercer=coercer, **kwargs)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
]
|
def x(mimetype, format, requires_context=False):
global formats
global ctxless_mimetypes
global all_mimetypes
formats[mimetype] = format
if not requires_context:
ctxless_mimetypes.append(mimetype)
all_mimetypes.append(mimetype)
| add_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mimetype, format, requires_context=False):\n global formats\n global ctxless_mimetypes\n global all_mimetypes\n formats[mimetype] = format\n if not requires_context:\n ctxless_mimetypes.append(mimetype)\n all_mimetypes.append(mimetype)\n",
"role": "user"
},
{
"content": "add_format",
"role": "assistant"
}
]
|
def x(self, mimetype, format, requires_context=False):
self.formats[mimetype] = format
if not requires_context:
self.ctxless_mimetypes.append(mimetype)
self.all_mimetypes.append(mimetype)
| add_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mimetype, format, requires_context=False):\n self.formats[mimetype] = format\n if not requires_context:\n self.ctxless_mimetypes.append(mimetype)\n self.all_mimetypes.append(mimetype)\n",
"role": "user"
},
{
"content": "add_format",
"role": "assistant"
}
]
|
def x(self):
mimetype = self.default_mimetype
if mimetype is None:
mimetype = DEFAULT_MIMETYPE
if mimetype is None:
mimetype = 'application/rdf+xml'
return mimetype
| get_default_mimetype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mimetype = self.default_mimetype\n if mimetype is None:\n mimetype = DEFAULT_MIMETYPE\n if mimetype is None:\n mimetype = 'application/rdf+xml'\n return mimetype\n",
"role": "user"
},
{
"content": "get_default_mimetype",
"role": "assistant"
}
]
|
def x(self):
mimetype = self.wildcard_mimetype
if mimetype is None:
mimetype = WILDCARD_MIMETYPE
if mimetype is None:
mimetype = 'application/rdf+xml'
return mimetype
| get_wildcard_mimetype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mimetype = self.wildcard_mimetype\n if mimetype is None:\n mimetype = WILDCARD_MIMETYPE\n if mimetype is None:\n mimetype = 'application/rdf+xml'\n return mimetype\n",
"role": "user"
},
{
"content": "get_wildcard_mimetype",
"role": "assistant"
}
]
|
def x(self, accepts, context_aware=False):
mimetype = None
if accepts is None or accepts.strip() == '':
mimetype = self.get_default_mimetype()
return mimetype
if context_aware:
mimetype = mimeparse.best_match(all_mimetypes + self.all_mimetypes +
[WILDCARD], accepts)
else:
mimetype = mimeparse.best_match(ctxless_mimetypes + self.
ctxless_mimetypes + [WILDCARD], accepts)
if mimetype == '':
mimetype = None
if mimetype == WILDCARD:
mimetype = self.get_wildcard_mimetype()
return mimetype
| decide_mimetype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, accepts, context_aware=False):\n mimetype = None\n if accepts is None or accepts.strip() == '':\n mimetype = self.get_default_mimetype()\n return mimetype\n if context_aware:\n mimetype = mimeparse.best_match(all_mimetypes + self.all_mimetypes +\n [WILDCARD], accepts)\n else:\n mimetype = mimeparse.best_match(ctxless_mimetypes + self.\n ctxless_mimetypes + [WILDCARD], accepts)\n if mimetype == '':\n mimetype = None\n if mimetype == WILDCARD:\n mimetype = self.get_wildcard_mimetype()\n return mimetype\n",
"role": "user"
},
{
"content": "decide_mimetype",
"role": "assistant"
}
]
|
def x(self, mimetype):
format = self.formats.get(mimetype, None)
if format is None:
format = formats.get(mimetype, None)
return format
| get_serialize_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mimetype):\n format = self.formats.get(mimetype, None)\n if format is None:\n format = formats.get(mimetype, None)\n return format\n",
"role": "user"
},
{
"content": "get_serialize_format",
"role": "assistant"
}
]
|
def x(self, accepts, context_aware=False):
mimetype = self.decide_mimetype(accepts, context_aware)
if mimetype is not None:
return mimetype, self.get_serialize_format(mimetype)
else:
return None, None
| decide | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, accepts, context_aware=False):\n mimetype = self.decide_mimetype(accepts, context_aware)\n if mimetype is not None:\n return mimetype, self.get_serialize_format(mimetype)\n else:\n return None, None\n",
"role": "user"
},
{
"content": "decide",
"role": "assistant"
}
]
|
def x(self, accepts):
mimetype = mimeparse.best_match(all_mimetypes + self.all_mimetypes + [
WILDCARD], accepts)
return mimetype and mimetype != WILDCARD
| wants_rdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, accepts):\n mimetype = mimeparse.best_match(all_mimetypes + self.all_mimetypes + [\n WILDCARD], accepts)\n return mimetype and mimetype != WILDCARD\n",
"role": "user"
},
{
"content": "wants_rdf",
"role": "assistant"
}
]
|
async def send_http(session, method, url, *, retries=1, interval=1, backoff
=2, http_status_codes_to_retry=HTTP_STATUS_CODES_TO_RETRY, fn=lambda x:
x, **kwargs):
"""
Sends a HTTP request and implements a retry logic.
Arguments:
session (obj): A client aiohttp session object
method (str): Method to use
url (str): URL for the request
retries (int): Number of times to retry in case of failure
interval (float): Time to wait before retries
backoff (int): Multiply interval by this factor after each failure
http_status_codes_to_retry (List[int]): List of status codes to retry
fn (Callable[[x],x]: Function to call on successful connection
"""
backoff_interval = interval
raised_exc = None
attempt = 0
if method not in ['get', 'patch', 'post']:
raise ValueError
if retries == -1:
attempt = -1
elif retries == 0:
attempt = 1
else:
attempt = retries + 1
while attempt != 0:
if raised_exc:
logger.error(
'Caught "%s" url:%s method:%s, remaining tries %s, sleeping %.2fsecs'
, raised_exc, method.upper(), url, attempt, backoff_interval)
await asyncio.sleep(backoff_interval)
backoff_interval *= backoff
try:
async with (await getattr(session, method)(url, **kwargs)
) as response:
if response.status == 200:
return await fn(response)
elif response.status in http_status_codes_to_retry:
logger.error(
'Received invalid response code:%s error:%s response:%s url:%s'
, response.status, '', response.reason, url)
raise aiohttp.ClientResponseError(code=response.status,
message=response.reason, request_info=response.
request_info, history=response.history)
else:
raise FailedRequest(code=response.status, message=
'Non-retryable response code', raised=
'aiohttp.ClientResponseError', url=url)
except aiohttp.ClientError as exc:
try:
code = exc.code
except AttributeError:
code = ''
raised_exc = FailedRequest(code=code, message=exc, raised=
'%s.%s' % (exc.__class__.__module__, exc.__class__.
__qualname__), url=url)
except asyncio.TimeoutError as exc:
raised_exc = FailedRequest(code='', message=
'asyncio.TimeoutError', raised='%s.%s' % (exc.__class__.
__module__, exc.__class__.__qualname__), url=url)
else:
raised_exc = None
break
attempt -= 1
if raised_exc:
raise raised_exc
| send_http | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def send_http(session, method, url, *, retries=1, interval=1, backoff\n =2, http_status_codes_to_retry=HTTP_STATUS_CODES_TO_RETRY, fn=lambda x:\n x, **kwargs):\n \"\"\"\n Sends a HTTP request and implements a retry logic.\n\n Arguments:\n session (obj): A client aiohttp session object\n method (str): Method to use\n url (str): URL for the request\n retries (int): Number of times to retry in case of failure\n interval (float): Time to wait before retries\n backoff (int): Multiply interval by this factor after each failure\n http_status_codes_to_retry (List[int]): List of status codes to retry\n fn (Callable[[x],x]: Function to call on successful connection\n \"\"\"\n backoff_interval = interval\n raised_exc = None\n attempt = 0\n if method not in ['get', 'patch', 'post']:\n raise ValueError\n if retries == -1:\n attempt = -1\n elif retries == 0:\n attempt = 1\n else:\n attempt = retries + 1\n while attempt != 0:\n if raised_exc:\n logger.error(\n 'Caught \"%s\" url:%s method:%s, remaining tries %s, sleeping %.2fsecs'\n , raised_exc, method.upper(), url, attempt, backoff_interval)\n await asyncio.sleep(backoff_interval)\n backoff_interval *= backoff\n try:\n async with (await getattr(session, method)(url, **kwargs)\n ) as response:\n if response.status == 200:\n return await fn(response)\n elif response.status in http_status_codes_to_retry:\n logger.error(\n 'Received invalid response code:%s error:%s response:%s url:%s'\n , response.status, '', response.reason, url)\n raise aiohttp.ClientResponseError(code=response.status,\n message=response.reason, request_info=response.\n request_info, history=response.history)\n else:\n raise FailedRequest(code=response.status, message=\n 'Non-retryable response code', raised=\n 'aiohttp.ClientResponseError', url=url)\n except aiohttp.ClientError as exc:\n try:\n code = exc.code\n except AttributeError:\n code = ''\n raised_exc = FailedRequest(code=code, message=exc, raised=\n '%s.%s' % (exc.__class__.__module__, exc.__class__.\n __qualname__), url=url)\n except asyncio.TimeoutError as exc:\n raised_exc = FailedRequest(code='', message=\n 'asyncio.TimeoutError', raised='%s.%s' % (exc.__class__.\n __module__, exc.__class__.__qualname__), url=url)\n else:\n raised_exc = None\n break\n attempt -= 1\n if raised_exc:\n raise raised_exc\n",
"role": "user"
},
{
"content": "send_http",
"role": "assistant"
}
]
|
def x(self, writer):
with codecs_open(os.path.join(os.path.dirname(__file__),
'sitemap-stylesheet.xsl'), 'r', encoding='utf-8') as fd_origin:
with codecs_open(os.path.join(self.path_output,
'sitemap-stylesheet.xsl'), 'w', encoding='utf-8'
) as fd_destination:
xsl = fd_origin.read()
xsl = xsl.replace('{{ SITENAME }}', self.context.get('SITENAME'))
fd_destination.write(xsl)
urls = ''
articles_sorted = sorted(self.context['articles'], key=self.
__get_date_key, reverse=True)
pages_with_date = list(filter(lambda p: getattr(p, 'modified', False) or
getattr(p, 'date', False), self.context.get('pages')))
pages_with_date_sorted = sorted(pages_with_date, key=self.
__get_date_key, reverse=True)
pages_without_date = list(filter(lambda p: getattr(p, 'modified', None) is
None and getattr(p, 'date', None) is None, self.context.get('pages')))
pages_without_date_sorted = sorted(pages_without_date, key=self.
__get_title_key, reverse=False)
pages_sorted = pages_with_date_sorted + pages_without_date_sorted
if 'index' in self.context.get('DIRECT_TEMPLATES'):
index_reference = None
if len(articles_sorted) > 0:
index_reference = articles_sorted[0]
elif len(pages_sorted) > 0:
index_reference = pages_sorted[0]
if index_reference is not None:
urls += self.__create_url_node_for_content(index_reference,
'index', url=self.url_site)
for article in articles_sorted:
urls += self.__create_url_node_for_content(article, 'articles', url
=urljoin(self.url_site, article.url))
for page in pages_sorted:
urls += self.__create_url_node_for_content(page, 'pages', url=
urljoin(self.url_site, page.url))
if self.context.get('CATEGORY_URL'):
urls += self.__process_url_wrapper_elements(self.context.get(
'categories'))
if self.context.get('TAG_URL'):
urls += self.__process_url_wrapper_elements(sorted(self.context.get
('tags'), key=lambda x: x[0].name))
if self.context.get('AUTHOR_URL'):
urls += self.__process_url_wrapper_elements(self.context.get('authors')
)
for direct_template in list(filter(lambda p: p != 'index', self.context
.get('DIRECT_TEMPLATES'))):
modification_time = getattr(articles_sorted[0], 'modified', getattr
(articles_sorted[0], 'date', None))
url = self.__get_direct_template_url(direct_template)
urls += self.__create_url_node_for_content(None, 'others', url,
modification_time)
with codecs_open(os.path.join(self.path_output, 'sitemap.xml'), 'w',
encoding='utf-8') as fd:
fd.write(self.xml_wrap % {'SITEURL': self.url_site, 'urls': urls})
| generate_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer):\n with codecs_open(os.path.join(os.path.dirname(__file__),\n 'sitemap-stylesheet.xsl'), 'r', encoding='utf-8') as fd_origin:\n with codecs_open(os.path.join(self.path_output,\n 'sitemap-stylesheet.xsl'), 'w', encoding='utf-8'\n ) as fd_destination:\n xsl = fd_origin.read()\n xsl = xsl.replace('{{ SITENAME }}', self.context.get('SITENAME'))\n fd_destination.write(xsl)\n urls = ''\n articles_sorted = sorted(self.context['articles'], key=self.\n __get_date_key, reverse=True)\n pages_with_date = list(filter(lambda p: getattr(p, 'modified', False) or\n getattr(p, 'date', False), self.context.get('pages')))\n pages_with_date_sorted = sorted(pages_with_date, key=self.\n __get_date_key, reverse=True)\n pages_without_date = list(filter(lambda p: getattr(p, 'modified', None) is\n None and getattr(p, 'date', None) is None, self.context.get('pages')))\n pages_without_date_sorted = sorted(pages_without_date, key=self.\n __get_title_key, reverse=False)\n pages_sorted = pages_with_date_sorted + pages_without_date_sorted\n if 'index' in self.context.get('DIRECT_TEMPLATES'):\n index_reference = None\n if len(articles_sorted) > 0:\n index_reference = articles_sorted[0]\n elif len(pages_sorted) > 0:\n index_reference = pages_sorted[0]\n if index_reference is not None:\n urls += self.__create_url_node_for_content(index_reference,\n 'index', url=self.url_site)\n for article in articles_sorted:\n urls += self.__create_url_node_for_content(article, 'articles', url\n =urljoin(self.url_site, article.url))\n for page in pages_sorted:\n urls += self.__create_url_node_for_content(page, 'pages', url=\n urljoin(self.url_site, page.url))\n if self.context.get('CATEGORY_URL'):\n urls += self.__process_url_wrapper_elements(self.context.get(\n 'categories'))\n if self.context.get('TAG_URL'):\n urls += self.__process_url_wrapper_elements(sorted(self.context.get\n ('tags'), key=lambda x: x[0].name))\n if self.context.get('AUTHOR_URL'):\n urls += self.__process_url_wrapper_elements(self.context.get('authors')\n )\n for direct_template in list(filter(lambda p: p != 'index', self.context\n .get('DIRECT_TEMPLATES'))):\n modification_time = getattr(articles_sorted[0], 'modified', getattr\n (articles_sorted[0], 'date', None))\n url = self.__get_direct_template_url(direct_template)\n urls += self.__create_url_node_for_content(None, 'others', url,\n modification_time)\n with codecs_open(os.path.join(self.path_output, 'sitemap.xml'), 'w',\n encoding='utf-8') as fd:\n fd.write(self.xml_wrap % {'SITEURL': self.url_site, 'urls': urls})\n",
"role": "user"
},
{
"content": "generate_output",
"role": "assistant"
}
]
|
def x(self, name):
url = self.pelican_settings.get('{}_SAVE_AS'.format(name.upper()))
if url is None:
url = self.settings.get('{}_URL'.format(name.upper()), '{}.html'.
format(name))
return urljoin(self.url_site, url)
| get_direct_template_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n url = self.pelican_settings.get('{}_SAVE_AS'.format(name.upper()))\n if url is None:\n url = self.settings.get('{}_URL'.format(name.upper()), '{}.html'.\n format(name))\n return urljoin(self.url_site, url)\n",
"role": "user"
},
{
"content": "get_direct_template_url",
"role": "assistant"
}
]
|
def x(self, elements):
urls = ''
for url_wrapper, articles in elements:
urls += self.__create_url_node_for_content(url_wrapper, 'others',
url=urljoin(self.url_site, url_wrapper.url), modification_time=
self.__get_date_key(sorted(articles, key=self.__get_date_key,
reverse=True)[0]))
return urls
| process_url_wrapper_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elements):\n urls = ''\n for url_wrapper, articles in elements:\n urls += self.__create_url_node_for_content(url_wrapper, 'others',\n url=urljoin(self.url_site, url_wrapper.url), modification_time=\n self.__get_date_key(sorted(articles, key=self.__get_date_key,\n reverse=True)[0]))\n return urls\n",
"role": "user"
},
{
"content": "process_url_wrapper_elements",
"role": "assistant"
}
]
|
def x(self, content, content_type, url=None, modification_time=None):
loc = url
if loc is None:
loc = urljoin(self.url_site, self.context.get('ARTICLE_URL').format
(**content.url_format))
lastmod = None
if modification_time is not None:
lastmod = modification_time.strftime('%Y-%m-%d')
elif content is not None:
if getattr(content, 'modified', None) is not None:
lastmod = getattr(content, 'modified').strftime('%Y-%m-%d')
elif getattr(content, 'date', None) is not None:
lastmod = getattr(content, 'date').strftime('%Y-%m-%d')
output = '<loc>{}</loc>'.format(loc)
if lastmod is not None:
output += '\n<lastmod>{}</lastmod>'.format(lastmod)
output += '\n<changefreq>{}</changefreq>'.format(self.settings.get(
'changefrequencies').get(content_type))
output += '\n<priority>{:.2f}</priority>'.format(self.settings.get(
'priorities').get(content_type))
return self.template_url.format(output)
| create_url_node_for_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content, content_type, url=None, modification_time=None):\n loc = url\n if loc is None:\n loc = urljoin(self.url_site, self.context.get('ARTICLE_URL').format\n (**content.url_format))\n lastmod = None\n if modification_time is not None:\n lastmod = modification_time.strftime('%Y-%m-%d')\n elif content is not None:\n if getattr(content, 'modified', None) is not None:\n lastmod = getattr(content, 'modified').strftime('%Y-%m-%d')\n elif getattr(content, 'date', None) is not None:\n lastmod = getattr(content, 'date').strftime('%Y-%m-%d')\n output = '<loc>{}</loc>'.format(loc)\n if lastmod is not None:\n output += '\\n<lastmod>{}</lastmod>'.format(lastmod)\n output += '\\n<changefreq>{}</changefreq>'.format(self.settings.get(\n 'changefrequencies').get(content_type))\n output += '\\n<priority>{:.2f}</priority>'.format(self.settings.get(\n 'priorities').get(content_type))\n return self.template_url.format(output)\n",
"role": "user"
},
{
"content": "create_url_node_for_content",
"role": "assistant"
}
]
|
def x(_platform):
missing = list()
if _platform in ('Linux', 'OpenBSD'):
if not LINUX_CMD_USERADD:
missing.append('useradd')
if not LINUX_CMD_USERMOD:
missing.append('usermod')
if not LINUX_CMD_USERDEL:
missing.append('userdel')
if not LINUX_CMD_GROUP_ADD:
missing.append('groupadd')
if not LINUX_CMD_GROUP_DEL:
missing.append('groupdel')
elif _platform == 'FreeBSD':
if not FREEBSD_CMD_PW:
missing.append('pw')
if missing:
print('\nMISSING = {0}'.format(missing))
return missing
| get_missing_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_platform):\n missing = list()\n if _platform in ('Linux', 'OpenBSD'):\n if not LINUX_CMD_USERADD:\n missing.append('useradd')\n if not LINUX_CMD_USERMOD:\n missing.append('usermod')\n if not LINUX_CMD_USERDEL:\n missing.append('userdel')\n if not LINUX_CMD_GROUP_ADD:\n missing.append('groupadd')\n if not LINUX_CMD_GROUP_DEL:\n missing.append('groupdel')\n elif _platform == 'FreeBSD':\n if not FREEBSD_CMD_PW:\n missing.append('pw')\n if missing:\n print('\\nMISSING = {0}'.format(missing))\n return missing\n",
"role": "user"
},
{
"content": "get_missing_commands",
"role": "assistant"
}
]
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.