source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, value):
if self.exclusive:
if value <= self.minimum_value:
tpl = "'{value}' is lower or equal than minimum ('{min}')."
raise ValidationError(tpl.format(value=value, min=self.
minimum_value))
elif value < self.minimum_value:
raise ValidationErro... | validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self.exclusive:\n if value <= self.minimum_value:\n tpl = \"'{value}' is lower or equal than minimum ('{min}').\"\n ... |
def x(self, field_schema):
field_schema['minimum'] = self.minimum_value
if self.exclusive:
field_schema['exclusiveMinimum'] = True
| modify_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_schema):\n field_schema['minimum'] = self.minimum_value\n if self.exclusive:\n field_schema['exclusiveMinimum'] = True\n",
"role":... |
def x(self, value):
if self.exclusive:
if value >= self.maximum_value:
tpl = "'{val}' is bigger or equal than maximum ('{max}')."
raise ValidationError(tpl.format(val=value, max=self.maximum_value)
)
elif value > self.maximum_value:
raise ValidationError("... | validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self.exclusive:\n if value >= self.maximum_value:\n tpl = \"'{val}' is bigger or equal than maximum ('{max}').\"\n ... |
def x(self, field_schema):
field_schema['maximum'] = self.maximum_value
if self.exclusive:
field_schema['exclusiveMaximum'] = True
| modify_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_schema):\n field_schema['maximum'] = self.maximum_value\n if self.exclusive:\n field_schema['exclusiveMaximum'] = True\n",
"role":... |
def x(self, value):
flags = self._calculate_flags()
try:
result = re.search(self.pattern, value, flags)
except TypeError as te:
raise ValidationError(*te.args)
if not result:
raise ValidationError(
'Value "{value}" did not match pattern "{pattern}".'.format(
... | validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n flags = self._calculate_flags()\n try:\n result = re.search(self.pattern, value, flags)\n except TypeError as te:\n rais... |
def x(self, field_schema):
field_schema['pattern'] = utilities.convert_python_regex_to_ecma(self.
pattern, self.flags)
| modify_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_schema):\n field_schema['pattern'] = utilities.convert_python_regex_to_ecma(self.\n pattern, self.flags)\n",
"role": "user"
},
{
... |
def x(self, value):
len_ = len(value)
if self.minimum_value is not None and len_ < self.minimum_value:
tpl = "Value '{val}' length is lower than allowed minimum '{min}'."
raise ValidationError(tpl.format(val=value, min=self.minimum_value))
if self.maximum_value is not None and len_ > self.ma... | validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n len_ = len(value)\n if self.minimum_value is not None and len_ < self.minimum_value:\n tpl = \"Value '{val}' length is lower than ... |
def x(self, field_schema):
if self.minimum_value:
field_schema['minLength'] = self.minimum_value
if self.maximum_value:
field_schema['maxLength'] = self.maximum_value
| modify_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_schema):\n if self.minimum_value:\n field_schema['minLength'] = self.minimum_value\n if self.maximum_value:\n field_schema['max... |
def x(model):
model.validate()
resp = {}
for _, name, field in model.iterate_with_name():
value = field.__get__(model)
if value is None:
continue
value = field.to_struct(value)
resp[name] = value
return resp
| to_struct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n model.validate()\n resp = {}\n for _, name, field in model.iterate_with_name():\n value = field.__get__(model)\n if value is N... |
def x(self, argv):
parser = self.create_parser(argv[0], argv[1])
args = parser.parse_args(argv[2:])
handle_default_options(args)
try:
self.execute(args)
except Exception as e:
try:
fallback_stderr = OutputWrapper(sys.stderr, self.style.ERROR)
except:
f... | run_from_argv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv):\n parser = self.create_parser(argv[0], argv[1])\n args = parser.parse_args(argv[2:])\n handle_default_options(args)\n try:\n se... |
def x(self, prog_name, subcommand):
parser = argparse.ArgumentParser(prog='%s %s' % (prog_name, subcommand),
description=self.help)
parser.add_argument('-v', '--verbosity', action='store', default=1,
type=int, choices=range(4), help=
'Verbosity level; 0=minimal output, 1=normal output, 2... | create_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prog_name, subcommand):\n parser = argparse.ArgumentParser(prog='%s %s' % (prog_name, subcommand),\n description=self.help)\n parser.add_arg... |
def x(filename):
content = codecs.open(filename, encoding='utf-8').read()
for regex, replacement in PYPI_RST_FILTERS:
content = re.sub(regex, replacement, content)
return content
| rst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n content = codecs.open(filename, encoding='utf-8').read()\n for regex, replacement in PYPI_RST_FILTERS:\n content = re.sub(regex, repl... |
def x(filename, type='text/javascript'):
if '?' in filename and len(filename.split('?')) is 2:
filename, params = filename.split('?')
return '<script type="%s" src="%s?%s"></script>' % (type,
staticfiles_storage.url(filename), params)
else:
return '<script type="%s" src="%s">... | javascript | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, type='text/javascript'):\n if '?' in filename and len(filename.split('?')) is 2:\n filename, params = filename.split('?')\n return '... |
def x(version=None, migrate=False):
version = version or settings.JQUERY_VERSION
suffix = '.min' if not settings.DEBUG else ''
libs = [js_lib('jquery-%s%s.js' % (version, suffix))]
if _boolean(migrate):
libs.append(js_lib('jquery-migrate-%s%s.js' % (
JQUERY_MIGRATE_VERSION, suffix)))... | jquery_js | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version=None, migrate=False):\n version = version or settings.JQUERY_VERSION\n suffix = '.min' if not settings.DEBUG else ''\n libs = [js_lib('jquery-... |
def x(context, jquery=True, i18n=True, csrf=True, init=True):
return {'js': {'minified': not settings.DEBUG, 'jquery': _boolean(
jquery), 'i18n': _boolean(i18n), 'csrf': _boolean(csrf), 'init':
_boolean(init)}}
| django_js | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, jquery=True, i18n=True, csrf=True, init=True):\n return {'js': {'minified': not settings.DEBUG, 'jquery': _boolean(\n jquery), 'i18n': _bool... |
def x(context, jquery=False, i18n=True, csrf=True, init=True):
return {'js': {'jquery': _boolean(jquery), 'i18n': _boolean(i18n),
'csrf': _boolean(csrf), 'init': _boolean(init)}}
| django_js_init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, jquery=False, i18n=True, csrf=True, init=True):\n return {'js': {'jquery': _boolean(jquery), 'i18n': _boolean(i18n),\n 'csrf': _boolean(csrf... |
def x(self):
data = {}
if settings.JS_CONTEXT_ENABLED:
for context in RequestContext(self.request):
for key, value in six.iteritems(context):
if settings.JS_CONTEXT and key not in settings.JS_CONTEXT:
continue
if (settings.JS_CONTEXT_EXCLUD... | as_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = {}\n if settings.JS_CONTEXT_ENABLED:\n for context in RequestContext(self.request):\n for key, value in six.iteritems(c... |
def x(self, language_code, data):
language_code = 'en-us' if language_code == 'en' else language_code
language = translation.get_language_info('en' if language_code ==
'en-us' else language_code)
if (not settings.JS_CONTEXT or 'LANGUAGE_NAME' in settings.JS_CONTEXT or
settings.JS_CONTEXT_EXC... | process_LANGUAGE_CODE | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, language_code, data):\n language_code = 'en-us' if language_code == 'en' else language_code\n language = translation.get_language_info('en' if lang... |
def x(self, data):
data['user'] = {'username': '', 'is_authenticated': False, 'is_staff':
False, 'is_superuser': False, 'permissions': tuple()}
if ('django.contrib.sessions.middleware.SessionMiddleware' in settings.
MIDDLEWARE_CLASSES):
user = self.request.user
data['user']['is_... | handle_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n data['user'] = {'username': '', 'is_authenticated': False, 'is_staff': \n False, 'is_superuser': False, 'permissions': tuple()}\n i... |
def x(name):
module_name, class_name = name.rsplit('.', 1)
__import__(module_name)
module = sys.modules[module_name]
return getattr(module, class_name)
| class_from_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n module_name, class_name = name.rsplit('.', 1)\n __import__(module_name)\n module = sys.modules[module_name]\n return getattr(module, class... |
def x(cls, files=None):
files = files or []
if isinstance(files, str):
files = os.path.normpath(files)
matches = lambda path: matches_patterns(path, [files])
return [path for path in cls.get_static_files() if matches(path)]
elif isinstance(files, (list, tuple)):
all_files = c... | glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, files=None):\n files = files or []\n if isinstance(files, str):\n files = os.path.normpath(files)\n matches = lambda path: matches_pat... |
def x(self, command):
process = Popen(command, stdout=PIPE, stderr=STDOUT, universal_newlines
=True)
while True:
if process.poll() is not None:
self.returncode = process.returncode
break
yield process.stdout.readline()
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n process = Popen(command, stdout=PIPE, stderr=STDOUT, universal_newlines\n =True)\n while True:\n if process.poll() is not... |
def x(self, *args, **kwargs):
separator = '=' * LINE_SIZE
title = kwargs['title'] if 'title' in kwargs else 'phantomjs output'
nb_spaces = (LINE_SIZE - len(title)) // 2
if VERBOSE:
print('')
print(separator)
print(' ' * nb_spaces + title)
print(separator)
sys.stdo... | phantomjs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n separator = '=' * LINE_SIZE\n title = kwargs['title'] if 'title' in kwargs else 'phantomjs output'\n nb_spaces = (LINE_SIZE ... |
def x(self):
if not self.phantomjs_runner:
raise JsTestException('phantomjs_runner need to be defined')
url = self.get_url()
self.phantomjs(self.phantomjs_runner, url, title=self.title)
self.cleanup()
| run_suite | [
{
"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.phantomjs_runner:\n raise JsTestException('phantomjs_runner need to be defined')\n url = self.get_url()\n self.phantomjs(s... |
def x(self, rows, keyed=False):
for row in rows:
keyed_row = row
if not keyed:
keyed_row = dict(zip(self.__schema.field_names, row))
keyed_row = self.__convert_row(keyed_row)
if self.__check_existing(keyed_row):
for wr in self.__insert():
yield... | write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows, keyed=False):\n for row in rows:\n keyed_row = row\n if not keyed:\n keyed_row = dict(zip(self.__schema.field_names, ro... |
def x(self):
self.__bloom = pybloom_live.ScalableBloomFilter()
columns = [getattr(self.__table.c, key) for key in self.__update_keys]
keys = select(columns).execution_options(stream_results=True).execute()
for key in keys:
self.__bloom.add(tuple(key))
| prepare_bloom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.__bloom = pybloom_live.ScalableBloomFilter()\n columns = [getattr(self.__table.c, key) for key in self.__update_keys]\n keys = select(co... |
def x(self):
if len(self.__buffer) > 0:
statement = self.__table.insert()
if self.__autoincrement:
statement = statement.returning(getattr(self.__table.c, self.
__autoincrement))
statement = statement.values(self.__buffer)
res = statement.execute()... | insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.__buffer) > 0:\n statement = self.__table.insert()\n if self.__autoincrement:\n statement = statement.returnin... |
def x(self, row):
expr = self.__table.update().values(row)
for key in self.__update_keys:
expr = expr.where(getattr(self.__table.c, key) == row[key])
if self.__autoincrement:
expr = expr.returning(getattr(self.__table.c, self.__autoincrement))
res = expr.execute()
if res.rowcount > 0... | update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n expr = self.__table.update().values(row)\n for key in self.__update_keys:\n expr = expr.where(getattr(self.__table.c, key) == row[ke... |
def x(self, row):
if self.__update_keys is not None:
key = tuple(row[key] for key in self.__update_keys)
if key in self.__bloom:
return True
self.__bloom.add(key)
return False
return False
| check_existing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n if self.__update_keys is not None:\n key = tuple(row[key] for key in self.__update_keys)\n if key in self.__bloom:\n ... |
def x(self):
buckets = []
for table in self.__metadata.sorted_tables:
bucket = self.__mapper.restore_bucket(table.name)
if bucket is not None:
buckets.append(bucket)
return buckets
| buckets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buckets = []\n for table in self.__metadata.sorted_tables:\n bucket = self.__mapper.restore_bucket(table.name)\n if bucket is not ... |
def x(self, bucket, descriptor, force=False, indexes_fields=None):
buckets = bucket
if isinstance(bucket, six.string_types):
buckets = [bucket]
descriptors = descriptor
if isinstance(descriptor, dict):
descriptors = [descriptor]
if indexes_fields is None or len(indexes_fields) == 0:
... | create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, descriptor, force=False, indexes_fields=None):\n buckets = bucket\n if isinstance(bucket, six.string_types):\n buckets = [bucket]\n ... |
def x(self, bucket=None, ignore=False):
buckets = bucket
if isinstance(bucket, six.string_types):
buckets = [bucket]
elif bucket is None:
buckets = reversed(self.buckets)
tables = []
for bucket in buckets:
if bucket not in self.buckets:
if not ignore:
... | delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket=None, ignore=False):\n buckets = bucket\n if isinstance(bucket, six.string_types):\n buckets = [bucket]\n elif bucket is None:\n ... |
def x(self, bucket, descriptor=None):
if descriptor is not None:
self.__descriptors[bucket] = descriptor
else:
descriptor = self.__descriptors.get(bucket)
if descriptor is None:
table = self.__get_table(bucket)
descriptor = self.__mapper.restore_descriptor(table.n... | describe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, descriptor=None):\n if descriptor is not None:\n self.__descriptors[bucket] = descriptor\n else:\n descriptor = self.__descri... |
def x(self, bucket):
table = self.__get_table(bucket)
schema = tableschema.Schema(self.describe(bucket))
with self.__connection.begin():
select = table.select().execution_options(stream_results=True)
result = select.execute()
for row in result:
row = self.__mapper.restore... | iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket):\n table = self.__get_table(bucket)\n schema = tableschema.Schema(self.describe(bucket))\n with self.__connection.begin():\n sele... |
def x(self, bucket, rows, keyed=False, as_generator=False, update_keys=None):
if update_keys is not None and len(update_keys) == 0:
message = 'Argument "update_keys" cannot be an empty list'
raise tableschema.exceptions.StorageError(message)
table = self.__get_table(bucket)
schema = tablesch... | write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, rows, keyed=False, as_generator=False, update_keys=None):\n if update_keys is not None and len(update_keys) == 0:\n message = 'Argument... |
def x(self, bucket):
table_name = self.__mapper.convert_bucket(bucket)
if self.__dbschema:
table_name = '.'.join((self.__dbschema, table_name))
return self.__metadata.tables[table_name]
| get_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket):\n table_name = self.__mapper.convert_bucket(bucket)\n if self.__dbschema:\n table_name = '.'.join((self.__dbschema, table_name))\n ... |
def x(self):
def x(name, _):
return self.__only(name) and self.__mapper.restore_bucket(name
) is not None
self.__metadata.reflect(only=only)
| reflect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(name, _):\n return self.__only(name) and self.__mapper.restore_bucket(name\n ) is not None\n self.__metadata.reflect(o... |
def x(field, separator=' - '):
title = field.descriptor.get('title') or ''
description = field.descriptor.get('description') or ''
return _get_comment(description, title, separator)
| get_field_comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field, separator=' - '):\n title = field.descriptor.get('title') or ''\n description = field.descriptor.get('description') or ''\n return _get_comment... |
def x(self, bucket, descriptor, index_fields=[], autoincrement=None):
columns = []
indexes = []
fallbacks = []
constraints = []
column_mapping = {}
table_name = self.convert_bucket(bucket)
table_comment = _get_comment(descriptor.get('title', ''), descriptor.
get('description', ''))
... | convert_descriptor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, descriptor, index_fields=[], autoincrement=None):\n columns = []\n indexes = []\n fallbacks = []\n constraints = []\n column_mappi... |
def x(self, keyed_row, schema, fallbacks):
for key, value in list(keyed_row.items()):
field = schema.get_field(key)
if not field:
del keyed_row[key]
if key in fallbacks:
value = _uncast_value(value, field=field)
else:
value = field.cast_value(value... | convert_row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyed_row, schema, fallbacks):\n for key, value in list(keyed_row.items()):\n field = schema.get_field(key)\n if not field:\n ... |
def x(self, type):
mapping = {'any': sa.Text, 'array': None, 'boolean': sa.Boolean, 'date':
sa.Date, 'datetime': sa.DateTime, 'duration': None, 'geojson': None,
'geopoint': None, 'integer': sa.Integer, 'number': sa.Float,
'object': None, 'string': sa.Text, 'time': sa.Time, 'year': sa.
... | convert_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type):\n mapping = {'any': sa.Text, 'array': None, 'boolean': sa.Boolean, 'date':\n sa.Date, 'datetime': sa.DateTime, 'duration': None, 'geojso... |
def x(self, table_name):
if table_name.startswith(self.__prefix):
return table_name.replace(self.__prefix, '', 1)
return None
| restore_bucket | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n if table_name.startswith(self.__prefix):\n return table_name.replace(self.__prefix, '', 1)\n return None\n",
"role": "use... |
def x(self, table_name, columns, constraints, autoincrement_column=None):
fields = []
for column in columns:
if column.name == autoincrement_column:
continue
field_type = self.restore_type(column.type)
field = {'name': column.name, 'type': field_type}
if not column.nu... | restore_descriptor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, columns, constraints, autoincrement_column=None):\n fields = []\n for column in columns:\n if column.name == autoincrement_colum... |
def x(self, row, schema):
row = list(row)
for index, field in enumerate(schema.fields):
if self.__dialect == 'postgresql':
if field.type in ['array', 'object']:
continue
row[index] = field.cast_value(row[index])
return row
| restore_row | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, schema):\n row = list(row)\n for index, field in enumerate(schema.fields):\n if self.__dialect == 'postgresql':\n if field.t... |
def x(self, type):
mapping = {ARRAY: 'array', sa.Boolean: 'boolean', sa.Date: 'date', sa.
DateTime: 'datetime', sa.Float: 'number', sa.Integer: 'integer',
JSONB: 'object', JSON: 'object', sa.Numeric: 'number', sa.Text:
'string', sa.Time: 'time', sa.VARCHAR: 'string', UUID: 'string'}
fiel... | restore_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type):\n mapping = {ARRAY: 'array', sa.Boolean: 'boolean', sa.Date: 'date', sa.\n DateTime: 'datetime', sa.Float: 'number', sa.Integer: 'intege... |
def x(self, path, relative_to_object_id, object_id, create_file_type=0):
try:
return self.process.OpenHierarchy(path, relative_to_object_id, '',
create_file_type)
except Exception as e:
print(e)
print('Could not Open Hierarchy')
| open_hierarchy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, relative_to_object_id, object_id, create_file_type=0):\n try:\n return self.process.OpenHierarchy(path, relative_to_object_id, '',\n ... |
def x(self, section_id, new_page_style=0):
try:
self.process.CreateNewPage(section_id, '', new_page_style)
except Exception as e:
print(e)
print('Unable to create the page')
| create_new_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section_id, new_page_style=0):\n try:\n self.process.CreateNewPage(section_id, '', new_page_style)\n except Exception as e:\n print(e... |
def x(self, page_id, page_info=0):
try:
return self.process.GetPageContent(page_id, '', page_info)
except Exception as e:
print(e)
print('Could not get Page Content')
| get_page_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page_id, page_info=0):\n try:\n return self.process.GetPageContent(page_id, '', page_info)\n except Exception as e:\n print(e)\n ... |
def x(self, hierarchy_id, target_file_path, publish_format,
clsid_of_exporter=''):
try:
self.process.Publish(hierarchy_id, target_file_path, publish_format,
clsid_of_exporter)
except Exception as e:
print(e)
print('Could not Publish')
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hierarchy_id, target_file_path, publish_format,\n clsid_of_exporter=''):\n try:\n self.process.Publish(hierarchy_id, target_file_path, publi... |
def x(self, special_location=0):
try:
return self.process.GetSpecialLocation(special_location)
except Exception as e:
print(e)
print('Could not retreive special location')
| get_special_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, special_location=0):\n try:\n return self.process.GetSpecialLocation(special_location)\n except Exception as e:\n print(e)\n p... |
def x():
mem_info = dict()
for k, v in psutil.virtual_memory()._asdict().items():
mem_info[k] = int(v)
return mem_info
| memory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n mem_info = dict()\n for k, v in psutil.virtual_memory()._asdict().items():\n mem_info[k] = int(v)\n return mem_info\n",
"role": "user"... |
def x(N, n):
mem_free = memory()['free']
if mem_free > 60000000:
chunk_size = int((mem_free - 10000000) * 1000 / (4 * n * N))
return chunk_size
elif mem_free > 40000000:
chunk_size = int((mem_free - 7000000) * 1000 / (4 * n * N))
return chunk_size
elif mem_free > 14000000... | get_chunk_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(N, n):\n mem_free = memory()['free']\n if mem_free > 60000000:\n chunk_size = int((mem_free - 10000000) * 1000 / (4 * n * N))\n return chun... |
def x(byte_counts):
assert isinstance(byte_counts, numbers.Integral) and byte_counts > 0
if 2 * byte_counts > 1000 * memory()['free']:
try:
FILTERS = tables.filters(complevel=5, complib='blosc', shuffle=
True, least_significant_digit=6)
except tables.FiltersWarning:
... | get_compression_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(byte_counts):\n assert isinstance(byte_counts, numbers.Integral) and byte_counts > 0\n if 2 * byte_counts > 1000 * memory()['free']:\n try:\n ... |
def x(cluster_runs):
N_runs = cluster_runs.shape[0]
hypergraph_adjacency = create_membership_matrix(cluster_runs[0])
for i in range(1, N_runs):
hypergraph_adjacency = scipy.sparse.vstack([hypergraph_adjacency,
create_membership_matrix(cluster_runs[i])], format='csr')
return hypergrap... | build_hypergraph_adjacency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cluster_runs):\n N_runs = cluster_runs.shape[0]\n hypergraph_adjacency = create_membership_matrix(cluster_runs[0])\n for i in range(1, N_runs):\n ... |
def x(hypergraph_adjacency, hdf5_file_name):
assert hypergraph_adjacency.__class__ == scipy.sparse.csr.csr_matrix
byte_counts = (hypergraph_adjacency.data.nbytes + hypergraph_adjacency.
indices.nbytes + hypergraph_adjacency.indptr.nbytes)
FILTERS = get_compression_filter(byte_counts)
with tables... | store_hypergraph_adjacency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hypergraph_adjacency, hdf5_file_name):\n assert hypergraph_adjacency.__class__ == scipy.sparse.csr.csr_matrix\n byte_counts = (hypergraph_adjacency.data.... |
def x(hdf5_file_name):
with tables.open_file(hdf5_file_name, 'r+') as fileh:
pars = []
for par in ('data', 'indices', 'indptr', 'shape'):
pars.append(getattr(fileh.root.consensus_group, par).read())
hypergraph_adjacency = scipy.sparse.csr_matrix(tuple(pars[:3]), shape=
pars[3... | load_hypergraph_adjacency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name):\n with tables.open_file(hdf5_file_name, 'r+') as fileh:\n pars = []\n for par in ('data', 'indices', 'indptr', 'shape'):\n ... |
def x(cluster_runs, hdf5_file_name=None, verbose=False, N_clusters_max=None):
if hdf5_file_name is None:
hdf5_file_name = './Cluster_Ensembles.h5'
fileh = tables.open_file(hdf5_file_name, 'w')
fileh.create_group(fileh.root, 'consensus_group')
fileh.close()
cluster_ensemble = []
score = n... | cluster_ensembles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cluster_runs, hdf5_file_name=None, verbose=False, N_clusters_max=None):\n if hdf5_file_name is None:\n hdf5_file_name = './Cluster_Ensembles.h5'\n ... |
def x(cluster_runs, cluster_ensemble=None, verbose=False):
if cluster_ensemble is None:
return 0.0
if reduce(operator.mul, cluster_runs.shape, 1) == max(cluster_runs.shape):
cluster_runs = cluster_runs.reshape(1, -1)
weighted_average_mutual_information = 0
N_labelled_indices = 0
for ... | ceEvalMutual | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cluster_runs, cluster_ensemble=None, verbose=False):\n if cluster_ensemble is None:\n return 0.0\n if reduce(operator.mul, cluster_runs.shape, 1) ... |
def x(cluster_run, verbose=False):
cluster_run = np.asanyarray(cluster_run)
if cluster_run.size == 0:
raise ValueError(
'\nERROR: Cluster_Ensembles: checkcl: empty vector provided as input.\n'
)
elif reduce(operator.mul, cluster_run.shape, 1) != max(cluster_run.shape):
... | checkcl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cluster_run, verbose=False):\n cluster_run = np.asanyarray(cluster_run)\n if cluster_run.size == 0:\n raise ValueError(\n '\\nERROR: Cl... |
def x(array_in):
x = np.asanyarray(array_in)
N_in = x.size
array_in = x.reshape(N_in)
sorted_array = np.sort(array_in)
sorting_indices = np.argsort(array_in)
last = np.nan
current_index = -1
for i in range(N_in):
if last != sorted_array[i] or np.isnan(last):
last = so... | one_to_max | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array_in):\n x = np.asanyarray(array_in)\n N_in = x.size\n array_in = x.reshape(N_in)\n sorted_array = np.sort(array_in)\n sorting_indices = np.... |
def x(similarities, verbose=False):
if similarities.size == 0:
raise ValueError(
"""
ERROR: Cluster_Ensembles: checks: the similarities matrix provided as input happens to be empty.
"""
)
elif np.where(np.isnan(similarities))[0].size != 0:
raise ValueError(
""... | checks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(similarities, verbose=False):\n if similarities.size == 0:\n raise ValueError(\n \"\"\"\nERROR: Cluster_Ensembles: checks: the similaritie... |
def x(hdf5_file_name, cluster_runs, verbose=False, N_clusters_max=None):
print('*****')
print('INFO: Cluster_Ensembles: CSPA: consensus clustering using CSPA.')
if N_clusters_max == None:
N_clusters_max = int(np.nanmax(cluster_runs)) + 1
N_runs = cluster_runs.shape[0]
N_samples = cluster_run... | CSPA | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name, cluster_runs, verbose=False, N_clusters_max=None):\n print('*****')\n print('INFO: Cluster_Ensembles: CSPA: consensus clustering using CS... |
def x(hdf5_file_name, cluster_runs, verbose=False, N_clusters_max=None):
print('\n*****')
print('INFO: Cluster_Ensembles: HGPA: consensus clustering using HGPA.')
if N_clusters_max == None:
N_clusters_max = int(np.nanmax(cluster_runs)) + 1
return hmetis(hdf5_file_name, N_clusters_max)
| HGPA | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name, cluster_runs, verbose=False, N_clusters_max=None):\n print('\\n*****')\n print('INFO: Cluster_Ensembles: HGPA: consensus clustering using... |
def x(cluster_run):
cluster_run = np.asanyarray(cluster_run)
if reduce(operator.mul, cluster_run.shape, 1) != max(cluster_run.shape):
raise ValueError(
"""
ERROR: Cluster_Ensembles: create_membership_matrix: problem in dimensions of the cluster label vector under consideration."""
... | create_membership_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cluster_run):\n cluster_run = np.asanyarray(cluster_run)\n if reduce(operator.mul, cluster_run.shape, 1) != max(cluster_run.shape):\n raise ValueE... |
def x(hdf5_file_name, N_clusters_max):
file_name = wgraph(hdf5_file_name)
labels = sgraph(N_clusters_max, file_name)
subprocess.call(['rm', file_name])
return labels
| metis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name, N_clusters_max):\n file_name = wgraph(hdf5_file_name)\n labels = sgraph(N_clusters_max, file_name)\n subprocess.call(['rm', file_name]... |
def x(hdf5_file_name, N_clusters_max, w=None):
if w is None:
file_name = wgraph(hdf5_file_name, None, 2)
else:
file_name = wgraph(hdf5_file_name, w, 3)
labels = sgraph(N_clusters_max, file_name)
labels = one_to_max(labels)
subprocess.call(['rm', file_name])
return labels
| hmetis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name, N_clusters_max, w=None):\n if w is None:\n file_name = wgraph(hdf5_file_name, None, 2)\n else:\n file_name = wgraph(hdf5_fi... |
def x(hdf5_file_name, w=None, method=0):
print('\n#')
if method == 0:
fileh = tables.open_file(hdf5_file_name, 'r+')
e_mat = fileh.root.consensus_group.similarities_CSPA
file_name = 'wgraph_CSPA'
elif method == 1:
fileh = tables.open_file(hdf5_file_name, 'r+')
e_mat =... | wgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name, w=None, method=0):\n print('\\n#')\n if method == 0:\n fileh = tables.open_file(hdf5_file_name, 'r+')\n e_mat = fileh.root.... |
def x(N_clusters_max, file_name):
if file_name == 'DO_NOT_PROCESS':
return []
print('\n#')
k = str(N_clusters_max)
out_name = file_name + '.part.' + k
if file_name == 'wgraph_HGPA':
print(
'INFO: Cluster_Ensembles: sgraph: calling shmetis for hypergraph partitioning.'
... | sgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(N_clusters_max, file_name):\n if file_name == 'DO_NOT_PROCESS':\n return []\n print('\\n#')\n k = str(N_clusters_max)\n out_name = file_name... |
def x(hdf5_file_name, consensus_labels, cluster_runs):
if reduce(operator.mul, cluster_runs.shape, 1) == max(cluster_runs.shape):
cluster_runs = cluster_runs.reshape(1, -1)
N_runs, N_samples = cluster_runs.shape
N_consensus_labels = np.unique(consensus_labels).size
indices_consensus_adjacency = ... | overlap_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdf5_file_name, consensus_labels, cluster_runs):\n if reduce(operator.mul, cluster_runs.shape, 1) == max(cluster_runs.shape):\n cluster_runs = cluste... |
def x(p, action):
key = 'ru7sll3uQrGtDPcIW3okutpFLo6YYtd5bWSpbZJIopYQ0Du0a1WlhvJOaZEH'
s = list()
if action == 'store':
if PY2:
for i in range(len(p)):
kc = key[i % len(key)]
ec = chr((ord(p[i]) + ord(kc)) % 256)
s.append(ec)
re... | obfuscate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, action):\n key = 'ru7sll3uQrGtDPcIW3okutpFLo6YYtd5bWSpbZJIopYQ0Du0a1WlhvJOaZEH'\n s = list()\n if action == 'store':\n if PY2:\n ... |
def x(self):
if not os.path.exists(CONFIG_PATH):
os.makedirs(CONFIG_PATH)
if not os.path.exists(CONFIG_FILE):
json.dump(CONFIG_DEFAULTS, open(CONFIG_FILE, 'w'), indent=4,
separators=(',', ': '))
config = CONFIG_DEFAULTS
if self._email and self._password:
config['email... | config_bootstrap | [
{
"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 os.path.exists(CONFIG_PATH):\n os.makedirs(CONFIG_PATH)\n if not os.path.exists(CONFIG_FILE):\n json.dump(CONFIG_DEFAULTS, ... |
def x(self):
if not os.path.exists(SESSION_FILE):
self._log.debug('Session file does not exist')
return False
with open(SESSION_FILE, 'rb') as f:
cookies = requests.utils.cookiejar_from_dict(pickle.load(f))
self._session.cookies = cookies
self._log.debug('Loaded cookies f... | session_check | [
{
"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 os.path.exists(SESSION_FILE):\n self._log.debug('Session file does not exist')\n return False\n with open(SESSION_FILE, 'rb... |
def x(self):
logger = logging.getLogger(self.NAME)
logger.setLevel(self.LOG_LEVEL)
shandler = logging.StreamHandler(sys.stdout)
fmt = '\x1b[1;32m%(levelname)-5s %(module)s:%(funcName)s():'
fmt += '%(lineno)d %(asctime)s\x1b[0m| %(message)s'
shandler.setFormatter(logging.Formatter(fmt))
logge... | logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger = logging.getLogger(self.NAME)\n logger.setLevel(self.LOG_LEVEL)\n shandler = logging.StreamHandler(sys.stdout)\n fmt = '\\x1b[1;32... |
def x(self, level):
if level == 'info':
level = logging.INFO
if level == 'debug':
level = logging.DEBUG
if level == 'error':
level = logging.ERROR
self._log.setLevel(level)
| set_log_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level):\n if level == 'info':\n level = logging.INFO\n if level == 'debug':\n level = logging.DEBUG\n if level == 'error':\n ... |
def x(self):
self._log.debug('Capturing state from the request')
response = self._session.get(url=self.ALERTS_URL, headers=self.HEADERS)
soup = BeautifulSoup(response.content, 'html.parser')
for i in soup.findAll('script'):
if i.text.find('window.STATE') == -1:
continue
state... | process_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._log.debug('Capturing state from the request')\n response = self._session.get(url=self.ALERTS_URL, headers=self.HEADERS)\n soup = Beauti... |
def x(self):
valid = self._session_check()
if self._is_authenticated and valid:
self._log.debug('[!] User has already authenticated')
return
init = self._session.get(url=self.LOGIN_URL, headers=self.HEADERS)
soup = BeautifulSoup(init.content, 'html.parser')
soup_login = soup.find('fo... | authenticate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n valid = self._session_check()\n if self._is_authenticated and valid:\n self._log.debug('[!] User has already authenticated')\n ret... |
def x(self, term=None):
if not self._state:
raise InvalidState('State was not properly obtained from the app')
self._process_state()
if not self._state[1]:
self._log.info('No monitors have been created yet.')
return list()
monitors = list()
for monitor in self._state[1][1]:
... | list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term=None):\n if not self._state:\n raise InvalidState('State was not properly obtained from the app')\n self._process_state()\n if not s... |
def x(self, term, options):
if not self._state:
raise InvalidState('State was not properly obtained from the app')
options['action'] = 'CREATE'
payload = self._build_payload(term, options)
url = self.ALERTS_CREATE_URL.format(requestX=self._state[3])
self._log.debug('Creating alert using: %s'... | create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, options):\n if not self._state:\n raise InvalidState('State was not properly obtained from the app')\n options['action'] = 'CREATE'\n ... |
def x(self, monitor_id, options):
if not self._state:
raise InvalidState('State was not properly obtained from the app')
monitors = self.list()
obj = None
for monitor in monitors:
if monitor_id != monitor['monitor_id']:
continue
obj = monitor
if not monitor_id:
... | modify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, monitor_id, options):\n if not self._state:\n raise InvalidState('State was not properly obtained from the app')\n monitors = self.list()\n ... |
def x(self, monitor_id):
if not self._state:
raise InvalidState('State was not properly obtained from the app')
monitors = self.list()
bit = None
for monitor in monitors:
if monitor_id != monitor['monitor_id']:
continue
bit = monitor['monitor_id']
if not bit:
... | delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, monitor_id):\n if not self._state:\n raise InvalidState('State was not properly obtained from the app')\n monitors = self.list()\n bit = ... |
def x():
parser = ArgumentParser()
subs = parser.add_subparsers(dest='cmd')
setup_parser = subs.add_parser('setup')
setup_parser.add_argument('-e', '--email', dest='email', required=True,
help='Email of the Google user.', type=str)
setup_parser.add_argument('-p', '--password', dest='pwd', re... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = ArgumentParser()\n subs = parser.add_subparsers(dest='cmd')\n setup_parser = subs.add_parser('setup')\n setup_parser.add_argument('-e... |
def x(query):
installed = {}
for p in pkg_resources.working_set:
installed[canonicalize_name(p.project_name)] = p
query_names = [canonicalize_name(name) for name in query]
for dist in [installed[pkg] for pkg in query_names if pkg in installed]:
package = {'name': dist.project_name, 'vers... | search_packages_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query):\n installed = {}\n for p in pkg_resources.working_set:\n installed[canonicalize_name(p.project_name)] = p\n query_names = [canonicalize... |
def x(self, request, view_func, view_args, view_kwargs):
view_keys = list(VIEW_METHOD_DATA.keys())
for key in view_keys:
del VIEW_METHOD_DATA[key]
self.view_data = {}
try:
cbv = view_func.view_class
except AttributeError:
cbv = False
if cbv:
self.view_data['cbv'] ... | process_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, view_func, view_args, view_kwargs):\n view_keys = list(VIEW_METHOD_DATA.keys())\n for key in view_keys:\n del VIEW_METHOD_DATA[key]... |
def x(self, request, response):
if not settings.DEBUG:
return response
content_encoding = response.get('Content-Encoding', '')
content_type = response.get('Content-Type', '').split(';')[0]
if any((getattr(response, 'streaming', False), 'gzip' in
content_encoding, content_type not in _HTM... | process_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, response):\n if not settings.DEBUG:\n return response\n content_encoding = response.get('Content-Encoding', '')\n content_type =... |
def x(klass_str):
mod_name, klass_name = klass_str.rsplit('.', 1)
try:
mod = importlib.import_module(mod_name)
except ImportError as e:
logger.error("Error importing job module %s: '%s'", mod_name, e)
return
try:
klass = getattr(mod, klass_name)
except AttributeError:... | get_job_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass_str):\n mod_name, klass_name = klass_str.rsplit('.', 1)\n try:\n mod = importlib.import_module(mod_name)\n except ImportError as e:\n ... |
def x(self, *raw_args, **raw_kwargs):
args = self.prepare_args(*raw_args)
kwargs = self.prepare_kwargs(**raw_kwargs)
key = self.key(*args, **kwargs)
item = self.cache.get(key)
call = Call(args=raw_args, kwargs=raw_kwargs)
if item is None:
if self.should_missing_item_be_fetched_synchronou... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *raw_args, **raw_kwargs):\n args = self.prepare_args(*raw_args)\n kwargs = self.prepare_kwargs(**raw_kwargs)\n key = self.key(*args, **kwargs)\n... |
def x(self, *raw_args, **raw_kwargs):
args = self.prepare_args(*raw_args)
kwargs = self.prepare_kwargs(**raw_kwargs)
key = self.key(*args, **kwargs)
item = self.cache.get(key)
if item is not None:
expiry, data = item
self.store(key, self.timeout(*args, **kwargs), data)
self.a... | invalidate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *raw_args, **raw_kwargs):\n args = self.prepare_args(*raw_args)\n kwargs = self.prepare_kwargs(**raw_kwargs)\n key = self.key(*args, **kwargs)\n... |
def x(self, *raw_args, **raw_kwargs):
args = self.prepare_args(*raw_args)
kwargs = self.prepare_kwargs(**raw_kwargs)
key = self.key(*args, **kwargs)
item = self.cache.get(key)
if item is not None:
self.cache.delete(key)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *raw_args, **raw_kwargs):\n args = self.prepare_args(*raw_args)\n kwargs = self.prepare_kwargs(**raw_kwargs)\n key = self.key(*args, **kwargs)\n... |
def x(self, *raw_args, **raw_kwargs):
args = self.prepare_args(*raw_args)
kwargs = self.prepare_kwargs(**raw_kwargs)
key = self.key(*args, **kwargs)
return self.cache.get(key)
| raw_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *raw_args, **raw_kwargs):\n args = self.prepare_args(*raw_args)\n kwargs = self.prepare_kwargs(**raw_kwargs)\n key = self.key(*args, **kwargs)\n... |
def x(self, *raw_args, **raw_kwargs):
if self.set_data_kwarg in raw_kwargs:
data = raw_kwargs.pop(self.set_data_kwarg)
else:
raw_args = list(raw_args)
data = raw_args.pop()
args = self.prepare_args(*raw_args)
kwargs = self.prepare_kwargs(**raw_kwargs)
key = self.key(*args, **... | set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *raw_args, **raw_kwargs):\n if self.set_data_kwarg in raw_kwargs:\n data = raw_kwargs.pop(self.set_data_kwarg)\n else:\n raw_args = l... |
def x(self, key, expiry, data):
self.cache.set(key, (expiry, data), self.cache_ttl)
if getattr(settings, 'CACHEBACK_VERIFY_CACHE_WRITE', True):
__, cached_data = self.cache.get(key, (None, None))
if data is not None and cached_data is None:
raise RuntimeError('Unable to save data of ... | store | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, expiry, data):\n self.cache.set(key, (expiry, data), self.cache_ttl)\n if getattr(settings, 'CACHEBACK_VERIFY_CACHE_WRITE', True):\n __... |
def x(self, *args, **kwargs):
result = self.fetch(*args, **kwargs)
self.store(self.key(*args, **kwargs), self.expiry(*args, **kwargs), result)
return result
| refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n result = self.fetch(*args, **kwargs)\n self.store(self.key(*args, **kwargs), self.expiry(*args, **kwargs), result)\n return ... |
def x(self, *args, **kwargs):
try:
enqueue_task(dict(klass_str=self.class_path, obj_args=self.
get_init_args(), obj_kwargs=self.get_init_kwargs(), call_args=
args, call_kwargs=kwargs), task_options=self.task_options)
except Exception:
logger.error(
'Unable to ... | async_refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n try:\n enqueue_task(dict(klass_str=self.class_path, obj_args=self.\n get_init_args(), obj_kwargs=self.get_init_k... |
def x(self, delta, *args, **kwargs):
if self.fetch_on_stale_threshold is None:
return False
return delta > self.fetch_on_stale_threshold - self.lifetime
| should_stale_item_be_fetched_synchronously | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delta, *args, **kwargs):\n if self.fetch_on_stale_threshold is None:\n return False\n return delta > self.fetch_on_stale_threshold - self.li... |
def x(self, *args, **kwargs):
if not args and not kwargs:
return self.class_path
try:
if args and not kwargs:
return '%s:%s' % (self.class_path, self.hash(args))
return '%s:%s:%s:%s' % (self.class_path, self.hash(args), self.hash
([k for k in sorted(kwargs)]), sel... | key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if not args and not kwargs:\n return self.class_path\n try:\n if args and not kwargs:\n return '%s:%s'... |
def x(self, value):
if is_iterable(value):
value = tuple(to_bytestring(v) for v in value)
return hashlib.md5(six.b(':').join(value)).hexdigest()
| hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if is_iterable(value):\n value = tuple(to_bytestring(v) for v in value)\n return hashlib.md5(six.b(':').join(value)).hexdigest()\n... |
def x(cls, klass_str, obj_args, obj_kwargs, call_args, call_kwargs):
klass = get_job_class(klass_str)
if klass is None:
logger.error('Unable to construct %s with args %r and kwargs %r',
klass_str, obj_args, obj_kwargs)
return
logger.info('Using %s with constructor args %r and kwa... | perform_async_refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, klass_str, obj_args, obj_kwargs, call_args, call_kwargs):\n klass = get_job_class(klass_str)\n if klass is None:\n logger.error('Unable to co... |
def x(lifetime=None, fetch_on_miss=None, cache_alias=None, job_class=None,
task_options=None, **job_class_kwargs):
if job_class is None:
job_class = FunctionJob
job = job_class(lifetime=lifetime, fetch_on_miss=fetch_on_miss,
cache_alias=cache_alias, task_options=task_options, **job_class_kwa... | cacheback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lifetime=None, fetch_on_miss=None, cache_alias=None, job_class=None,\n task_options=None, **job_class_kwargs):\n if job_class is None:\n job_class... |
def x(v1, v2):
v1_u = unit_vector(v1)
v2_u = unit_vector(v2)
return np.arccos(np.clip(np.dot(v1_u, v2_u), -1.0, 1.0))
| angle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(v1, v2):\n v1_u = unit_vector(v1)\n v2_u = unit_vector(v2)\n return np.arccos(np.clip(np.dot(v1_u, v2_u), -1.0, 1.0))\n",
"role": "user"
},
{
... |
def x(vertices, min_angle_deg):
accepted = []
v = vertices
v1 = v[1] - v[0]
accepted.append((v[0][0], v[0][1]))
for i in range(1, len(v) - 2):
v2 = v[i + 1] - v[i - 1]
diff_angle = np.fabs(angle(v1, v2) * 180.0 / np.pi)
if diff_angle > min_angle_deg:
accepted.appe... | keep_high_angle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vertices, min_angle_deg):\n accepted = []\n v = vertices\n v1 = v[1] - v[0]\n accepted.append((v[0][0], v[0][1]))\n for i in range(1, len(v) - 2... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.