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=Author(name, email), title=title,
desc=desc, parents_sha1=parents.split())
| 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.error('Passed arg loglevel must be a string')
return False
log_level = log_level.upper()
log.info('Attempting to set log level to: %s...', log_level)
if log_level == 'DEBUG':
cls._logger.setLevel(logging.DEBUG)
elif log_level == 'INFO':
cls._logger.setLevel(logging.INFO)
elif log_level == 'WARN':
cls._logger.setLevel(logging.WARN)
elif log_level == 'WARNING':
cls._logger.setLevel(logging.WARN)
elif log_level == 'ERROR':
cls._logger.setLevel(logging.ERROR)
else:
log.error('Could not set log level, this is not a valid log level: %s',
log_level)
return False
log.info('pycons3rt loglevel set to: %s', log_level)
return True
| 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']
record_name = source['name']
if record_name.lower().strip() == name.lower().strip():
return source
msg = (
"match_phrase search found multiple records matching query '{}' for index '{}'."
.format(name, index))
raise MultipleHitsException(msg)
| 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]
name = '.'.join(name[:-1])
mod = importlib.import_module(name)
obj = getattr(mod, attr)
except (SyntaxError, AttributeError, ImportError, ValueError):
try:
name = name.split('.')
attr_sup = name[-1]
name = '.'.join(name[:-1])
mod = importlib.import_module(name)
obj = getattr(getattr(mod, attr_sup), attr)
except:
pass
obj = unwrap_obj(obj)
return obj
| 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 = inspect.unwrap(obj)
except:
pass
return obj
| 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 modality in ('electrodes', 'coordsystem', 'channels'):
modality = 'ieeg'
elif modality == 'events':
raise ValueError(
'modality "events" is ambiguous (can be in folder "ieeg" or "func"). Assuming "ieeg"'
)
return output_path / modality
| 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
loader = machinery.SourceFileLoader('pelconf', conf_file)
_ = loader.load_module()
elif sys.version_info <= (3, 0):
import imp
imp.load_source('pelconf', conf_file)
| 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))
return curr
| 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(VerificationHandler.STATUS_INVALID_VERIFICATION_KEY)
verification.verified = True
verification.save()
| 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:
if document_tag:
raise Exception(
'xml_to_dict: document_tag=True does not make sense when using selective tag list since selective tag list finds tags from the whole document, not only directly under root document tag'
)
root_elements = []
for tag in tags:
root_elements.extend(root.iter(tag))
else:
root_elements = list(root)
data = {}
for el in root_elements:
_xml_set_element_data_r(data, el, array_tags=array_tags, int_tags=
int_tags, strip_namespaces=strip_namespaces, parse_attributes=
parse_attributes, value_key=value_key, attribute_prefix=
attribute_prefix)
if parse_attributes:
for a_key, a_val in root.attrib.items():
data[attribute_prefix + _xml_tag_filter(a_key, strip_namespaces)
] = a_val
return data if not document_tag else {root.tag: data}
| 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.Element(tag)
assert isinstance(el, Element)
_xml_element_set_data_r(el, data, value_key, attribute_prefix)
return el
| 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 property')
| 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.__class__.__name__))
return None
if not isinstance(bucket_name, basestring):
log.error('bucket_name argument is not a string, found: {t}'.format
(t=bucket_name.__class__.__name__))
return None
s3resource = boto3.resource('s3', region_name=region_name,
aws_access_key_id=aws_access_key_id, aws_secret_access_key=
aws_secret_access_key)
bucket = s3resource.Bucket(bucket_name)
log.info('Looking up S3 keys based on regex: {r}'.format(r=regex))
for item in bucket.objects.all():
log.debug('Checking if regex matches key: {k}'.format(k=item.key))
match = re.search(regex, item.key)
if match:
matched_keys.append(item.key)
log.info('Found matching keys: {k}'.format(k=matched_keys))
return matched_keys
| 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.3.3.*'
try:
s3util = S3Util(my_bucket)
except S3UtilError as e:
log.error('There was a problem creating S3Util:\n%s', e)
else:
log.info('Created S3Util successfully')
key = s3util.find_key(my_regex)
test = None
if key is not None:
test = s3util.download_file(key, '/Users/yennaco/Downloads')
if test is not None:
upload = s3util.upload_file(test, 'media-files-offline-assets/test'
)
log.info('Upload result: %s', upload)
log.info('End of main!')
| 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')
return None
if not os.path.isdir(dest_dir):
log.error('Directory not found on file system: %s', dest_dir)
return None
try:
dest_path = self.__download_from_s3(key, dest_dir)
except S3UtilError:
raise
return dest_path
| 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')
return None
if not os.path.isdir(dest_dir):
log.error('Directory not found on file system: %s', dest_dir)
return None
key = self.find_key(regex)
if key is None:
log.warn('Could not find a matching S3 key for: %s', regex)
return None
return self.__download_from_s3(key, dest_dir)
| 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.all():
log.debug('Checking if regex matches key: %s', item.key)
match = re.search(regex, item.key)
if match:
matched_keys.append(item.key)
if len(matched_keys) == 1:
log.info('Found matching key: %s', matched_keys[0])
return matched_keys[0]
elif len(matched_keys) > 1:
log.info('Passed regex matched more than 1 key: %s', regex)
return None
else:
log.info('Passed regex did not match any key: %s', regex)
return None
| 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:
s3bucket = self.bucket
else:
log.debug('Using the provided S3 bucket: {n}'.format(n=bucket_name))
s3bucket = self.s3resource.Bucket(bucket_name)
log.info('Looking up S3 keys based on regex: {r}'.format(r=regex))
for item in s3bucket.objects.all():
log.debug('Checking if regex matches key: {k}'.format(k=item.key))
match = re.search(regex, item.key)
if match:
matched_keys.append(item.key)
log.info('Found matching keys: {k}'.format(k=matched_keys))
return matched_keys
| 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 False
if not isinstance(key, basestring):
log.error('key argument is not a string')
return False
if not os.path.isfile(filepath):
log.error('File not found on file system: %s', filepath)
return False
try:
self.s3client.upload_file(Filename=filepath, Bucket=self.
bucket_name, Key=key)
except ClientError as e:
log.error('Unable to upload file %s to bucket %s as key %s:\n%s',
filepath, self.bucket_name, key, e)
return False
else:
log.info('Successfully uploaded file to S3 bucket %s as key %s',
self.bucket_name, key)
return True
| 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()
log.error('ClientError: Unable to delete key: {k}\n{e}'.format(k=
key_to_delete, e=str(ex)))
return False
else:
log.info('Successfully deleted key: {k}'.format(k=key_to_delete))
return True
| 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_type)
fmt = (
'The branch must follow <33>{required_type}/<name><31>format and your branch is called <33>{name}<31>.'
)
log.err(fmt, required_type=branch_type, name=branch.name)
sys.exit(1)
| 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!", branch_name)
sys.exit(1)
| 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)
shell.run('git merge {args} {branch}'.format(args=' '.join(args),
branch=head))
if branch.name != base and not pretend:
git_checkout(branch.name)
| 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>[{}] <33>{}'.format(i + 1, branch_name))
choice = 0
while choice < 1 or choice > len(branches):
prompt = 'Pick a base branch from the above [1-{}]'.format(len(
branches))
choice = click.prompt(prompt, value_proc=int)
if not 1 <= choice <= len(branches):
fmt = 'Invalid choice {}, you must pick a number between {} and {}'
log.err(fmt.format(choice, 1, len(branches)))
return branches[choice - 1]
| 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)
else:
return x
| 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:
log.info('Not a valid IP address: {i}'.format(i=ip_address))
return False
try:
socket.inet_aton(ip_address)
except socket.error as e:
log.info('Not a valid IP address: {i}\n{e}'.format(i=ip_address, e=e))
return False
else:
log.info('Validated IP address: %s', ip_address)
return True
| 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 = {'bufsize': 1, 'shell': shell}
if exit_on_error is None:
exit_on_error = not capture
if capture:
options.update({'stdout': subprocess.PIPE, 'stderr': subprocess.PIPE})
if env is not None:
options['env'] = dict(os.environ)
options['env'].update(env)
p = subprocess.Popen(cmd, **options)
stdout, stderr = p.communicate()
try:
if stdout is not None:
stdout = stdout.decode('utf-8')
if stderr is not None:
stderr = stderr.decode('utf-8')
except AttributeError:
pass
if exit_on_error and p.returncode != 0:
sys.exit(p.returncode)
return ExecResult(cmd, p.returncode, stdout, stderr, p.returncode == 0,
p.returncode != 0)
| 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_data)
return payload
| 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=
'Email address of the sender', required=False)
parser.add_argument('-r', '--recipient', help=
'Email address of the recipient', required=False)
args = parser.parse_args()
am = AssetMailer()
err = None
if args.file:
try:
am.send_text_file(text_file=args.file, sender=args.sender,
recipient=args.recipient)
except AssetMailerError:
_, ex, trace = sys.exc_info()
err = (
"""{n}: There was a problem sending email with file {f} from sender {s} to recipient {r}:
{e}"""
.format(n=ex.__class__.__name__, f=args.file, s=args.sender,
r=args.recipient, e=str(ex)))
log.error(err)
else:
try:
am.send_cons3rt_agent_logs()
except AssetMailerError:
_, ex, trace = sys.exc_info()
err = (
'{n}: There was a problem sending cons3rt agent log files:\n{e}'
.format(n=ex.__class__.__name__, e=str(ex)))
log.error(err)
if err is None:
log.info('Successfully send email')
| 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(today, tz)
elif name == 'last_year':
return last_year(today, tz)
elif name == 'yesterday':
return yesterday(today, tz)
elif name == 'today':
begin = today.replace(hour=0, minute=0, second=0, microsecond=0)
end = begin + timedelta(hours=24)
return localize_time_range(begin, end, tz)
else:
m = re.match('^plus_minus_(\\d+)d$', name)
if m:
days = int(m.group(1))
return localize_time_range(today - timedelta(days=days), today +
timedelta(days=days), tz)
m = re.match('^prev_(\\d+)d$', name)
if m:
days = int(m.group(1))
return localize_time_range(today - timedelta(days=days), today, tz)
m = re.match('^next_(\\d+)d$', name)
if m:
days = int(m.group(1))
return localize_time_range(today, today + timedelta(days=days), tz)
raise ValueError('Invalid date range name: {}'.format(name))
| 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(options['begin'], default=datetime(2000, 1, 1))
begin = pytz.utc.localize(t)
end = now()
if options.get('end'):
end = pytz.utc.localize(parse(options['end'], default=datetime(2000,
1, 1)))
step_type = None
after_end = end
for step_name in TIME_STEP_NAMES:
if options.get(step_name):
step_type = getattr(rrule, step_name.upper())
if rrule.DAILY == step_type:
after_end += timedelta(days=1)
if rrule.WEEKLY == step_type:
after_end += timedelta(days=7)
if rrule.MONTHLY == step_type:
after_end += timedelta(days=31)
steps = None
if step_type:
begins = [t for t in rrule.rrule(step_type, dtstart=begin, until=
after_end)]
steps = [(begins[i], begins[i + 1]) for i in range(len(begins) - 1)]
if steps is None:
steps = [(begin, end)]
return begin, end, steps
| 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 encoded_password
| 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 char == '(':
return '%28'
elif char == ')':
return '%29'
elif char == '*':
return '%2A'
elif char == '+':
return '%2B'
elif char == ',':
return '%2C'
elif char == '-':
return '%2D'
elif char == '.':
return '%2E'
elif char == '/':
return '%2F'
elif char == ':':
return '%3A'
elif char == ';':
return '%3B'
elif char == '<':
return '%3C'
elif char == '=':
return '%3D'
elif char == '>':
return '%3E'
elif char == '?':
return '%3F'
elif char == '@':
return '%40'
elif char == '[':
return '%5B'
elif char == '\\':
return '%5C'
elif char == ']':
return '%5D'
elif char == '^':
return '%5E'
elif char == '_':
return '%5F'
elif char == '`':
return '%60'
elif char == '{':
return '%7B'
elif char == '|':
return '%7C'
elif char == '}':
return '%7D'
elif char == '~':
return '%7E'
elif char == ' ':
return '%7F'
else:
return char
| 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()):
i += 1
if tag.startswith('action'):
actions[tags.get(tag, tag)] = tag
continue
elif tag.startswith('conformity'):
compliance = 1
continue
elif tag.startswith('contact'):
contacts[tags.get(tag)] = tag
continue
elif tag.startswith('format'):
formats[tags.get(tag)] = tag
continue
elif tag.startswith('keyword:inspire'):
inspire[tags.get(tag)] = tag
continue
elif tag.startswith('keyword:isogeo'):
keywords[tags.get(tag)] = tag
continue
elif tag.startswith('license'):
licenses[tags.get(tag)] = tag
continue
elif tag.startswith('owner'):
owners[tags.get(tag)] = tag
continue
elif tag.startswith('coordinate-system'):
srs[tags.get(tag)] = tag
continue
elif tag.startswith('type'):
md_types[tags.get(tag)] = tag
if tag in ('type:vector-dataset', 'type:raster-dataset'):
type_dataset += 1
else:
pass
continue
else:
unused[tags.get(tag)] = tag
continue
if type_dataset == 2:
md_types['Donnée'] = 'type:dataset'
else:
pass
tags_parsed = {'actions': actions, 'compliance': compliance, 'contacts':
contacts, 'formats': formats, 'inspire': inspire, 'keywords':
keywords, 'licenses': licenses, 'owners': owners, 'srs': srs,
'types': md_types, 'unused': unused}
return tags_parsed
| 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 + str((10 - weighed_sum % 10) % 10)
| 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: {}').
format(v))
num += str(x)
res = Decimal(num) % Decimal('97')
if res != Decimal('1'):
raise ValidationError(_('Invalid payment reference: {}').format(v))
| 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 None, None
| 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 SuspiciousOperation(
'Identicon height must be a positive integer.')
output_format = request.GET.get('f', PYDENTICON_FORMAT)
try:
padding = [int(p) for p in request.GET['p'].split(',')]
except KeyError:
padding = PYDENTICON_PADDING
except ValueError:
raise SuspiciousOperation(
'Identicon padding must consist out of 4 positive integers separated with commas.'
)
if 'i' in request.GET:
inverted = request.GET.get('i')
if inverted.lower() == 'true':
inverted = True
elif inverted.lower() == 'false':
inverted = False
else:
raise SuspiciousOperation(
'Inversion parameter must be a boolean (true/false).')
else:
inverted = PYDENTICON_INVERT
if not isinstance(width, int) or width <= 0:
raise SuspiciousOperation('Identicon width must be a positive integer.'
)
if not isinstance(height, int) or height <= 0:
raise SuspiciousOperation(
'Identicon height must be a positive integer.')
if not all([(isinstance(p, int) and p >= 0) for p in padding]) or len(
padding) != 4:
raise SuspiciousOperation(
'Padding must be a 4-element tuple consisting out of positive integers.'
)
if output_format == 'png':
content_type = 'image/png'
elif output_format == 'ascii':
content_type = 'text/plain'
else:
raise SuspiciousOperation(
"Unsupported identicon format requested - '%s' % output_format")
generator = Generator(PYDENTICON_ROWS, PYDENTICON_COLUMNS, foreground=
PYDENTICON_FOREGROUND, background=PYDENTICON_BACKGROUND, digest=
PYDENTICON_DIGEST)
content = generator.generate(data, width, height, padding=padding,
output_format=output_format, inverted=inverted)
response = HttpResponse(content, content_type=content_type)
return response
| 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 KeyError:
if len(cache) >= lru_size:
cache.popitem(last=False)
r = cache[key] = obj(*args, **kwargs)
return r
return obj(*args, **kwargs)
return memoizer
| 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 isinstance(arg, types):
broken = True
break
for arg, val in kwargs.items():
if not isinstance(arg, types) and isinstance(val, types):
broken = True
break
if not broken:
try:
return _lru_cache(*args, **kwargs)
except TypeError:
return obj(*args, **kwargs)
return obj(*args, **kwargs)
return _convenience
return lru
| 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 = str((kargs, kwargs))
try:
r = list(cache.pop(key))
if r[1] < datetime.datetime.utcnow():
r[0] = None
else:
cache[key] = r
except (KeyError, AssertionError):
if len(cache) >= lru_size:
cache.popitem(last=False)
r = cache[key] = obj(*args, **kwargs
), datetime.datetime.utcnow() + datetime.timedelta(seconds
=cache_ttl)
if r[0]:
return r[0]
return obj(*args, **kwargs)
return memoizer
| 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.yaml_dump(self.values)))
return curr
| 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 TypeError:
raise InvalidPath('.'.join(parts[:-1]))
| 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
last_relation = relationship.mapper.class_
relations_list.append(last_relation)
return relations_list, last_relation
| 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_model)
return joined_query
| 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: settings.SMS_SENDER_NAME missing')
headers = {'Content-Type': 'application/json', 'Authorization':
'Token ' + settings.SMS_TOKEN}
data = {'dst': phone_filter(phone), 'msg': message, 'src': sender}
for k, v in kw.items():
data[k] = v
return requests.post('https://sms.kajala.com/api/sms/', json=data,
headers=headers)
| 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:
self.config = self.app.config
| 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=str(
traceback.format_exc()))
logger.error(msg)
hostname = request.get_host()
if not settings.DEBUG and hostname != 'testserver':
send_email(settings.ADMINS, 'Error @ {}'.format(hostname), msg)
return None
| 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(outputBase, True, valueClassMappings,
datasetMetaProps, fieldMetaProps)
return BasicObjectWriter(open_output(outputDef, 'data', compress)
), outputBase
elif outputFormat == 'tsv':
return TsvWriter(open_output(outputDef, 'tsv', compress), fieldNames
), outputBase
else:
raise ValueError('Unsupported format: ' + outputFormat)
| 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 valueClassMappings:
meta['valueClassMappings'] = valueClassMappings
if thinOutput:
meta['type'] = 'org.squonk.types.BasicObject'
else:
meta['type'] = 'org.squonk.types.MoleculeObject'
s = json.dumps(meta)
meta = open(outputBase + '.metadata', 'w')
meta.write(s)
meta.close()
| 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} of {m} to query the Nexus URL: {u}'.format
(n=try_num, u=query_url, m=max_retries))
try:
nexus_response = requests.get(query_url, auth=basic_auth,
stream=True, timeout=timeout_sec)
except requests.exceptions.Timeout:
_, ex, trace = sys.exc_info()
msg = ('{n}: Nexus initial query timed out after {t} seconds:\n{e}'
.format(n=ex.__class__.__name__, t=timeout_sec, r=retry_sec,
e=str(ex)))
log.warn(msg)
if try_num < max_retries:
log.info('Retrying query in {t} sec...'.format(t=retry_sec))
time.sleep(retry_sec)
except (requests.exceptions.RequestException, requests.exceptions.
ConnectionError):
_, ex, trace = sys.exc_info()
msg = (
'{n}: Nexus initial query failed with the following exception:\n{e}'
.format(n=ex.__class__.__name__, r=retry_sec, e=str(ex)))
log.warn(msg)
if try_num < max_retries:
log.info('Retrying query in {t} sec...'.format(t=retry_sec))
time.sleep(retry_sec)
else:
query_success = True
try_num += 1
if not query_success:
msg = 'Unable to query Nexus after {m} attempts using URL: {u}'.format(
u=query_url, m=max_retries)
log.error(msg)
raise RuntimeError(msg)
if nexus_response.status_code != 200:
msg = (
'Nexus request returned code {c}, unable to query Nexus using URL: {u}'
.format(u=query_url, c=nexus_response.status_code))
log.error(msg)
raise RuntimeError(msg)
return nexus_response
| 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=True)
parser.add_argument('-a', '--artifactId', help='Artifact ID', required=True
)
parser.add_argument('-v', '--version', help='Artifact Version',
required=True)
parser.add_argument('-c', '--classifier', help='Artifact Classifier',
required=False)
parser.add_argument('-p', '--packaging', help='Artifact Packaging',
required=True)
parser.add_argument('-r', '--repo', help='Nexus repository name',
required=False)
parser.add_argument('-d', '--destinationDir', help=
'Directory to download to', required=True)
parser.add_argument('-n', '--username', help='Directory to download to',
required=True)
parser.add_argument('-w', '--password', help='Directory to download to',
required=True)
args = parser.parse_args()
try:
get_artifact(nexus_url=args.url, group_id=args.groupId, artifact_id
=args.artifactId, version=args.version, classifier=args.
classifier, packaging=args.packaging, repo=args.repo,
destination_dir=args.destinationDir, username=args.username,
password=args.password)
except Exception as e:
msg = (
'Caught exception {n}, unable for download artifact from Nexus\n{s}'
.format(n=e.__class__.__name__, s=e))
log.error(msg)
return
| 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_indent = ' ' * (indent + field_length)
output = ''
for field, description in sorted(f.items()):
description = description['description']
field = ' ' * indent + field_prefix + field + ':'
output += field.ljust(field_length) + textwrap.fill(description,
width=78, initial_indent=description_indent, subsequent_indent=
description_indent)[field_length:] + '\n\n\n'
return output
| 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 properties file not found: {f}'
.format(f=asset_props))
install_script_rel_path = None
doc_file_rel_path = None
license_file_rel_path = None
asset_type = None
license_file_path = ''
doc_file_path = ''
asset_name = None
log.info('Reading asset properties file: {f}'.format(f=asset_props))
with open(asset_props, 'r') as f:
for line in f:
if line.strip().startswith('installScript='):
install_script_name = line.strip().split('=')[1]
install_script_rel_path = os.path.join('scripts',
install_script_name)
elif line.strip().startswith('documentationFile='):
doc_file_rel_path = line.strip().split('=')[1]
elif line.strip().startswith('licenseFile='):
license_file_rel_path = line.strip().split('=')[1]
elif line.strip().startswith('assetType='):
asset_type = line.strip().split('=')[1]
asset_type = asset_type.lower()
elif line.strip().startswith('name='):
asset_name = line.strip().split('=')[1]
if asset_name is None:
raise Cons3rtAssetStructureError(
'Required property [name] not found in asset properties file: {f}'
.format(f=asset_props))
if asset_name == '':
raise Cons3rtAssetStructureError(
'Required property [name] found blank in asset properties file: {f}'
.format(f=asset_props))
if asset_type is None:
raise Cons3rtAssetStructureError(
'Required property [asset_type] not found in asset properties file: {f}'
.format(f=asset_props))
if asset_type == '':
raise Cons3rtAssetStructureError(
'Required property [asset_type] found blank in asset properties file: {f}'
.format(f=asset_props))
log.info('Found installScript={f}'.format(f=install_script_rel_path))
log.info('Found assetType={f}'.format(f=asset_type))
if doc_file_rel_path:
log.info('Found documentationFile={f}'.format(f=doc_file_rel_path))
doc_file_path = os.path.join(asset_dir_path, doc_file_rel_path)
if not os.path.isfile(doc_file_path):
raise Cons3rtAssetStructureError(
'Documentation file not found: {f}'.format(f=doc_file_path))
else:
log.info('Verified documentation file: {f}'.format(f=doc_file_path)
)
else:
log.info(
'The documentationFile property was not specified in asset.properties'
)
if license_file_rel_path:
log.info('Found licenseFile={f}'.format(f=license_file_rel_path))
license_file_path = os.path.join(asset_dir_path, license_file_rel_path)
if not os.path.isfile(license_file_path):
raise Cons3rtAssetStructureError('License file not found: {f}'.
format(f=license_file_path))
else:
log.info('Verified license file: {f}'.format(f=license_file_path))
else:
log.info(
'The licenseFile property was not specified in asset.properties')
if asset_type == 'software':
if not install_script_rel_path:
raise Cons3rtAssetStructureError(
'Software asset has an asset.properties missing the installScript prop: {f}'
.format(f=asset_props))
else:
install_script_path = os.path.join(asset_dir_path,
install_script_rel_path)
if not os.path.isfile(install_script_path):
raise Cons3rtAssetStructureError(
'Install script file not found: {f}'.format(f=
install_script_path))
else:
log.info('Verified install script for software asset: {f}'.
format(f=install_script_path))
log.info('Checking items at the root of the asset directory...')
for item in os.listdir(asset_dir_path):
log.info('Checking item: {i}'.format(i=item))
item_path = os.path.join(asset_dir_path, item)
if item_path == license_file_path:
continue
elif item_path == doc_file_path:
continue
elif item_path == asset_props:
continue
elif item in ignore_items:
continue
elif ignore_by_extension(item_path=item_path):
continue
elif item in acceptable_dirs and os.path.isdir(item_path):
continue
elif item == 'VERSION':
os.remove(item_path)
log.warn('Deleted file: {f}'.format(f=item_path))
elif item == 'doc':
raise Cons3rtAssetStructureError(
'Found a doc directory at the asset root, this is not allowed')
elif item in potential_doc_files:
if not doc_file_rel_path:
raise Cons3rtAssetStructureError(
'Documentation file found but not specified in asset.properties: {f}'
.format(f=item_path))
else:
raise Cons3rtAssetStructureError(
'Extra documentation file found: {f}'.format(f=item_path))
elif item in potential_license_files:
if not license_file_rel_path:
raise Cons3rtAssetStructureError(
'License file found but not specified in asset.properties: {f}'
.format(f=item_path))
else:
raise Cons3rtAssetStructureError(
'Extra license file found: {f}'.format(f=item_path))
else:
raise Cons3rtAssetStructureError(
'Found illegal item at the asset root dir: {i}'.format(i=item))
log.info('Validated asset directory successfully: {d}'.format(d=
asset_dir_path))
return asset_name
| 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}'.format(m=msg))
return 1
print('Validated asset with name: {n}'.format(n=asset_name))
return 0
| 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.