source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
cmd = 'git log --oneline {}'.format(self.sha1)
out = shell.run(cmd, capture=True, never_pretend=True).stdout.strip()
return len(out.splitlines())
| number | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = 'git log --oneline {}'.format(self.sha1)\n out = shell.run(cmd, capture=True, never_pretend=True).stdout.strip()\n return len(out.split... |
def x(cls, sha1=''):
with conf.within_proj_dir():
cmd = 'git show -s --format="%H||%an||%ae||%s||%b||%P" {}'.format(sha1)
result = shell.run(cmd, capture=True, never_pretend=True).stdout
sha1, name, email, title, desc, parents = result.split('||')
return CommitDetails(sha1=sha1, author=Autho... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, sha1=''):\n with conf.within_proj_dir():\n cmd = 'git show -s --format=\"%H||%an||%ae||%s||%b||%P\" {}'.format(sha1)\n result = shell.run... |
def x():
log = logging.getLogger(Logify.get_name() + '.logify.main')
log.info('logger name is: %s', Logify.get_name())
log.debug('This is DEBUG')
log.info('This is INFO')
log.warning('This is a WARNING')
log.error('This is an ERROR')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(Logify.get_name() + '.logify.main')\n log.info('logger name is: %s', Logify.get_name())\n log.debug('This is DEBUG')\n ... |
def x(cls, log_level):
log = logging.getLogger(cls.cls_logger + '.set_log_level')
log.info('Attempting to set the log level...')
if log_level is None:
log.info('Arg loglevel was None, log level will not be updated.')
return False
if not isinstance(log_level, basestring):
log.erro... | set_log_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, log_level):\n log = logging.getLogger(cls.cls_logger + '.set_log_level')\n log.info('Attempting to set the log level...')\n if log_level is None:... |
def x(self, index, name):
result = self.ES.search(index=index, body={'query': {'match_phrase': {
'name': name}}})
hits = result['hits']['hits']
if not hits:
return {}
elif len(hits) == 1:
return hits[0]['_source']
else:
for h in hits:
source = h['_source']... | get_record_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, name):\n result = self.ES.search(index=index, body={'query': {'match_phrase': {\n 'name': name}}})\n hits = result['hits']['hits']\n ... |
def x(obj, name):
for part in name.split('.'):
obj = getattr(obj, part)
return obj
| getattr_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, name):\n for part in name.split('.'):\n obj = getattr(obj, part)\n return obj\n",
"role": "user"
},
{
"content": "getattr_in",
... |
def x(name):
obj = name
if isinstance(name, str) and len(name):
try:
obj = locate(name)
assert obj is not None
except (AttributeError, TypeError, AssertionError, ErrorDuringImport):
try:
name = name.split('.')
attr = name[-1]
... | import_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n obj = name\n if isinstance(name, str) and len(name):\n try:\n obj = locate(name)\n assert obj is not None\n ... |
def x(obj):
try:
obj = obj.fget
except (AttributeError, TypeError):
pass
try:
if obj.func.__doc__ == obj.__doc__:
obj = obj.func
except AttributeError:
pass
try:
obj = obj.getter
except AttributeError:
pass
try:
obj = inspec... | unwrap_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n try:\n obj = obj.fget\n except (AttributeError, TypeError):\n pass\n try:\n if obj.func.__doc__ == obj.__doc__:\n ... |
def x(output_path, modality):
if modality is None:
return output_path
else:
if modality in ('T1w', 'T2star', 'FLAIR', 'PD'):
modality = 'anat'
elif modality == 'bold':
modality = 'func'
elif modality == 'epi':
modality = 'fmap'
elif mod... | add_modality | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_path, modality):\n if modality is None:\n return output_path\n else:\n if modality in ('T1w', 'T2star', 'FLAIR', 'PD'):\n ... |
def x():
with within_proj_dir():
if os.path.exists('pelconf.yaml'):
load_yaml_config('pelconf.yaml')
if os.path.exists('pelconf.py'):
load_py_config('pelconf.py')
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with within_proj_dir():\n if os.path.exists('pelconf.yaml'):\n load_yaml_config('pelconf.yaml')\n if os.path.exists('pelconf.p... |
def x(conf_file):
global g_config
with open(conf_file) as fp:
g_config = util.yaml_load(fp)
src_dir = get_path('src_dir', None)
if src_dir is not None:
sys.path.insert(0, src_dir)
for cmd in get('commands', []):
_import(cmd)
| load_yaml_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conf_file):\n global g_config\n with open(conf_file) as fp:\n g_config = util.yaml_load(fp)\n src_dir = get_path('src_dir', None)\n ... |
def x(conf_file):
if sys.version_info >= (3, 5):
from importlib import util
spec = util.spec_from_file_location('pelconf', conf_file)
mod = util.module_from_spec(spec)
spec.loader.exec_module(mod)
elif sys.version_info >= (3, 3):
from importlib import machinery
lo... | load_py_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conf_file):\n if sys.version_info >= (3, 5):\n from importlib import util\n spec = util.spec_from_file_location('pelconf', conf_file)\n ... |
def x(filename):
template_file = os.path.join(PKG_DIR, 'templates', filename)
with open(template_file) as fp:
return fp.read()
| load_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n template_file = os.path.join(PKG_DIR, 'templates', filename)\n with open(template_file) as fp:\n return fp.read()\n",
"role": "us... |
def x(*path_parts):
path_parts = path_parts or ['.']
if not os.path.isabs(path_parts[0]):
proj_path = _find_proj_root()
if proj_path is not None:
path_parts = [proj_path] + list(path_parts)
return os.path.normpath(os.path.join(*path_parts))
| proj_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*path_parts):\n path_parts = path_parts or ['.']\n if not os.path.isabs(path_parts[0]):\n proj_path = _find_proj_root()\n if proj_path is n... |
def x(path='.'):
curr_dir = os.getcwd()
os.chdir(proj_path(path))
yield
os.chdir(curr_dir)
| within_proj_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path='.'):\n curr_dir = os.getcwd()\n os.chdir(proj_path(path))\n yield\n os.chdir(curr_dir)\n",
"role": "user"
},
{
"content": "within... |
def x(name, *default):
global g_config
curr = g_config
for part in name.split('.'):
if part in curr:
curr = curr[part]
elif default:
return default[0]
else:
raise AttributeError("Config value '{}' does not exist".format(
name))
... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, *default):\n global g_config\n curr = g_config\n for part in name.split('.'):\n if part in curr:\n curr = curr[part]\n ... |
def x(name, *default):
global g_config
value = get(name, *default)
if value is None:
return None
return proj_path(value)
| get_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, *default):\n global g_config\n value = get(name, *default)\n if value is None:\n return None\n return proj_path(value)\n",
"role":... |
def x():
proj_files = frozenset(('pelconf.py', 'pelconf.yaml'))
curr = os.getcwd()
while curr.startswith('/') and len(curr) > 1:
if proj_files & frozenset(os.listdir(curr)):
return curr
else:
curr = os.path.dirname(curr)
return None
| find_proj_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n proj_files = frozenset(('pelconf.py', 'pelconf.yaml'))\n curr = os.getcwd()\n while curr.startswith('/') and len(curr) > 1:\n if proj_file... |
def x(verified_entity, verification_key):
verification = get_object_or_none(Verification, verified_entity=
verified_entity)
if verification is None:
raise ServerError(VerificationHandler.STATUS_VERIFICATION_NOT_FOUND)
if not verification.verify(verification_key):
raise ServerError(Ve... | verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(verified_entity, verification_key):\n verification = get_object_or_none(Verification, verified_entity=\n verified_entity)\n if verification is Non... |
def x(el: Element, int_tags: list):
if el.text is None:
return None
try:
if el.tag in int_tags:
return int(el.text)
except:
pass
s = str(el.text).strip()
return s if s else None
| xml_element_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(el: Element, int_tags: list):\n if el.text is None:\n return None\n try:\n if el.tag in int_tags:\n return int(el.text)\n exc... |
def x(s: str, strip_namespaces: bool) ->str:
if strip_namespaces:
ns_end = s.find('}')
if ns_end != -1:
s = s[ns_end + 1:]
else:
ns_end = s.find(':')
if ns_end != -1:
s = s[ns_end + 1:]
return s
| xml_tag_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s: str, strip_namespaces: bool) ->str:\n if strip_namespaces:\n ns_end = s.find('}')\n if ns_end != -1:\n s = s[ns_end + 1:]\n ... |
def x(xml_bytes: bytes, tags: list=[], array_tags: list=[], int_tags: list=
[], strip_namespaces: bool=True, parse_attributes: bool=True, value_key:
str='@', attribute_prefix: str='@', document_tag: bool=False) ->dict:
from xml.etree import ElementTree as ET
root = ET.fromstring(xml_bytes)
if tags:
... | xml_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_bytes: bytes, tags: list=[], array_tags: list=[], int_tags: list=\n [], strip_namespaces: bool=True, parse_attributes: bool=True, value_key:\n str='@... |
def x(doc: dict, value_key: str='@', attribute_prefix: str='@') ->Element:
from xml.etree import ElementTree as ET
if len(doc) != 1:
raise Exception(
'Invalid data dict for XML generation, document root must have single element'
)
for tag, data in doc.items():
el = ET... | dict_to_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doc: dict, value_key: str='@', attribute_prefix: str='@') ->Element:\n from xml.etree import ElementTree as ET\n if len(doc) != 1:\n raise Excepti... |
def x():
ls = local()
def x(self):
try:
return ls.var
except AttributeError:
raise RuntimeError('Request context not initialized.')
def x(self, value):
ls.var = value
def x(self):
del ls.var
return property(fget, fset, fdel, 'Thread-local pr... | local_property | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ls = local()\n\n def x(self):\n try:\n return ls.var\n except AttributeError:\n raise RuntimeError('Request cont... |
def x(bucket_name, regex, region_name=None, aws_access_key_id=None,
aws_secret_access_key=None):
log = logging.getLogger(mod_logger + '.find_bucket_keys')
matched_keys = []
if not isinstance(regex, basestring):
log.error('regex argument is not a string, found: {t}'.format(t=
regex.__... | find_bucket_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bucket_name, regex, region_name=None, aws_access_key_id=None,\n aws_secret_access_key=None):\n log = logging.getLogger(mod_logger + '.find_bucket_keys')\... |
def x():
log = logging.getLogger(mod_logger + '.main')
log.debug('This is DEBUG!')
log.info('This is INFO!')
log.warning('This is WARNING!')
log.error('This is ERROR!')
log.info('Running s3util.main...')
my_bucket = 'cons3rt-deploying-cons3rt'
my_regex = 'sourcebuilder.*apache-maven-.*3.... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.main')\n log.debug('This is DEBUG!')\n log.info('This is INFO!')\n log.warning('This is WARNING!')\n ... |
def x(self, key, dest_dir):
log = logging.getLogger(self.cls_logger + '.download_file_by_key')
if not isinstance(key, basestring):
log.error('key argument is not a string')
return None
if not isinstance(dest_dir, basestring):
log.error('dest_dir argument is not a string')
ret... | download_file_by_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, dest_dir):\n log = logging.getLogger(self.cls_logger + '.download_file_by_key')\n if not isinstance(key, basestring):\n log.error('key ... |
def x(self, regex, dest_dir):
log = logging.getLogger(self.cls_logger + '.download_file')
if not isinstance(regex, basestring):
log.error('regex argument is not a string')
return None
if not isinstance(dest_dir, basestring):
log.error('dest_dir argument is not a string')
retu... | download_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regex, dest_dir):\n log = logging.getLogger(self.cls_logger + '.download_file')\n if not isinstance(regex, basestring):\n log.error('regex a... |
def x(self, regex):
log = logging.getLogger(self.cls_logger + '.find_key')
if not isinstance(regex, basestring):
log.error('regex argument is not a string')
return None
log.info('Looking up a single S3 key based on regex: %s', regex)
matched_keys = []
for item in self.bucket.objects.... | find_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regex):\n log = logging.getLogger(self.cls_logger + '.find_key')\n if not isinstance(regex, basestring):\n log.error('regex argument is not ... |
def x(self, regex, bucket_name=None):
log = logging.getLogger(self.cls_logger + '.find_keys')
matched_keys = []
if not isinstance(regex, basestring):
log.error('regex argument is not a string, found: {t}'.format(t=
regex.__class__.__name__))
return None
if bucket_name is None... | find_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regex, bucket_name=None):\n log = logging.getLogger(self.cls_logger + '.find_keys')\n matched_keys = []\n if not isinstance(regex, basestring):\... |
def x(self, filepath, key):
log = logging.getLogger(self.cls_logger + '.upload_file')
log.info('Attempting to upload file %s to S3 bucket %s as key %s...',
filepath, self.bucket_name, key)
if not isinstance(filepath, basestring):
log.error('filepath argument is not a string')
return ... | upload_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, key):\n log = logging.getLogger(self.cls_logger + '.upload_file')\n log.info('Attempting to upload file %s to S3 bucket %s as key %s...',... |
def x(self, key_to_delete):
log = logging.getLogger(self.cls_logger + '.delete_key')
log.info('Attempting to delete key: {k}'.format(k=key_to_delete))
try:
self.s3client.delete_object(Bucket=self.bucket_name, Key=key_to_delete)
except ClientError:
_, ex, trace = sys.exc_info()
lo... | delete_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key_to_delete):\n log = logging.getLogger(self.cls_logger + '.delete_key')\n log.info('Attempting to delete key: {k}'.format(k=key_to_delete))\n ... |
def x(branch_type):
branch = git.current_branch(refresh=True)
if branch.type != branch_type:
if context.get('pretend', False):
log.info("Would assert that you're on a <33>{}/*<32> branch",
branch_type)
else:
log.err('Not on a <33>{}<31> branch!', branch_ty... | assert_branch_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(branch_type):\n branch = git.current_branch(refresh=True)\n if branch.type != branch_type:\n if context.get('pretend', False):\n log.in... |
def x(branch_name):
branch = git.current_branch(refresh=True)
if branch.name != branch_name:
if context.get('pretend', False):
log.info("Would assert that you're on a <33>{}<32> branch",
branch_name)
else:
log.err("You're not on a <33>{}<31> branch!", bran... | assert_on_branch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(branch_name):\n branch = git.current_branch(refresh=True)\n if branch.name != branch_name:\n if context.get('pretend', False):\n log.in... |
def x(branch_name):
if branch_name not in git.protected_branches():
log.info('Deleting branch <33>{}', branch_name)
shell.run('git branch -d {}'.format(branch_name))
| git_branch_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(branch_name):\n if branch_name not in git.protected_branches():\n log.info('Deleting branch <33>{}', branch_name)\n shell.run('git branch -d {... |
def x(new_name):
curr_name = git.current_branch(refresh=True).name
if curr_name not in git.protected_branches():
log.info('Renaming branch from <33>{}<32> to <33>{}'.format(
curr_name, new_name))
shell.run('git branch -m {}'.format(new_name))
| git_branch_rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(new_name):\n curr_name = git.current_branch(refresh=True).name\n if curr_name not in git.protected_branches():\n log.info('Renaming branch from <3... |
def x(branch_name, create=False):
log.info('Checking out <33>{}'.format(branch_name))
shell.run('git checkout {} {}'.format('-b' if create else '', branch_name))
| git_checkout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(branch_name, create=False):\n log.info('Checking out <33>{}'.format(branch_name))\n shell.run('git checkout {} {}'.format('-b' if create else '', branch_... |
def x(base, head, no_ff=False):
pretend = context.get('pretend', False)
branch = git.current_branch(refresh=True)
if branch.name != base and not pretend:
git_checkout(base)
args = []
if no_ff:
args.append('--no-ff')
log.info('Merging <33>{}<32> into <33>{}<32>', head, base)
s... | git_merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base, head, no_ff=False):\n pretend = context.get('pretend', False)\n branch = git.current_branch(refresh=True)\n if branch.name != base and not prete... |
def x():
base_branch = git.guess_base_branch()
if base_branch is None:
log.info("Can't guess the base branch, you have to pick one yourself:")
base_branch = choose_branch()
return base_branch
| get_base_branch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n base_branch = git.guess_base_branch()\n if base_branch is None:\n log.info(\"Can't guess the base branch, you have to pick one yourself:\")\n... |
def x(exclude=None):
if exclude is None:
master = conf.get('git.master_branch', 'master')
develop = conf.get('git.devel_branch', 'develop')
exclude = {master, develop}
branches = list(set(git.branches()) - exclude)
for i, branch_name in enumerate(branches):
shell.cprint('<90>... | choose_branch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exclude=None):\n if exclude is None:\n master = conf.get('git.master_branch', 'master')\n develop = conf.get('git.devel_branch', 'develop')\n ... |
def x():
def x(cls):
import inspect
if inspect.getmodule(cls).__name__ == '__main__':
cls().run()
return cls
return wrapper
| autorun | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(cls):\n import inspect\n if inspect.getmodule(cls).__name__ == '__main__':\n cls().run()\n return cls\n retu... |
def x(*seqs):
for seq in seqs:
for item in seq:
if isinstance(item, (tuple, list, UserList)):
for subitem in flatten(item):
yield subitem
else:
yield item
| flatten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*seqs):\n for seq in seqs:\n for item in seq:\n if isinstance(item, (tuple, list, UserList)):\n for subitem in flatten(item... |
def x(seq):
seq = seq.copy()
choose = rng().choice
remove = seq.remove
for x in range(len(seq)):
y = choose(seq)
remove(y)
yield y
| randrange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq):\n seq = seq.copy()\n choose = rng().choice\n remove = seq.remove\n for x in range(len(seq)):\n y = choose(seq)\n remove(y)\n ... |
def x(a, b, residuals=False):
from warnings import warn
from scipy.linalg.blas import dgemm
a = np.asarray(a, order='c')
i = dgemm(alpha=1.0, a=a.T, b=a.T, trans_b=True)
x = np.linalg.solve(i, dgemm(alpha=1.0, a=a.T, b=b)).flatten()
if residuals:
return x, np.linalg.norm(np.dot(a, x) - b... | linear_least_squares | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, residuals=False):\n from warnings import warn\n from scipy.linalg.blas import dgemm\n a = np.asarray(a, order='c')\n i = dgemm(alpha=1.0, a=a... |
def x(ip_address):
log = logging.getLogger(mod_logger + '.validate_ip_address')
if not isinstance(ip_address, basestring):
log.warn('ip_address argument is not a string')
return False
num_dots = 0
for c in ip_address:
if c == '.':
num_dots += 1
if num_dots != 3:
... | validate_ip_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip_address):\n log = logging.getLogger(mod_logger + '.validate_ip_address')\n if not isinstance(ip_address, basestring):\n log.warn('ip_address ar... |
def x(self, some_object):
some_object.validate_model()
some_object.save()
self.send_success_response(data=some_object.to_dict())
| save_logic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, some_object):\n some_object.validate_model()\n some_object.save()\n self.send_success_response(data=some_object.to_dict())\n",
"role": "user... |
def x(msg, *args, **kw):
global is_tty
if len(args) or len(kw):
msg = msg.format(*args, **kw)
opcode_subst = '\x1b[\\1m' if is_tty else ''
return re.sub('<(\\d{1,2})>', opcode_subst, msg)
| fmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, *args, **kw):\n global is_tty\n if len(args) or len(kw):\n msg = msg.format(*args, **kw)\n opcode_subst = '\\x1b[\\\\1m' if is_tty else ''... |
def x(msg, *args, **kw):
if len(args) or len(kw):
msg = msg.format(*args, **kw)
print(fmt('{}<0>'.format(msg)))
| cprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, *args, **kw):\n if len(args) or len(kw):\n msg = msg.format(*args, **kw)\n print(fmt('{}<0>'.format(msg)))\n",
"role": "user"
},
{
... |
def x(cmd, capture=False, shell=True, env=None, exit_on_error=None,
never_pretend=False):
if context.get('pretend', False) and not never_pretend:
cprint('<90>{}', cmd)
return ExecResult(cmd, 0, '', '', True, False)
if context.get('verbose', 0) > 2:
cprint('<90>{}', cmd)
options =... | run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd, capture=False, shell=True, env=None, exit_on_error=None,\n never_pretend=False):\n if context.get('pretend', False) and not never_pretend:\n ... |
def x(request):
payload = dict(request.params.mixed())
try:
json_data = request.json_body
except StandardError:
pass
else:
if not isinstance(json_data, dict):
raise HTTPBadRequest('JSON body must be a key=value pairing')
else:
payload.update(json_d... | get_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n payload = dict(request.params.mixed())\n try:\n json_data = request.json_body\n except StandardError:\n pass\n else:\n ... |
def x():
log = logging.getLogger(mod_logger + '.main')
parser = argparse.ArgumentParser(description=
'This module allows sending email messages.')
parser.add_argument('-f', '--file', help=
'Full path to a plain text file', required=False)
parser.add_argument('-s', '--sender', help=
... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.main')\n parser = argparse.ArgumentParser(description=\n 'This module allows sending email messages.')... |
def x(name: str, today: datetime=None, tz=None) ->(datetime, datetime):
if today is None:
today = datetime.utcnow()
if name == 'last_month':
return last_month(today, tz)
elif name == 'last_week':
return last_week(today, tz)
elif name == 'this_month':
return this_month(tod... | get_date_range_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, today: datetime=None, tz=None) ->(datetime, datetime):\n if today is None:\n today = datetime.utcnow()\n if name == 'last_month':\n ... |
def x(options: dict, default_range='last_month') ->(datetime, datetime, list):
begin, end = get_date_range_by_name(default_range)
for range_name in TIME_RANGE_NAMES:
if options.get(range_name):
begin, end = get_date_range_by_name(range_name)
if options.get('begin'):
t = parse(opt... | parse_date_range_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options: dict, default_range='last_month') ->(datetime, datetime, list):\n begin, end = get_date_range_by_name(default_range)\n for range_name in TIME_RA... |
def x(password):
log = logging.getLogger(mod_logger + '.password_encoder')
log.debug('Encoding password: {p}'.format(p=password))
encoded_password = ''
for c in password:
encoded_password += encode_character(char=c)
log.debug('Encoded password: {p}'.format(p=encoded_password))
return enc... | encode_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(password):\n log = logging.getLogger(mod_logger + '.password_encoder')\n log.debug('Encoding password: {p}'.format(p=password))\n encoded_password = '... |
def x(char):
if char == '!':
return '%21'
elif char == '"':
return '%22'
elif char == '#':
return '%23'
elif char == '$':
return '%24'
elif char == '%':
return '%25'
elif char == '&':
return '%26'
elif char == "'":
return '%27'
elif... | encode_character | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(char):\n if char == '!':\n return '%21'\n elif char == '\"':\n return '%22'\n elif char == '#':\n return '%23'\n elif char == ... |
def x(tags):
actions = {}
contacts = {}
formats = {}
inspire = {}
keywords = {}
licenses = {}
md_types = dict()
owners = defaultdict(str)
srs = {}
unused = {}
compliance = 0
type_dataset = 0
print(len(tags.keys()))
i = 0
for tag in sorted(tags.keys()):
... | search_tags_as_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tags):\n actions = {}\n contacts = {}\n formats = {}\n inspire = {}\n keywords = {}\n licenses = {}\n md_types = dict()\n owners = defa... |
def x(self, verified, keygen):
return Verification(verified_entity=verified, key=keygen(), verified=False)
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verified, keygen):\n return Verification(verified_entity=verified, key=keygen(), verified=False)\n",
"role": "user"
},
{
"content": "gener... |
def x(v: str) ->(str, str):
v = iban_filter(v)
if v[:2] == 'FI':
return fi_iban_bank_info(v)
else:
return '', ''
| iban_bank_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v: str) ->(str, str):\n v = iban_filter(v)\n if v[:2] == 'FI':\n return fi_iban_bank_info(v)\n else:\n return '', ''\n",
"role": "us... |
def x(num: str):
assert isinstance(num, str)
num = STRIP_WHITESPACE.sub('', num)
num = re.sub('^0+', '', num)
assert len(num) >= 3
weights = [7, 3, 1]
weighed_sum = 0
numlen = len(num)
for j in range(numlen):
weighed_sum += int(num[numlen - 1 - j]) * weights[j % 3]
return num... | fi_payment_reference_number | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num: str):\n assert isinstance(num, str)\n num = STRIP_WHITESPACE.sub('', num)\n num = re.sub('^0+', '', num)\n assert len(num) >= 3\n weights =... |
def x(v: str):
num = ''
v = STRIP_WHITESPACE.sub('', v)
for ch in (v[4:] + v[0:4]):
x = ord(ch)
if ord('0') <= x <= ord('9'):
num += ch
else:
x -= 55
if x < 10 or x > 35:
raise ValidationError(_('Invalid payment reference: {}').
... | iso_payment_reference_validator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v: str):\n num = ''\n v = STRIP_WHITESPACE.sub('', v)\n for ch in (v[4:] + v[0:4]):\n x = ord(ch)\n if ord('0') <= x <= ord('9'):\n ... |
def x(v: str) ->(str, str):
from jutil.bank_const_fi import FI_BIC_BY_ACCOUNT_NUMBER, FI_BANK_NAME_BY_BIC
v = iban_filter(v)
bic = FI_BIC_BY_ACCOUNT_NUMBER.get(v[4:7], None)
return (bic, FI_BANK_NAME_BY_BIC[bic]) if bic is not None else ('', '')
| fi_iban_bank_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v: str) ->(str, str):\n from jutil.bank_const_fi import FI_BIC_BY_ACCOUNT_NUMBER, FI_BANK_NAME_BY_BIC\n v = iban_filter(v)\n bic = FI_BIC_BY_ACCOUNT_N... |
def x(clearing: str) ->(str, int):
from jutil.bank_const_se import SE_BANK_CLEARING_LIST
for name, begin, end, acc_digits in SE_BANK_CLEARING_LIST:
if begin <= clearing <= end:
return name, acc_digits
return '', None
| se_clearing_code_bank_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clearing: str) ->(str, int):\n from jutil.bank_const_se import SE_BANK_CLEARING_LIST\n for name, begin, end, acc_digits in SE_BANK_CLEARING_LIST:\n ... |
def x(column, bins=100):
col_min = np.min(column)
col_max = np.max(column)
return range(col_min, col_max + 2, max((col_max - col_min) // bins, 1))
| histplot_bins | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column, bins=100):\n col_min = np.min(column)\n col_max = np.max(column)\n return range(col_min, col_max + 2, max((col_max - col_min) // bins, 1))\n",... |
def x(value):
if isinstance(value, datetime.datetime):
value = value.utctimetuple()
elif isinstance(value, (int, float)):
value = time.gmtime(value)
if not isinstance(value, str):
value = time.strftime('%a, %d %b %Y %H:%M:%S GMT', value)
return value
| http_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, datetime.datetime):\n value = value.utctimetuple()\n elif isinstance(value, (int, float)):\n value = time.gm... |
def x(header):
try:
method, data = header.split(None, 1)
if method.lower() == 'basic':
data = base64.b64decode(uniorbytes(data, bytes))
user, pwd = uniorbytes(data).split(':', 1)
return user, pwd
except (KeyError, AttributeError, ValueError):
return No... | parse_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header):\n try:\n method, data = header.split(None, 1)\n if method.lower() == 'basic':\n data = base64.b64decode(uniorbytes(data, b... |
def x(request, data):
try:
width = int(request.GET.get('w', PYDENTICON_WIDTH))
except ValueError:
raise SuspiciousOperation('Identicon width must be a positive integer.'
)
try:
height = int(request.GET.get('h', PYDENTICON_HEIGHT))
except ValueError:
raise Susp... | image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, data):\n try:\n width = int(request.GET.get('w', PYDENTICON_WIDTH))\n except ValueError:\n raise SuspiciousOperation('Identicon wi... |
def x(name):
from peltak.extra.gitflow import logic
if name is None:
name = click.prompt('Hotfix name')
logic.hotfix.rename(name)
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n from peltak.extra.gitflow import logic\n if name is None:\n name = click.prompt('Hotfix name')\n logic.hotfix.rename(name)\n",
"ro... |
def x(obj):
@wraps(obj)
def x(*args, **kwargs):
instance = args[0]
lru_size = instance._cache_size
if lru_size:
cache = instance._cache
key = str((args, kwargs))
try:
r = cache.pop(key)
cache[key] = r
except... | local_lru | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n\n @wraps(obj)\n def x(*args, **kwargs):\n instance = args[0]\n lru_size = instance._cache_size\n if lru_size:\n c... |
def x(maxsize, types=None):
types = types or collections.Hashable
def x(obj):
@lru_cache(maxsize)
def x(*args, **kwargs):
return obj(*args, **kwargs)
@wraps(obj)
def x(*args, **kwargs):
broken = False
for arg in args:
if not ... | typed_lru | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(maxsize, types=None):\n types = types or collections.Hashable\n\n def x(obj):\n\n @lru_cache(maxsize)\n def x(*args, **kwargs):\n ... |
def x(obj):
@wraps(obj)
def x(*args, **kwargs):
instance = args[0]
lru_size = instance._cache_size
cache_ttl = instance._cache_ttl
if lru_size and cache_ttl:
cache = instance._cache
kargs = list(args)
kargs[0] = id(instance)
key = ... | local_expiring_lru | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n\n @wraps(obj)\n def x(*args, **kwargs):\n instance = args[0]\n lru_size = instance._cache_size\n cache_ttl = instance._cache... |
def x(self, name, *default):
curr = self.values
for part in name.split('.'):
if part in curr:
curr = curr[part]
elif default:
return default[0]
else:
fmt = "Context value '{}' does not exist:\n{}"
raise AttributeError(fmt.format(name, util.... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, *default):\n curr = self.values\n for part in name.split('.'):\n if part in curr:\n curr = curr[part]\n elif default... |
def x(self, name, value):
curr = self.values
parts = name.split('.')
for i, part in enumerate(parts[:-1]):
try:
curr = curr.setdefault(part, {})
except AttributeError:
raise InvalidPath('.'.join(parts[:i + 1]))
try:
curr[parts[-1]] = value
except TypeE... | set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n curr = self.values\n parts = name.split('.')\n for i, part in enumerate(parts[:-1]):\n try:\n curr = curr.setd... |
def x(self, query: Query, entity: type) ->Tuple[Query, Any]:
raise NotImplementedError('You must implement this.')
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query: Query, entity: type) ->Tuple[Query, Any]:\n raise NotImplementedError('You must implement this.')\n",
"role": "user"
},
{
"content"... |
def x(self, attribute: str) ->Tuple[List[str], str]:
splitted = attribute.split(self._attr_sep)
return splitted[:-1], splitted[-1]
| extract_relations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute: str) ->Tuple[List[str], str]:\n splitted = attribute.split(self._attr_sep)\n return splitted[:-1], splitted[-1]\n",
"role": "user"
... |
def x(self, related_model: type, relations: List[str]) ->Tuple[Optional[
List[type]], Optional[type]]:
relations_list, last_relation = [], related_model
for relation in relations:
relationship = getattr(last_relation, relation, None)
if relationship is None:
return None, None
... | get_relation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, related_model: type, relations: List[str]) ->Tuple[Optional[\n List[type]], Optional[type]]:\n relations_list, last_relation = [], related_model\n ... |
def x(self, query: Query, join_models: Optional[List[type]]) ->Query:
joined_query = query
joined_tables = [mapper.class_ for mapper in query._join_entities]
if join_models:
for j_model in join_models:
if not j_model in joined_tables:
joined_query = joined_query.join(j_mo... | join_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query: Query, join_models: Optional[List[type]]) ->Query:\n joined_query = query\n joined_tables = [mapper.class_ for mapper in query._join_entitie... |
def x(self, query: Query, entity: type) ->Tuple[Query, Any]:
new_query = query
c_filter_list = []
for child in self._childs:
new_query, f_list = child.filter(new_query, entity)
c_filter_list.append(f_list)
return new_query, self._method(*c_filter_list)
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query: Query, entity: type) ->Tuple[Query, Any]:\n new_query = query\n c_filter_list = []\n for child in self._childs:\n new_query, f_lis... |
def x(phone: str, message: str, sender: str='', **kw):
if not hasattr(settings, 'SMS_TOKEN'):
raise Exception('Invalid configuration: settings.SMS_TOKEN missing')
if not sender:
sender = settings.SMS_SENDER_NAME
if not sender:
raise Exception(
'Invalid configuration: sett... | send_sms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(phone: str, message: str, sender: str='', **kw):\n if not hasattr(settings, 'SMS_TOKEN'):\n raise Exception('Invalid configuration: settings.SMS_TOKE... |
def x(md_uuid):
isogeo.resource(id_resource=md_uuid)
elapsed = default_timer() - START_TIME
time_completed_at = '{:5.2f}s'.format(elapsed)
print('{0:<30} {1:>20}'.format(md_uuid, time_completed_at))
return
| meta_get_resource_sync | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(md_uuid):\n isogeo.resource(id_resource=md_uuid)\n elapsed = default_timer() - START_TIME\n time_completed_at = '{:5.2f}s'.format(elapsed)\n print(... |
def x(self, app):
self.logger = app.logger
self.shell.logger = self.logger
if not self.command_name:
raise EmptyCommandNameException()
self.app = app
self.arguments_declaration = self.arguments
self.arguments = app.arguments
if self.use_subconfig:
_init_config(self)
else:... | setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n self.logger = app.logger\n self.shell.logger = self.logger\n if not self.command_name:\n raise EmptyCommandNameException()\n s... |
def x(self, request, e):
from jutil.email import send_email
assert isinstance(request, HttpRequest)
full_path = request.get_full_path()
user = request.user
msg = '{full_path}\n{err} (IP={ip}, user={user}) {trace}'.format(full_path
=full_path, user=user, ip=get_real_ip(request), err=e, trace=... | process_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, e):\n from jutil.email import send_email\n assert isinstance(request, HttpRequest)\n full_path = request.get_full_path()\n user = re... |
def x(builder):
for obj in builder.get_objects():
if isinstance(obj, Gtk.Window):
return obj
| get_first_builder_window | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(builder):\n for obj in builder.get_objects():\n if isinstance(obj, Gtk.Window):\n return obj\n",
"role": "user"
},
{
"content"... |
def x(self, slave, container_name='widget'):
cont = getattr(self, container_name, None)
if cont is None:
raise AttributeError('Container name must be a member of the delegate')
cont.add(slave.widget)
self.slaves.append(slave)
return slave
| add_slave | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, slave, container_name='widget'):\n cont = getattr(self, container_name, None)\n if cont is None:\n raise AttributeError('Container name must... |
def x(self, builder):
toplevel = builder.get_object(self.toplevel_name)
if toplevel is None:
toplevel = get_first_builder_window(builder).child
if toplevel is not None:
toplevel.get_parent().remove(toplevel)
return toplevel
| get_builder_toplevel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, builder):\n toplevel = builder.get_object(self.toplevel_name)\n if toplevel is None:\n toplevel = get_first_builder_window(builder).child\n ... |
def x(self):
if not self._ui_ready:
self.prepare_ui()
self.display_widget = Gtk.Window()
self.display_widget.add(self.widget)
self.display_widget.show()
self.display_widget.connect('destroy', lambda *args: self.hide_and_quit())
BaseDelegate.show_and_run(self)
| show_and_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._ui_ready:\n self.prepare_ui()\n self.display_widget = Gtk.Window()\n self.display_widget.add(self.widget)\n self.displ... |
def x(self, builder):
toplevel = builder.get_object(self.toplevel_name)
if not GObject.type_is_a(toplevel, Gtk.Window):
toplevel = None
if toplevel is None:
toplevel = get_first_builder_window(builder)
return toplevel
| get_builder_toplevel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, builder):\n toplevel = builder.get_object(self.toplevel_name)\n if not GObject.type_is_a(toplevel, Gtk.Window):\n toplevel = None\n if to... |
def x(x, sig):
return round(x, sig - int(floor(log10(abs(x)))) - 1)
| round_sig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, sig):\n return round(x, sig - int(floor(log10(abs(x)))) - 1)\n",
"role": "user"
},
{
"content": "round_sig",
"role": "assistant"
}
] |
def x(filename, as_text=False):
if filename.lower().endswith('.gz'):
if as_text:
return gzip.open(filename, 'rt')
else:
return gzip.open(filename, 'rb')
elif as_text:
return open(filename, 'rt')
else:
return open(filename, 'rb')
| open_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, as_text=False):\n if filename.lower().endswith('.gz'):\n if as_text:\n return gzip.open(filename, 'rt')\n else:\n ... |
def x(outputDef, defaultOutput, outputFormat, fieldNames, compress=True,
valueClassMappings=None, datasetMetaProps=None, fieldMetaProps=None):
if not outputDef:
outputBase = defaultOutput
else:
outputBase = outputDef
if outputFormat == 'json':
write_squonk_datasetmetadata(outputB... | create_simple_writer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(outputDef, defaultOutput, outputFormat, fieldNames, compress=True,\n valueClassMappings=None, datasetMetaProps=None, fieldMetaProps=None):\n if not outpu... |
def x(outputBase, thinOutput, valueClassMappings, datasetMetaProps,
fieldMetaProps):
meta = {}
props = {}
if datasetMetaProps:
props.update(datasetMetaProps)
if fieldMetaProps:
meta['fieldMetaProps'] = fieldMetaProps
if len(props) > 0:
meta['properties'] = props
if va... | write_squonk_datasetmetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(outputBase, thinOutput, valueClassMappings, datasetMetaProps,\n fieldMetaProps):\n meta = {}\n props = {}\n if datasetMetaProps:\n props.upd... |
def x(baseName, values):
m = open(baseName + '_metrics.txt', 'w')
for key in values:
m.write(key + '=' + str(values[key]) + '\n')
m.flush()
m.close()
| write_metrics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(baseName, values):\n m = open(baseName + '_metrics.txt', 'w')\n for key in values:\n m.write(key + '=' + str(values[key]) + '\\n')\n m.flush()\... |
def x(source, format, values):
m = {'uuid': str(uuid.uuid4()), 'source': source, 'format': format}
if values:
m['values'] = values
return m
| generate_molecule_object_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, format, values):\n m = {'uuid': str(uuid.uuid4()), 'source': source, 'format': format}\n if values:\n m['values'] = values\n return m\n... |
def x():
frame = inspect.stack()[2]
module = inspect.getmodule(frame[0])
return module.__file__.rsplit('.', 1)[0]
| get_undecorated_calling_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n frame = inspect.stack()[2]\n module = inspect.getmodule(frame[0])\n return module.__file__.rsplit('.', 1)[0]\n",
"role": "user"
},
{
... |
def x(query_url, timeout_sec, basic_auth=None):
log = logging.getLogger(mod_logger + '.query_nexus')
retry_sec = 5
max_retries = 6
try_num = 1
query_success = False
nexus_response = None
while try_num <= max_retries:
if query_success:
break
log.debug('Attempt # {n... | query_nexus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query_url, timeout_sec, basic_auth=None):\n log = logging.getLogger(mod_logger + '.query_nexus')\n retry_sec = 5\n max_retries = 6\n try_num = 1\n ... |
def x():
log = logging.getLogger(mod_logger + '.main')
parser = argparse.ArgumentParser(description=
'This Python module retrieves artifacts from Nexus.')
parser.add_argument('-u', '--url', help='Nexus Server URL', required=False)
parser.add_argument('-g', '--groupId', help='Group ID', required=... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.main')\n parser = argparse.ArgumentParser(description=\n 'This Python module retrieves artifacts from ... |
def x(additional_doc=False, field_prefix='$', field_suffix=':', indent=4):
if additional_doc:
f = fields.copy()
f.update(additional_doc)
else:
f = fields
field_length = get_max_field_length(f)
field_length = field_length + len(field_prefix) + len(field_suffix) + 4
description... | get_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(additional_doc=False, field_prefix='$', field_suffix=':', indent=4):\n if additional_doc:\n f = fields.copy()\n f.update(additional_doc)\n ... |
def x(self):
r = self.get(self.registry_url + '/v2/_catalog', auth=self.auth)
return r.json()['repositories']
| list_images | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self.get(self.registry_url + '/v2/_catalog', auth=self.auth)\n return r.json()['repositories']\n",
"role": "user"
},
{
"content"... |
def x(self, image_name):
tags_url = self.registry_url + '/v2/{}/tags/list'
r = self.get(tags_url.format(image_name), auth=self.auth)
data = r.json()
if 'tags' in data:
return reversed(sorted(data['tags']))
return []
| list_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_name):\n tags_url = self.registry_url + '/v2/{}/tags/list'\n r = self.get(tags_url.format(image_name), auth=self.auth)\n data = r.json()\n... |
def x(asset_dir_path):
log = logging.getLogger(mod_logger + '.validate_asset_structure')
log.info('Validating asset directory: {d}'.format(d=asset_dir_path))
asset_props = os.path.join(asset_dir_path, 'asset.properties')
if not os.path.isfile(asset_props):
raise Cons3rtAssetStructureError('Asset... | validate_asset_structure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(asset_dir_path):\n log = logging.getLogger(mod_logger + '.validate_asset_structure')\n log.info('Validating asset directory: {d}'.format(d=asset_dir_path... |
def x(asset_dir):
try:
asset_name = validate_asset_structure(asset_dir_path=asset_dir)
except Cons3rtAssetStructureError:
_, ex, trace = sys.exc_info()
msg = ('Cons3rtAssetStructureError: Problem with asset validation\n{e}'
.format(e=str(ex)))
print('ERROR: {m}'.forma... | validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(asset_dir):\n try:\n asset_name = validate_asset_structure(asset_dir_path=asset_dir)\n except Cons3rtAssetStructureError:\n _, ex, trace = ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.