source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, image_id, data):
return self._http_call(self.IMAGE_JSON, put, data=data, image_id=image_id)
|
put_image_layer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_id, data):\n return self._http_call(self.IMAGE_JSON, put, data=data, image_id=image_id)\n",
"role": "user"
},
{
"content": "put_image_layer",
"role": "assistant"
}
] |
def x(self, image_id):
return self._http_call(self.IMAGE_JSON, get, image_id=image_id)
|
get_image_layer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_id):\n return self._http_call(self.IMAGE_JSON, get, image_id=image_id)\n",
"role": "user"
},
{
"content": "get_image_layer",
"role": "assistant"
}
] |
def x(self, image_id):
return self._http_call(self.IMAGE_ANCESTRY, get, image_id=image_id)
|
get_image_ancestry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image_id):\n return self._http_call(self.IMAGE_ANCESTRY, get, image_id=image_id)\n",
"role": "user"
},
{
"content": "get_image_ancestry",
"role": "assistant"
}
] |
def x(self, namespace, repository):
return self._http_call(self.TAGS, get, namespace=namespace, repository=
repository)
|
get_repository_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, repository):\n return self._http_call(self.TAGS, get, namespace=namespace, repository=\n repository)\n",
"role": "user"
},
{
"content": "get_repository_tags",
"role": "assistant"
}
] |
def x(self, namespace, respository, tag):
return self._http_call(self.TAGS + '/' + tag, get, namespace=namespace,
repository=respository)
|
get_image_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, respository, tag):\n return self._http_call(self.TAGS + '/' + tag, get, namespace=namespace,\n repository=respository)\n",
"role": "user"
},
{
"content": "get_image_id",
"role": "assistant"
}
] |
def x(self, namespace, repository, tag):
return self._http_call(self.TAGS + '/' + tag + '/json', get, namespace=
namespace, repository=repository)
|
get_tag_json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, repository, tag):\n return self._http_call(self.TAGS + '/' + tag + '/json', get, namespace=\n namespace, repository=repository)\n",
"role": "user"
},
{
"content": "get_tag_json",
"role": "assistant"
}
] |
def x(self, namespace, repository, tag):
return self._http_call(self.TAGS + '/' + tag, delete, namespace=
namespace, repository=repository)
|
delete_repository_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, repository, tag):\n return self._http_call(self.TAGS + '/' + tag, delete, namespace=\n namespace, repository=repository)\n",
"role": "user"
},
{
"content": "delete_repository_tag",
"role": "assistant"
}
] |
def x(self, namespace, repository, tag, image_id):
return self._http_call(self.TAGS + '/' + tag, put, data=image_id,
namespace=namespace, repository=repository)
|
set_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, repository, tag, image_id):\n return self._http_call(self.TAGS + '/' + tag, put, data=image_id,\n namespace=namespace, repository=repository)\n",
"role": "user"
},
{
"content": "set_tag",
"role": "assistant"
}
] |
def x(self, namespace, repository):
return self._http_call(self.REPO, delete, namespace=namespace,
repository=repository)
|
delete_repository
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, repository):\n return self._http_call(self.REPO, delete, namespace=namespace,\n repository=repository)\n",
"role": "user"
},
{
"content": "delete_repository",
"role": "assistant"
}
] |
def x(self, url, method, data=None, content_type=None, schema=None, **kwargs):
if schema is None:
schema = self.schema_2
header = {'content-type': content_type or 'application/json', 'Accept':
schema}
auth = self.auth
token_required = auth.token_required
token = auth.token
desired_scope = auth.desired_scope
scope = auth.scope
if token_required:
if not token or desired_scope != scope:
logger.debug('Getting new token for scope: %s', desired_scope)
auth.get_new_token()
header['Authorization'] = 'Bearer %s' % self.auth.token
if data and not content_type:
data = json.dumps(data)
path = url.format(**kwargs)
logger.debug('%s %s', method.__name__.upper(), path)
response = method(self.host + path, data=data, headers=header, **self.
method_kwargs)
logger.debug('%s %s', response.status_code, response.reason)
response.raise_for_status()
return response
|
http_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method, data=None, content_type=None, schema=None, **kwargs):\n if schema is None:\n schema = self.schema_2\n header = {'content-type': content_type or 'application/json', 'Accept':\n schema}\n auth = self.auth\n token_required = auth.token_required\n token = auth.token\n desired_scope = auth.desired_scope\n scope = auth.scope\n if token_required:\n if not token or desired_scope != scope:\n logger.debug('Getting new token for scope: %s', desired_scope)\n auth.get_new_token()\n header['Authorization'] = 'Bearer %s' % self.auth.token\n if data and not content_type:\n data = json.dumps(data)\n path = url.format(**kwargs)\n logger.debug('%s %s', method.__name__.upper(), path)\n response = method(self.host + path, data=data, headers=header, **self.\n method_kwargs)\n logger.debug('%s %s', response.status_code, response.reason)\n response.raise_for_status()\n return response\n",
"role": "user"
},
{
"content": "http_response",
"role": "assistant"
}
] |
def x(self):
mid = self._device.readU16BE(MCP9808_REG_MANUF_ID)
did = self._device.readU16BE(MCP9808_REG_DEVICE_ID)
self._logger.debug('Read manufacturer ID: {0:04X}'.format(mid))
self._logger.debug('Read device ID: {0:04X}'.format(did))
return mid == 84 and did == 1024
|
begin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mid = self._device.readU16BE(MCP9808_REG_MANUF_ID)\n did = self._device.readU16BE(MCP9808_REG_DEVICE_ID)\n self._logger.debug('Read manufacturer ID: {0:04X}'.format(mid))\n self._logger.debug('Read device ID: {0:04X}'.format(did))\n return mid == 84 and did == 1024\n",
"role": "user"
},
{
"content": "begin",
"role": "assistant"
}
] |
def x(self):
t = self._device.readU16BE(MCP9808_REG_AMBIENT_TEMP)
self._logger.debug('Raw ambient temp register value: 0x{0:04X}'.format(
t & 65535))
temp = (t & 4095) / 16.0
if t & 4096:
temp -= 256.0
return temp
|
readTempC
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = self._device.readU16BE(MCP9808_REG_AMBIENT_TEMP)\n self._logger.debug('Raw ambient temp register value: 0x{0:04X}'.format(\n t & 65535))\n temp = (t & 4095) / 16.0\n if t & 4096:\n temp -= 256.0\n return temp\n",
"role": "user"
},
{
"content": "readTempC",
"role": "assistant"
}
] |
def x(model, action, prefix=None):
if prefix is None:
prefix = ''
app_label = model._meta.app_label
model_lower = model.__name__.lower()
return '%s%s_%s_%s' % (prefix, app_label, model_lower, action)
|
crud_url_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, action, prefix=None):\n if prefix is None:\n prefix = ''\n app_label = model._meta.app_label\n model_lower = model.__name__.lower()\n return '%s%s_%s_%s' % (prefix, app_label, model_lower, action)\n",
"role": "user"
},
{
"content": "crud_url_name",
"role": "assistant"
}
] |
def x(model, include=None):
fields = OrderedDict()
info = model._meta
if include:
selected = [info.get_field(name) for name in include]
else:
selected = [field for field in info.fields if field.editable]
for field in selected:
fields[field.name] = field.verbose_name
return fields
|
get_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, include=None):\n fields = OrderedDict()\n info = model._meta\n if include:\n selected = [info.get_field(name) for name in include]\n else:\n selected = [field for field in info.fields if field.editable]\n for field in selected:\n fields[field.name] = field.verbose_name\n return fields\n",
"role": "user"
},
{
"content": "get_fields",
"role": "assistant"
}
] |
def x(instance_or_model, action, prefix=None, additional_kwargs=None):
if additional_kwargs is None:
additional_kwargs = {}
if isinstance(instance_or_model, Model):
additional_kwargs['pk'] = instance_or_model.pk
model_name = instance_or_model._meta.model
else:
model_name = instance_or_model
return reverse(crud_url_name(model_name, action, prefix), kwargs=
additional_kwargs)
|
crud_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance_or_model, action, prefix=None, additional_kwargs=None):\n if additional_kwargs is None:\n additional_kwargs = {}\n if isinstance(instance_or_model, Model):\n additional_kwargs['pk'] = instance_or_model.pk\n model_name = instance_or_model._meta.model\n else:\n model_name = instance_or_model\n return reverse(crud_url_name(model_name, action, prefix), kwargs=\n additional_kwargs)\n",
"role": "user"
},
{
"content": "crud_url",
"role": "assistant"
}
] |
def x(model, action, convert=True):
app_label = model._meta.app_label
model_lower = model.__name__.lower()
if convert:
action = MAP_PERMISSION_ACTIONS.get(action, action)
return '%s.%s_%s' % (app_label, action, model_lower)
|
crud_permission_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, action, convert=True):\n app_label = model._meta.app_label\n model_lower = model.__name__.lower()\n if convert:\n action = MAP_PERMISSION_ACTIONS.get(action, action)\n return '%s.%s_%s' % (app_label, action, model_lower)\n",
"role": "user"
},
{
"content": "crud_permission_name",
"role": "assistant"
}
] |
def x(obj, field_name):
display_func = getattr(obj, 'get_%s_display' % field_name, None)
if display_func:
return display_func()
value = getattr(obj, field_name)
if isinstance(value, models.fields.files.FieldFile):
if value:
return mark_safe('<a href="%s">%s</a>' % (value.url, os.path.
basename(value.name)))
else:
return ''
if isinstance(value, models.Model):
return format_value_instance(value)
if isinstance(value, models.Manager):
return mark_safe(', '.join([format_value_instance(instance) for
instance in value.all()]))
if value is None:
value = ''
return value
|
format_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, field_name):\n display_func = getattr(obj, 'get_%s_display' % field_name, None)\n if display_func:\n return display_func()\n value = getattr(obj, field_name)\n if isinstance(value, models.fields.files.FieldFile):\n if value:\n return mark_safe('<a href=\"%s\">%s</a>' % (value.url, os.path.\n basename(value.name)))\n else:\n return ''\n if isinstance(value, models.Model):\n return format_value_instance(value)\n if isinstance(value, models.Manager):\n return mark_safe(', '.join([format_value_instance(instance) for\n instance in value.all()]))\n if value is None:\n value = ''\n return value\n",
"role": "user"
},
{
"content": "format_value",
"role": "assistant"
}
] |
def x(obj, fields=None):
if fields is None:
fields = utils.get_fields(type(obj))
elif isinstance(fields, six.string_types):
field_names = [f.strip() for f in fields.split(',')]
fields = utils.get_fields(type(obj), include=field_names)
return {'object': obj, 'fields': fields}
|
crud_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, fields=None):\n if fields is None:\n fields = utils.get_fields(type(obj))\n elif isinstance(fields, six.string_types):\n field_names = [f.strip() for f in fields.split(',')]\n fields = utils.get_fields(type(obj), include=field_names)\n return {'object': obj, 'fields': fields}\n",
"role": "user"
},
{
"content": "crud_fields",
"role": "assistant"
}
] |
def x(model, fields=None):
include = [f.strip() for f in fields.split(',')] if fields else None
return utils.get_fields(model, include)
|
get_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, fields=None):\n include = [f.strip() for f in fields.split(',')] if fields else None\n return utils.get_fields(model, include)\n",
"role": "user"
},
{
"content": "get_fields",
"role": "assistant"
}
] |
def x(model, list_view=None, create_view=None, update_view=None,
detail_view=None, delete_view=None, url_prefix=None, name_prefix=None,
list_views=None, **kwargs):
if url_prefix is None:
url_prefix = '^'
urls = []
if list_view:
urls.append(url(url_prefix + '$', list_view, name=utils.
crud_url_name(model, utils.ACTION_LIST, name_prefix)))
if create_view:
urls.append(url(url_prefix + 'new/$', create_view, name=utils.
crud_url_name(model, utils.ACTION_CREATE, name_prefix)))
if detail_view:
urls.append(url(url_prefix + '(?P<pk>\\d+)/$', detail_view, name=
utils.crud_url_name(model, utils.ACTION_DETAIL, name_prefix)))
if update_view:
urls.append(url(url_prefix + '(?P<pk>\\d+)/edit/$', update_view,
name=utils.crud_url_name(model, utils.ACTION_UPDATE, name_prefix)))
if delete_view:
urls.append(url(url_prefix + '(?P<pk>\\d+)/remove/$', delete_view,
name=utils.crud_url_name(model, utils.ACTION_DELETE, name_prefix)))
if list_views is not None:
for name, view in list_views.items():
urls.append(url(url_prefix + '%s/$' % name, view, name=utils.
crud_url_name(model, name, name_prefix)))
for name, view in kwargs.items():
urls.append(url(url_prefix + '(?P<pk>\\d+)/%s/$' % name, view, name
=utils.crud_url_name(model, name, name_prefix)))
return urls
|
crud_urls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, list_view=None, create_view=None, update_view=None,\n detail_view=None, delete_view=None, url_prefix=None, name_prefix=None,\n list_views=None, **kwargs):\n if url_prefix is None:\n url_prefix = '^'\n urls = []\n if list_view:\n urls.append(url(url_prefix + '$', list_view, name=utils.\n crud_url_name(model, utils.ACTION_LIST, name_prefix)))\n if create_view:\n urls.append(url(url_prefix + 'new/$', create_view, name=utils.\n crud_url_name(model, utils.ACTION_CREATE, name_prefix)))\n if detail_view:\n urls.append(url(url_prefix + '(?P<pk>\\\\d+)/$', detail_view, name=\n utils.crud_url_name(model, utils.ACTION_DETAIL, name_prefix)))\n if update_view:\n urls.append(url(url_prefix + '(?P<pk>\\\\d+)/edit/$', update_view,\n name=utils.crud_url_name(model, utils.ACTION_UPDATE, name_prefix)))\n if delete_view:\n urls.append(url(url_prefix + '(?P<pk>\\\\d+)/remove/$', delete_view,\n name=utils.crud_url_name(model, utils.ACTION_DELETE, name_prefix)))\n if list_views is not None:\n for name, view in list_views.items():\n urls.append(url(url_prefix + '%s/$' % name, view, name=utils.\n crud_url_name(model, name, name_prefix)))\n for name, view in kwargs.items():\n urls.append(url(url_prefix + '(?P<pk>\\\\d+)/%s/$' % name, view, name\n =utils.crud_url_name(model, name, name_prefix)))\n return urls\n",
"role": "user"
},
{
"content": "crud_urls",
"role": "assistant"
}
] |
def x(model, urlprefix=None):
model_lower = model.__name__.lower()
if urlprefix is None:
urlprefix = ''
urlprefix += model_lower + '/'
urls = crud_urls(model, list_view=CRUDListView.as_view(model=model),
create_view=CRUDCreateView.as_view(model=model), detail_view=
CRUDDetailView.as_view(model=model), update_view=CRUDUpdateView.
as_view(model=model), delete_view=CRUDDeleteView.as_view(model=
model), url_prefix=urlprefix)
return urls
|
crud_for_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, urlprefix=None):\n model_lower = model.__name__.lower()\n if urlprefix is None:\n urlprefix = ''\n urlprefix += model_lower + '/'\n urls = crud_urls(model, list_view=CRUDListView.as_view(model=model),\n create_view=CRUDCreateView.as_view(model=model), detail_view=\n CRUDDetailView.as_view(model=model), update_view=CRUDUpdateView.\n as_view(model=model), delete_view=CRUDDeleteView.as_view(model=\n model), url_prefix=urlprefix)\n return urls\n",
"role": "user"
},
{
"content": "crud_for_model",
"role": "assistant"
}
] |
def x(app_label, urlprefix=None):
if urlprefix is None:
urlprefix = app_label + '/'
app = apps.get_app_config(app_label)
urls = []
for model in app.get_models():
urls += crud_for_model(model, urlprefix)
return urls
|
crud_for_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_label, urlprefix=None):\n if urlprefix is None:\n urlprefix = app_label + '/'\n app = apps.get_app_config(app_label)\n urls = []\n for model in app.get_models():\n urls += crud_for_model(model, urlprefix)\n return urls\n",
"role": "user"
},
{
"content": "crud_for_app",
"role": "assistant"
}
] |
def x(self, **kwargs):
context = super(CRUDMixin, self).get_context_data(**kwargs)
context.update({'model_verbose_name': self.model._meta.verbose_name,
'model_verbose_name_plural': self.model._meta.verbose_name_plural})
context['fields'] = utils.get_fields(self.model)
if hasattr(self, 'object') and self.object:
for action in utils.INSTANCE_ACTIONS:
try:
url = reverse(utils.crud_url_name(self.model, action),
kwargs={'pk': self.object.pk})
except NoReverseMatch:
url = None
context['url_%s' % action] = url
for action in utils.LIST_ACTIONS:
try:
url = reverse(utils.crud_url_name(self.model, action))
except NoReverseMatch:
url = None
context['url_%s' % action] = url
return context
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n context = super(CRUDMixin, self).get_context_data(**kwargs)\n context.update({'model_verbose_name': self.model._meta.verbose_name,\n 'model_verbose_name_plural': self.model._meta.verbose_name_plural})\n context['fields'] = utils.get_fields(self.model)\n if hasattr(self, 'object') and self.object:\n for action in utils.INSTANCE_ACTIONS:\n try:\n url = reverse(utils.crud_url_name(self.model, action),\n kwargs={'pk': self.object.pk})\n except NoReverseMatch:\n url = None\n context['url_%s' % action] = url\n for action in utils.LIST_ACTIONS:\n try:\n url = reverse(utils.crud_url_name(self.model, action))\n except NoReverseMatch:\n url = None\n context['url_%s' % action] = url\n return context\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x(self):
names = super(CRUDMixin, self).get_template_names()
if self.crud_template_name:
names.append(self.crud_template_name)
return names
|
get_template_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n names = super(CRUDMixin, self).get_template_names()\n if self.crud_template_name:\n names.append(self.crud_template_name)\n return names\n",
"role": "user"
},
{
"content": "get_template_names",
"role": "assistant"
}
] |
def x():
_version_re = re.compile('__version__\\s+=\\s+(.*)')
with open('./fleaker/__init__.py', 'rb') as file_:
version = ast.literal_eval(_version_re.search(file_.read().decode(
'utf-8')).group(1))
download_url = ('https://github.com/croscon/fleaker/archive/v{}.tar.gz'
.format(version))
setup(name='fleaker', version=version, download_url=download_url,
description=
'Tools and extensions to make Flask development easier.', url=
'https://github.com/croscon/fleaker', author='Croscon Consulting',
author_email='open.source@croscon.com', license='BSD', packages=[
'fleaker', 'fleaker.marshmallow', 'fleaker.marshmallow.fields',
'fleaker.peewee', 'fleaker.peewee.fields', 'fleaker.peewee.mixins',
'fleaker.peewee.mixins.time'], zip_safe=False, long_description=
__doc__, include_package_data=True, platforms='any',
install_requires=['Flask', 'Flask-Classful', 'Flask-Login',
'Flask-Marshmallow', 'arrow', 'bcrypt', 'blinker', 'marshmallow',
'marshmallow-jsonschema', 'peewee', 'pendulum', 'phonenumbers',
'simplejson'], classifiers=['Development Status :: 2 - Pre-Alpha',
'Environment :: Web Environment', 'Framework :: Flask',
'Intended Audience :: Developers',
'License :: OSI Approved :: BSD License',
'Operating System :: OS Independent',
'Programming Language :: Python',
'Programming Language :: Python :: 2',
'Programming Language :: Python :: 3',
'Topic :: Internet :: WWW/HTTP :: Dynamic Content',
'Topic :: Software Development :: Libraries :: Application Frameworks',
'Topic :: Software Development :: Libraries :: Python Modules'],
keywords=['flask', 'web development', 'flask extension'])
|
install
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _version_re = re.compile('__version__\\\\s+=\\\\s+(.*)')\n with open('./fleaker/__init__.py', 'rb') as file_:\n version = ast.literal_eval(_version_re.search(file_.read().decode(\n 'utf-8')).group(1))\n download_url = ('https://github.com/croscon/fleaker/archive/v{}.tar.gz'\n .format(version))\n setup(name='fleaker', version=version, download_url=download_url,\n description=\n 'Tools and extensions to make Flask development easier.', url=\n 'https://github.com/croscon/fleaker', author='Croscon Consulting',\n author_email='open.source@croscon.com', license='BSD', packages=[\n 'fleaker', 'fleaker.marshmallow', 'fleaker.marshmallow.fields',\n 'fleaker.peewee', 'fleaker.peewee.fields', 'fleaker.peewee.mixins',\n 'fleaker.peewee.mixins.time'], zip_safe=False, long_description=\n __doc__, include_package_data=True, platforms='any',\n install_requires=['Flask', 'Flask-Classful', 'Flask-Login',\n 'Flask-Marshmallow', 'arrow', 'bcrypt', 'blinker', 'marshmallow',\n 'marshmallow-jsonschema', 'peewee', 'pendulum', 'phonenumbers',\n 'simplejson'], classifiers=['Development Status :: 2 - Pre-Alpha',\n 'Environment :: Web Environment', 'Framework :: Flask',\n 'Intended Audience :: Developers',\n 'License :: OSI Approved :: BSD License',\n 'Operating System :: OS Independent',\n 'Programming Language :: Python',\n 'Programming Language :: Python :: 2',\n 'Programming Language :: Python :: 3',\n 'Topic :: Internet :: WWW/HTTP :: Dynamic Content',\n 'Topic :: Software Development :: Libraries :: Application Frameworks',\n 'Topic :: Software Development :: Libraries :: Python Modules'],\n keywords=['flask', 'web development', 'flask extension'])\n",
"role": "user"
},
{
"content": "install",
"role": "assistant"
}
] |
def x(self, value):
value = super(JSONField, self).python_value(value)
if value is not None:
return flask.json.loads(value, **self._load_kwargs)
|
python_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = super(JSONField, self).python_value(value)\n if value is not None:\n return flask.json.loads(value, **self._load_kwargs)\n",
"role": "user"
},
{
"content": "python_value",
"role": "assistant"
}
] |
def x(self, value):
value = flask.json.dumps(value)
return super(JSONField, self).db_value(value)
|
db_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = flask.json.dumps(value)\n return super(JSONField, self).db_value(value)\n",
"role": "user"
},
{
"content": "db_value",
"role": "assistant"
}
] |
def x(cls, term, fields=()):
if not any((cls._meta.search_fields, fields)):
raise AttributeError(
"A list of searchable fields must be provided in the class's search_fields or provided to this function in the `fields` kwarg."
)
if not fields:
fields = cls._meta.search_fields
query = cls.select()
like_term = ''.join((term, '%'))
full_like_term = ''.join(('%', term, '%'))
order_by = []
clauses = []
for field_name in fields:
field = getattr(cls, field_name)
clauses.append((field == term) | field ** like_term | field **
full_like_term)
order_by.append(case(None, ((field == term, 0), (field ** like_term,
1), (field ** full_like_term, 2)), default=3).asc())
query = query.where(reduce(operator.or_, clauses))
query = query.order_by(*order_by)
return query
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, term, fields=()):\n if not any((cls._meta.search_fields, fields)):\n raise AttributeError(\n \"A list of searchable fields must be provided in the class's search_fields or provided to this function in the `fields` kwarg.\"\n )\n if not fields:\n fields = cls._meta.search_fields\n query = cls.select()\n like_term = ''.join((term, '%'))\n full_like_term = ''.join(('%', term, '%'))\n order_by = []\n clauses = []\n for field_name in fields:\n field = getattr(cls, field_name)\n clauses.append((field == term) | field ** like_term | field **\n full_like_term)\n order_by.append(case(None, ((field == term, 0), (field ** like_term,\n 1), (field ** full_like_term, 2)), default=3).asc())\n query = query.where(reduce(operator.or_, clauses))\n query = query.order_by(*order_by)\n return query\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, field_name, schema):
super(ForeignKeyField, self)._add_to_schema(field_name, schema)
if self.get_field_value('convert_fks', default=True):
self.attribute = field_name.replace('_id', '')
|
add_to_schema
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, schema):\n super(ForeignKeyField, self)._add_to_schema(field_name, schema)\n if self.get_field_value('convert_fks', default=True):\n self.attribute = field_name.replace('_id', '')\n",
"role": "user"
},
{
"content": "add_to_schema",
"role": "assistant"
}
] |
def x(self, value, attr, obj):
if value:
value = value.id
return super(ForeignKeyField, self)._serialize(value, attr, obj)
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr, obj):\n if value:\n value = value.id\n return super(ForeignKeyField, self)._serialize(value, attr, obj)\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(orm_backend):
if orm_backend:
return orm_backend
if peewee is not MISSING and sqlalchemy is not MISSING:
raise RuntimeError(
'Both PeeWee and SQLAlchemy detected as installed, but no explicit backend provided! Please specify one!'
)
if peewee is not MISSING:
return _PEEWEE_BACKEND
elif sqlalchemy is not MISSING:
return _SQLALCHEMY_BACKEND
else:
return MISSING
|
discover_ideal_backend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(orm_backend):\n if orm_backend:\n return orm_backend\n if peewee is not MISSING and sqlalchemy is not MISSING:\n raise RuntimeError(\n 'Both PeeWee and SQLAlchemy detected as installed, but no explicit backend provided! Please specify one!'\n )\n if peewee is not MISSING:\n return _PEEWEE_BACKEND\n elif sqlalchemy is not MISSING:\n return _SQLALCHEMY_BACKEND\n else:\n return MISSING\n",
"role": "user"
},
{
"content": "discover_ideal_backend",
"role": "assistant"
}
] |
def x(cls, app, **settings):
global _SELECTED_BACKEND
backend = settings.pop('orm_backend', None)
backend = _discover_ideal_backend(backend)
if backend is MISSING:
return app
_swap_backends_error = 'Cannot swap ORM backends after one is declared!'
if backend == _PEEWEE_BACKEND:
if (_SELECTED_BACKEND is not MISSING and _SELECTED_BACKEND !=
_PEEWEE_EXT):
raise RuntimeError(_swap_backends_error)
database_uri = settings.pop('peewee_database', None)
if database_uri:
app.config['DATABASE'] = database_uri
if 'DATABASE' not in app.config:
try:
app.add_post_configure_callback(partial(cls.
_init_peewee_ext, app), run_once=True)
except NotImplementedError:
err_msg = """ The app you are trying to construct does not support
Multi Stage Configuration and no connection info for the
database was given at creation! Please call `create_app`
again and provide your database connection string as the
`peewee_database` kwarg! """
raise RuntimeError(err_msg)
else:
cls._init_peewee_ext(app)
_SELECTED_BACKEND = _PEEWEE_EXT
elif backend == _SQLALCHEMY_BACKEND:
if _SELECTED_BACKEND is not MISSING and _SELECTED_BACKEND != _SQLA_EXT:
raise RuntimeError(_swap_backends_error)
_SELECTED_BACKEND = _SQLA_EXT
_SQLA_EXT.init_app(app)
else:
err_msg = (
"Explicit ORM backend provided, but could not recognize the value! Valid values are: '{}' and '{}'; received: '{}' instead!"
)
err_msg = err_msg.format(_PEEWEE_BACKEND, _SQLALCHEMY_BACKEND, backend)
raise RuntimeError(err_msg)
return app
|
post_create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, **settings):\n global _SELECTED_BACKEND\n backend = settings.pop('orm_backend', None)\n backend = _discover_ideal_backend(backend)\n if backend is MISSING:\n return app\n _swap_backends_error = 'Cannot swap ORM backends after one is declared!'\n if backend == _PEEWEE_BACKEND:\n if (_SELECTED_BACKEND is not MISSING and _SELECTED_BACKEND !=\n _PEEWEE_EXT):\n raise RuntimeError(_swap_backends_error)\n database_uri = settings.pop('peewee_database', None)\n if database_uri:\n app.config['DATABASE'] = database_uri\n if 'DATABASE' not in app.config:\n try:\n app.add_post_configure_callback(partial(cls.\n _init_peewee_ext, app), run_once=True)\n except NotImplementedError:\n err_msg = \"\"\" The app you are trying to construct does not support\n Multi Stage Configuration and no connection info for the\n database was given at creation! Please call `create_app`\n again and provide your database connection string as the\n `peewee_database` kwarg! \"\"\"\n raise RuntimeError(err_msg)\n else:\n cls._init_peewee_ext(app)\n _SELECTED_BACKEND = _PEEWEE_EXT\n elif backend == _SQLALCHEMY_BACKEND:\n if _SELECTED_BACKEND is not MISSING and _SELECTED_BACKEND != _SQLA_EXT:\n raise RuntimeError(_swap_backends_error)\n _SELECTED_BACKEND = _SQLA_EXT\n _SQLA_EXT.init_app(app)\n else:\n err_msg = (\n \"Explicit ORM backend provided, but could not recognize the value! Valid values are: '{}' and '{}'; received: '{}' instead!\"\n )\n err_msg = err_msg.format(_PEEWEE_BACKEND, _SQLALCHEMY_BACKEND, backend)\n raise RuntimeError(err_msg)\n return app\n",
"role": "user"
},
{
"content": "post_create_app",
"role": "assistant"
}
] |
def x(cls, app, dummy_configuration=None, dummy_configure_args=None):
if 'DATABASE' not in app.config:
app.add_post_configure_callback(partial(cls._init_peewee_ext, app),
run_once=True)
return
_PEEWEE_EXT.init_app(app)
|
init_peewee_ext
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, dummy_configuration=None, dummy_configure_args=None):\n if 'DATABASE' not in app.config:\n app.add_post_configure_callback(partial(cls._init_peewee_ext, app),\n run_once=True)\n return\n _PEEWEE_EXT.init_app(app)\n",
"role": "user"
},
{
"content": "init_peewee_ext",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
whitelist_keys_from_mappings = kwargs.get('whitelist_keys_from_mappings',
False)
whitelist = kwargs.get('whitelist')
for item in args:
if isinstance(item, string_types):
_, ext = splitext(item)
if ext == '.json':
self._configure_from_json(item)
elif ext in ('.cfg', '.py'):
self._configure_from_pyfile(item)
else:
self._configure_from_module(item)
elif isinstance(item, (types.ModuleType, type)):
self._configure_from_object(item)
elif hasattr(item, 'items'):
self._configure_from_mapping(item, whitelist_keys=
whitelist_keys_from_mappings, whitelist=whitelist)
else:
raise TypeError(
'Could not determine a valid type for this configuration object: `{}`!'
.format(item))
self._run_post_configure_callbacks(args)
|
configure
|
[
{
"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 whitelist_keys_from_mappings = kwargs.get('whitelist_keys_from_mappings',\n False)\n whitelist = kwargs.get('whitelist')\n for item in args:\n if isinstance(item, string_types):\n _, ext = splitext(item)\n if ext == '.json':\n self._configure_from_json(item)\n elif ext in ('.cfg', '.py'):\n self._configure_from_pyfile(item)\n else:\n self._configure_from_module(item)\n elif isinstance(item, (types.ModuleType, type)):\n self._configure_from_object(item)\n elif hasattr(item, 'items'):\n self._configure_from_mapping(item, whitelist_keys=\n whitelist_keys_from_mappings, whitelist=whitelist)\n else:\n raise TypeError(\n 'Could not determine a valid type for this configuration object: `{}`!'\n .format(item))\n self._run_post_configure_callbacks(args)\n",
"role": "user"
},
{
"content": "configure",
"role": "assistant"
}
] |
def x(self, item):
package = None
if item[0] == '.':
package = self.import_name
obj = importlib.import_module(item, package=package)
self.config.from_object(obj)
return self
|
configure_from_module
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n package = None\n if item[0] == '.':\n package = self.import_name\n obj = importlib.import_module(item, package=package)\n self.config.from_object(obj)\n return self\n",
"role": "user"
},
{
"content": "configure_from_module",
"role": "assistant"
}
] |
def x(self, item, whitelist_keys=False, whitelist=None):
if whitelist is None:
whitelist = self.config.keys()
if whitelist_keys:
item = {k: v for k, v in item.items() if k in whitelist}
self.config.from_mapping(item)
return self
|
configure_from_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, whitelist_keys=False, whitelist=None):\n if whitelist is None:\n whitelist = self.config.keys()\n if whitelist_keys:\n item = {k: v for k, v in item.items() if k in whitelist}\n self.config.from_mapping(item)\n return self\n",
"role": "user"
},
{
"content": "configure_from_mapping",
"role": "assistant"
}
] |
def x(self, whitelist_keys=False, whitelist=None):
self._configure_from_mapping(os.environ, whitelist_keys=whitelist_keys,
whitelist=whitelist)
return self
|
configure_from_environment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, whitelist_keys=False, whitelist=None):\n self._configure_from_mapping(os.environ, whitelist_keys=whitelist_keys,\n whitelist=whitelist)\n return self\n",
"role": "user"
},
{
"content": "configure_from_environment",
"role": "assistant"
}
] |
def x(self, callback, run_once=False):
if run_once:
self._post_configure_callbacks['single'].append(callback)
else:
self._post_configure_callbacks['multiple'].append(callback)
return self
|
add_post_configure_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, run_once=False):\n if run_once:\n self._post_configure_callbacks['single'].append(callback)\n else:\n self._post_configure_callbacks['multiple'].append(callback)\n return self\n",
"role": "user"
},
{
"content": "add_post_configure_callback",
"role": "assistant"
}
] |
def x(self, configure_args):
resulting_configuration = ImmutableDict(self.config)
multiple_callbacks = copy.copy(self._post_configure_callbacks['multiple'])
single_callbacks = copy.copy(self._post_configure_callbacks['single'])
self._post_configure_callbacks['single'] = []
for callback in multiple_callbacks:
callback(resulting_configuration, configure_args)
for callback in single_callbacks:
callback(resulting_configuration, configure_args)
|
run_post_configure_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, configure_args):\n resulting_configuration = ImmutableDict(self.config)\n multiple_callbacks = copy.copy(self._post_configure_callbacks['multiple'])\n single_callbacks = copy.copy(self._post_configure_callbacks['single'])\n self._post_configure_callbacks['single'] = []\n for callback in multiple_callbacks:\n callback(resulting_configuration, configure_args)\n for callback in single_callbacks:\n callback(resulting_configuration, configure_args)\n",
"role": "user"
},
{
"content": "run_post_configure_callbacks",
"role": "assistant"
}
] |
def x(cls, data):
schema = cls()
if not hasattr(schema.Meta, 'model'):
raise AttributeError(
'In order to make an instance, a model for the schema must be defined in the Meta class.'
)
serialized_data = schema.load(data).data
return cls.Meta.model(**serialized_data)
|
make_instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data):\n schema = cls()\n if not hasattr(schema.Meta, 'model'):\n raise AttributeError(\n 'In order to make an instance, a model for the schema must be defined in the Meta class.'\n )\n serialized_data = schema.load(data).data\n return cls.Meta.model(**serialized_data)\n",
"role": "user"
},
{
"content": "make_instance",
"role": "assistant"
}
] |
def x(self, data, original_data):
errors = []
for field in original_data:
if isinstance(field, (set, list, tuple, dict)):
continue
if field not in self.fields.keys():
errors.append(field)
if errors:
raise ValidationError('Invalid field', field_names=errors)
|
invalid_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, original_data):\n errors = []\n for field in original_data:\n if isinstance(field, (set, list, tuple, dict)):\n continue\n if field not in self.fields.keys():\n errors.append(field)\n if errors:\n raise ValidationError('Invalid field', field_names=errors)\n",
"role": "user"
},
{
"content": "invalid_fields",
"role": "assistant"
}
] |
def x(self, value):
value = super(ArrowDateTimeField, self).python_value(value)
if isinstance(value, (datetime.datetime, datetime.date, string_types)):
return arrow.get(value)
return value
|
python_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = super(ArrowDateTimeField, self).python_value(value)\n if isinstance(value, (datetime.datetime, datetime.date, string_types)):\n return arrow.get(value)\n return value\n",
"role": "user"
},
{
"content": "python_value",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, string_types):
value = arrow.get(value)
if isinstance(value, arrow.Arrow):
value = value.datetime
return super(ArrowDateTimeField, self).db_value(value)
|
db_value
|
[
{
"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 isinstance(value, string_types):\n value = arrow.get(value)\n if isinstance(value, arrow.Arrow):\n value = value.datetime\n return super(ArrowDateTimeField, self).db_value(value)\n",
"role": "user"
},
{
"content": "db_value",
"role": "assistant"
}
] |
def x(self, app, context=DEFAULT_DICT):
if context is not _CONTEXT_MISSING:
self.update_context(context, app=app)
if app not in _CONTEXT_CALLBACK_MAP and context is not _CONTEXT_MISSING:
key = self._get_context_name(app=app)
self._context_callbacks(app, key, original_context=context)
|
init_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, context=DEFAULT_DICT):\n if context is not _CONTEXT_MISSING:\n self.update_context(context, app=app)\n if app not in _CONTEXT_CALLBACK_MAP and context is not _CONTEXT_MISSING:\n key = self._get_context_name(app=app)\n self._context_callbacks(app, key, original_context=context)\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(app, key, original_context=_CONTEXT_MISSING):
def x(dummy_app):
_CONTEXT_LOCALS.context = _CONTEXT_LOCALS(key)
def x(dummy_app):
try:
del _CONTEXT_LOCALS.context
except AttributeError:
pass
if original_context is not _CONTEXT_MISSING:
setattr(_CONTEXT_LOCALS, key, original_context)
_CONTEXT_CALLBACK_MAP[app] = _get_context, _clear_context
appcontext_pushed.connect(_get_context, app)
appcontext_popped.connect(_clear_context, app)
return _get_context, _clear_context
|
context_callbacks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, key, original_context=_CONTEXT_MISSING):\n\n def x(dummy_app):\n _CONTEXT_LOCALS.context = _CONTEXT_LOCALS(key)\n\n def x(dummy_app):\n try:\n del _CONTEXT_LOCALS.context\n except AttributeError:\n pass\n if original_context is not _CONTEXT_MISSING:\n setattr(_CONTEXT_LOCALS, key, original_context)\n _CONTEXT_CALLBACK_MAP[app] = _get_context, _clear_context\n appcontext_pushed.connect(_get_context, app)\n appcontext_popped.connect(_clear_context, app)\n return _get_context, _clear_context\n",
"role": "user"
},
{
"content": "context_callbacks",
"role": "assistant"
}
] |
def x(self, context, app=None):
if (app is None and self._context is _CONTEXT_MISSING and not
in_app_context()):
raise RuntimeError(
'Attempted to update component context without a bound app context or eager app set! Please pass the related app you want to update the context for!'
)
if self._context is not _CONTEXT_MISSING:
self._context = ImmutableDict(context)
else:
key = self._get_context_name(app=app)
setattr(_CONTEXT_LOCALS, key, ImmutableDict(context))
|
update_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, app=None):\n if (app is None and self._context is _CONTEXT_MISSING and not\n in_app_context()):\n raise RuntimeError(\n 'Attempted to update component context without a bound app context or eager app set! Please pass the related app you want to update the context for!'\n )\n if self._context is not _CONTEXT_MISSING:\n self._context = ImmutableDict(context)\n else:\n key = self._get_context_name(app=app)\n setattr(_CONTEXT_LOCALS, key, ImmutableDict(context))\n",
"role": "user"
},
{
"content": "update_context",
"role": "assistant"
}
] |
def x(self, app=None):
if (app is None and self._context is _CONTEXT_MISSING and not
in_app_context()):
raise RuntimeError(
'Attempted to clear component context without a bound app context or eager app set! Please pass the related app you want to update the context for!'
)
if self._context is not _CONTEXT_MISSING:
self._context = DEFAULT_DICT
else:
key = self._get_context_name(app=app)
setattr(_CONTEXT_LOCALS, key, DEFAULT_DICT)
|
clear_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app=None):\n if (app is None and self._context is _CONTEXT_MISSING and not\n in_app_context()):\n raise RuntimeError(\n 'Attempted to clear component context without a bound app context or eager app set! Please pass the related app you want to update the context for!'\n )\n if self._context is not _CONTEXT_MISSING:\n self._context = DEFAULT_DICT\n else:\n key = self._get_context_name(app=app)\n setattr(_CONTEXT_LOCALS, key, DEFAULT_DICT)\n",
"role": "user"
},
{
"content": "clear_context",
"role": "assistant"
}
] |
def x(self):
app = self._app or current_app
if not in_app_context(app):
raise RuntimeError(
"This component hasn't been initialized yet and an app context doesn't exist."
)
if hasattr(app, '_get_current_object'):
app = app._get_current_object()
return app
|
app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n app = self._app or current_app\n if not in_app_context(app):\n raise RuntimeError(\n \"This component hasn't been initialized yet and an app context doesn't exist.\"\n )\n if hasattr(app, '_get_current_object'):\n app = app._get_current_object()\n return app\n",
"role": "user"
},
{
"content": "app",
"role": "assistant"
}
] |
def x(self, app=None):
elements = [self.__class__.__name__, 'context', text_type(id(self))]
if app:
elements.append(text_type(id(app)))
else:
try:
elements.append(text_type(id(self.app)))
except RuntimeError:
pass
return '_'.join(elements)
|
get_context_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app=None):\n elements = [self.__class__.__name__, 'context', text_type(id(self))]\n if app:\n elements.append(text_type(id(app)))\n else:\n try:\n elements.append(text_type(id(self.app)))\n except RuntimeError:\n pass\n return '_'.join(elements)\n",
"role": "user"
},
{
"content": "get_context_name",
"role": "assistant"
}
] |
def x(cls, import_name, **settings):
settings = cls.pre_create_app(**settings)
flask_kwargs = cls._whitelist_standard_flask_kwargs(settings)
app = cls(import_name, **flask_kwargs)
return cls.post_create_app(app, **settings)
|
create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, import_name, **settings):\n settings = cls.pre_create_app(**settings)\n flask_kwargs = cls._whitelist_standard_flask_kwargs(settings)\n app = cls(import_name, **flask_kwargs)\n return cls.post_create_app(app, **settings)\n",
"role": "user"
},
{
"content": "create_app",
"role": "assistant"
}
] |
def x(cls, kwargs):
kwargs = deepcopy(kwargs)
if not cls._flask_init_argspec_cache:
cls._flask_init_argspec_cache = inspect.getargspec(Flask.__init__)
return {key: val for key, val in iteritems(kwargs) if key in cls.
_flask_init_argspec_cache.args}
|
whitelist_standard_flask_kwargs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, kwargs):\n kwargs = deepcopy(kwargs)\n if not cls._flask_init_argspec_cache:\n cls._flask_init_argspec_cache = inspect.getargspec(Flask.__init__)\n return {key: val for key, val in iteritems(kwargs) if key in cls.\n _flask_init_argspec_cache.args}\n",
"role": "user"
},
{
"content": "whitelist_standard_flask_kwargs",
"role": "assistant"
}
] |
def x(self, record):
levelname = getattr(record, 'levelname', None)
record.levelcolor = ''
record.endlevelcolor = ''
if levelname:
level_color = getattr(self.TermColors, levelname, '')
record.levelcolor = level_color
record.endlevelcolor = self.TermColors.ENDC if level_color else ''
return super(FleakerLogFormatter, self).format(record)
|
format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n levelname = getattr(record, 'levelname', None)\n record.levelcolor = ''\n record.endlevelcolor = ''\n if levelname:\n level_color = getattr(self.TermColors, levelname, '')\n record.levelcolor = level_color\n record.endlevelcolor = self.TermColors.ENDC if level_color else ''\n return super(FleakerLogFormatter, self).format(record)\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(cls, exc):
if exc.flash_message:
flash(exc.flash_message, exc.flash_level)
if exc.redirect is not MISSING:
return redirect(url_for(exc.redirect, **exc.redirect_args))
error_result = exc.error_page()
if error_result is not None:
return error_result, exc.status_code or 500
|
errorhandler_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, exc):\n if exc.flash_message:\n flash(exc.flash_message, exc.flash_level)\n if exc.redirect is not MISSING:\n return redirect(url_for(exc.redirect, **exc.redirect_args))\n error_result = exc.error_page()\n if error_result is not None:\n return error_result, exc.status_code or 500\n",
"role": "user"
},
{
"content": "errorhandler_callback",
"role": "assistant"
}
] |
def x(cls, app, **settings):
register_errorhandler = settings.pop('register_errorhandler', True)
if register_errorhandler:
AppException.register_errorhandler(app)
return app
|
post_create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, **settings):\n register_errorhandler = settings.pop('register_errorhandler', True)\n if register_errorhandler:\n AppException.register_errorhandler(app)\n return app\n",
"role": "user"
},
{
"content": "post_create_app",
"role": "assistant"
}
] |
def x():
app = App.create_app(__name__)
app.configure('.configs.settings')
@app.route('/config')
def x():
return jsonify(app.config)
@app.route('/put_config', methods=['PUT'])
def x():
data = request.json()
for key, val in data.items():
app.config[key] = val
return jsonify({'message': 'Config updated!'})
return app
|
create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app = App.create_app(__name__)\n app.configure('.configs.settings')\n\n @app.route('/config')\n def x():\n return jsonify(app.config)\n\n @app.route('/put_config', methods=['PUT'])\n def x():\n data = request.json()\n for key, val in data.items():\n app.config[key] = val\n return jsonify({'message': 'Config updated!'})\n return app\n",
"role": "user"
},
{
"content": "create_app",
"role": "assistant"
}
] |
def x(self):
if not self._meta.signature_fields:
raise AttributeError(
'No fields defined in {}.Meta.signature_fields. Please define at least one.'
.format(type(self).__name__))
if getattr(self, 'archived', False):
self.signature = None
return
computed = [(getattr(self, value) or ' ') for value in self._meta.
signature_fields]
computed = ''.join([text_type(value) for value in computed])
if computed:
self.signature = sha1(computed.encode('utf-8')).hexdigest()
|
update_signature
|
[
{
"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._meta.signature_fields:\n raise AttributeError(\n 'No fields defined in {}.Meta.signature_fields. Please define at least one.'\n .format(type(self).__name__))\n if getattr(self, 'archived', False):\n self.signature = None\n return\n computed = [(getattr(self, value) or ' ') for value in self._meta.\n signature_fields]\n computed = ''.join([text_type(value) for value in computed])\n if computed:\n self.signature = sha1(computed.encode('utf-8')).hexdigest()\n",
"role": "user"
},
{
"content": "update_signature",
"role": "assistant"
}
] |
def x(service_account, credentials_file_path, api_version='v2'):
scope = 'https://www.googleapis.com/auth/androidpublisher'
credentials = ServiceAccountCredentials.from_p12_keyfile(service_account,
credentials_file_path, scopes=scope)
http = httplib2.Http()
http = credentials.authorize(http)
service = build('androidpublisher', api_version, http=http,
cache_discovery=False)
return service
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service_account, credentials_file_path, api_version='v2'):\n scope = 'https://www.googleapis.com/auth/androidpublisher'\n credentials = ServiceAccountCredentials.from_p12_keyfile(service_account,\n credentials_file_path, scopes=scope)\n http = httplib2.Http()\n http = credentials.authorize(http)\n service = build('androidpublisher', api_version, http=http,\n cache_discovery=False)\n return service\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, value, attr, obj):
if not self.context.get('convert_dates', True) or not value:
return value
value = super(PendulumField, self)._deserialize(value, attr, value)
timezone = self.get_field_value('timezone')
target = pendulum.instance(value)
if timezone and text_type(target) != text_type(target.in_timezone(timezone)
):
raise ValidationError(
'The provided datetime is not in the {} timezone.'.format(timezone)
)
return target
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr, obj):\n if not self.context.get('convert_dates', True) or not value:\n return value\n value = super(PendulumField, self)._deserialize(value, attr, value)\n timezone = self.get_field_value('timezone')\n target = pendulum.instance(value)\n if timezone and text_type(target) != text_type(target.in_timezone(timezone)\n ):\n raise ValidationError(\n 'The provided datetime is not in the {} timezone.'.format(timezone)\n )\n return target\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(self, value, attr):
strict_validation = self.get_field_value('strict_phone_validation',
default=False)
strict_region = self.get_field_value('strict_phone_region', default=
strict_validation)
region = self.get_field_value('region', 'US')
phone_number_format = self.get_field_value('phone_number_format',
default=phonenumbers.PhoneNumberFormat.INTERNATIONAL)
stripped_value = re.sub('[^\\w+]', '', value)
try:
if not stripped_value.startswith('+') and not strict_region:
phone = phonenumbers.parse(stripped_value, region)
else:
phone = phonenumbers.parse(stripped_value)
if not phonenumbers.is_possible_number(phone
) or not phonenumbers.is_valid_number(phone) and strict_validation:
raise ValidationError(
'The value for {} ({}) is not a valid phone number.'.format
(attr, value))
return phonenumbers.format_number(phone, phone_number_format)
except phonenumbers.phonenumberutil.NumberParseException as exc:
if strict_validation or strict_region:
raise ValidationError(exc)
|
format_phone_number
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr):\n strict_validation = self.get_field_value('strict_phone_validation',\n default=False)\n strict_region = self.get_field_value('strict_phone_region', default=\n strict_validation)\n region = self.get_field_value('region', 'US')\n phone_number_format = self.get_field_value('phone_number_format',\n default=phonenumbers.PhoneNumberFormat.INTERNATIONAL)\n stripped_value = re.sub('[^\\\\w+]', '', value)\n try:\n if not stripped_value.startswith('+') and not strict_region:\n phone = phonenumbers.parse(stripped_value, region)\n else:\n phone = phonenumbers.parse(stripped_value)\n if not phonenumbers.is_possible_number(phone\n ) or not phonenumbers.is_valid_number(phone) and strict_validation:\n raise ValidationError(\n 'The value for {} ({}) is not a valid phone number.'.format\n (attr, value))\n return phonenumbers.format_number(phone, phone_number_format)\n except phonenumbers.phonenumberutil.NumberParseException as exc:\n if strict_validation or strict_region:\n raise ValidationError(exc)\n",
"role": "user"
},
{
"content": "format_phone_number",
"role": "assistant"
}
] |
def x(self, value, attr, data):
if value:
value = self._format_phone_number(value, attr)
return super(PhoneNumberField, self)._deserialize(value, attr, data)
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr, data):\n if value:\n value = self._format_phone_number(value, attr)\n return super(PhoneNumberField, self)._deserialize(value, attr, data)\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(self, value, attr, obj):
value = super(PhoneNumberField, self)._serialize(value, attr, obj)
if value:
value = self._format_phone_number(value, attr)
return value
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr, obj):\n value = super(PhoneNumberField, self)._serialize(value, attr, obj)\n if value:\n value = self._format_phone_number(value, attr)\n return value\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, obj):
if isinstance(obj, decimal.Decimal):
obj = format(obj, 'f')
str_digit = text_type(obj)
return str_digit.rstrip('0').rstrip('.'
) if '.' in str_digit else str_digit
elif isinstance(obj, phonenumbers.PhoneNumber):
return phonenumbers.format_number(obj, phonenumbers.
PhoneNumberFormat.E164)
elif isinstance(obj, pendulum.Pendulum):
return text_type(obj)
elif isinstance(obj, arrow.Arrow):
return text_type(obj)
elif isinstance(obj, (datetime.datetime, datetime.date)):
return obj.isoformat()
try:
return list(iter(obj))
except TypeError:
pass
return super(FleakerJSONEncoder, self).default(obj)
|
default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if isinstance(obj, decimal.Decimal):\n obj = format(obj, 'f')\n str_digit = text_type(obj)\n return str_digit.rstrip('0').rstrip('.'\n ) if '.' in str_digit else str_digit\n elif isinstance(obj, phonenumbers.PhoneNumber):\n return phonenumbers.format_number(obj, phonenumbers.\n PhoneNumberFormat.E164)\n elif isinstance(obj, pendulum.Pendulum):\n return text_type(obj)\n elif isinstance(obj, arrow.Arrow):\n return text_type(obj)\n elif isinstance(obj, (datetime.datetime, datetime.date)):\n return obj.isoformat()\n try:\n return list(iter(obj))\n except TypeError:\n pass\n return super(FleakerJSONEncoder, self).default(obj)\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(self, value, attr, obj):
if isinstance(value, arrow.arrow.Arrow):
value = value.datetime
return super(ArrowField, self)._serialize(value, attr, obj)
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr, obj):\n if isinstance(value, arrow.arrow.Arrow):\n value = value.datetime\n return super(ArrowField, self)._serialize(value, attr, obj)\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, value, attr, data):
if not self.context.get('convert_dates', True) or not value:
return value
value = super(ArrowField, self)._deserialize(value, attr, data)
timezone = self.get_field_value('timezone')
target = arrow.get(value)
if timezone and text_type(target.to(timezone)) != text_type(target):
raise ValidationError(
'The provided datetime is not in the {} timezone.'.format(timezone)
)
return target
|
deserialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, attr, data):\n if not self.context.get('convert_dates', True) or not value:\n return value\n value = super(ArrowField, self)._deserialize(value, attr, data)\n timezone = self.get_field_value('timezone')\n target = arrow.get(value)\n if timezone and text_type(target.to(timezone)) != text_type(target):\n raise ValidationError(\n 'The provided datetime is not in the {} timezone.'.format(timezone)\n )\n return target\n",
"role": "user"
},
{
"content": "deserialize",
"role": "assistant"
}
] |
def x(self, value):
value = super(PendulumDateTimeField, self).python_value(value)
if isinstance(value, datetime.datetime):
value = pendulum.instance(value)
elif isinstance(value, datetime.date):
value = pendulum.instance(datetime.datetime.combine(value, datetime
.datetime.min.time()))
elif isinstance(value, string_types):
value = pendulum.parse(value)
return value
|
python_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n value = super(PendulumDateTimeField, self).python_value(value)\n if isinstance(value, datetime.datetime):\n value = pendulum.instance(value)\n elif isinstance(value, datetime.date):\n value = pendulum.instance(datetime.datetime.combine(value, datetime\n .datetime.min.time()))\n elif isinstance(value, string_types):\n value = pendulum.parse(value)\n return value\n",
"role": "user"
},
{
"content": "python_value",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, pendulum.Pendulum):
value = datetime.datetime(value.year, value.month, value.day, value
.hour, value.minute, value.second, value.microsecond, value.tzinfo)
return super(PendulumDateTimeField, self).db_value(value)
|
db_value
|
[
{
"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 isinstance(value, pendulum.Pendulum):\n value = datetime.datetime(value.year, value.month, value.day, value\n .hour, value.minute, value.second, value.microsecond, value.tzinfo)\n return super(PendulumDateTimeField, self).db_value(value)\n",
"role": "user"
},
{
"content": "db_value",
"role": "assistant"
}
] |
def x(edits_service, package_name, days):
edit = edits_service.insert(body={}, packageName=package_name).execute()
response = edits_service.tracks().get(editId=edit['id'], track=
'production', packageName=package_name).execute()
releases = response['releases']
for release in releases:
if release['status'] == 'inProgress':
url = (
'https://archive.mozilla.org/pub/mobile/releases/{}/SHA512SUMS'
.format(release['name']))
resp = requests.head(url)
if resp.status_code != 200:
if resp.status_code != 404:
logger.warning('Could not check %s: %s', url, resp.
status_code)
continue
age = time.time() - calendar.timegm(eu.parsedate(resp.headers[
'Last-Modified']))
if age >= days * DAY:
yield release, age
|
check_rollout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edits_service, package_name, days):\n edit = edits_service.insert(body={}, packageName=package_name).execute()\n response = edits_service.tracks().get(editId=edit['id'], track=\n 'production', packageName=package_name).execute()\n releases = response['releases']\n for release in releases:\n if release['status'] == 'inProgress':\n url = (\n 'https://archive.mozilla.org/pub/mobile/releases/{}/SHA512SUMS'\n .format(release['name']))\n resp = requests.head(url)\n if resp.status_code != 200:\n if resp.status_code != 404:\n logger.warning('Could not check %s: %s', url, resp.\n status_code)\n continue\n age = time.time() - calendar.timegm(eu.parsedate(resp.headers[\n 'Last-Modified']))\n if age >= days * DAY:\n yield release, age\n",
"role": "user"
},
{
"content": "check_rollout",
"role": "assistant"
}
] |
def x(cls, schema, context=DEFAULT_DICT):
schema = cls._get_schema(schema)
return cls(context=context).dump(schema).data
|
generate_json_schema
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, schema, context=DEFAULT_DICT):\n schema = cls._get_schema(schema)\n return cls(context=context).dump(schema).data\n",
"role": "user"
},
{
"content": "generate_json_schema",
"role": "assistant"
}
] |
def x(cls, schema, file_pointer=stdout, folder=MISSING, context=DEFAULT_DICT):
schema = cls._get_schema(schema)
json_schema = cls.generate_json_schema(schema, context=context)
if folder:
schema_filename = getattr(schema.Meta, 'json_schema_filename', '.'.
join([schema.__class__.__name__, 'json']))
json_path = os.path.join(folder, schema_filename)
file_pointer = open(json_path, 'w')
json.dump(json_schema, file_pointer, indent=2)
return json_schema
|
write_schema_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, schema, file_pointer=stdout, folder=MISSING, context=DEFAULT_DICT):\n schema = cls._get_schema(schema)\n json_schema = cls.generate_json_schema(schema, context=context)\n if folder:\n schema_filename = getattr(schema.Meta, 'json_schema_filename', '.'.\n join([schema.__class__.__name__, 'json']))\n json_path = os.path.join(folder, schema_filename)\n file_pointer = open(json_path, 'w')\n json.dump(json_schema, file_pointer, indent=2)\n return json_schema\n",
"role": "user"
},
{
"content": "write_schema_to_file",
"role": "assistant"
}
] |
def x(cls, schema):
if isinstance(schema, string_types):
schema = cls._get_object_from_python_path(schema)
if isclass(schema):
schema = schema()
if not isinstance(schema, Schema):
raise TypeError(
'The schema must be a path to a Marshmallow schema or a Marshmallow schema.'
)
return schema
|
get_schema
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, schema):\n if isinstance(schema, string_types):\n schema = cls._get_object_from_python_path(schema)\n if isclass(schema):\n schema = schema()\n if not isinstance(schema, Schema):\n raise TypeError(\n 'The schema must be a path to a Marshmallow schema or a Marshmallow schema.'\n )\n return schema\n",
"role": "user"
},
{
"content": "get_schema",
"role": "assistant"
}
] |
def x(python_path):
python_path = python_path.split('.')
module_path = python_path[:-1]
object_class = python_path[-1]
if isinstance(module_path, list):
module_path = '.'.join(module_path)
module = import_module(module_path)
schema = getattr(module, object_class)
if isclass(schema):
schema = schema()
return schema
|
get_object_from_python_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(python_path):\n python_path = python_path.split('.')\n module_path = python_path[:-1]\n object_class = python_path[-1]\n if isinstance(module_path, list):\n module_path = '.'.join(module_path)\n module = import_module(module_path)\n schema = getattr(module, object_class)\n if isclass(schema):\n schema = schema()\n return schema\n",
"role": "user"
},
{
"content": "get_object_from_python_path",
"role": "assistant"
}
] |
def x(cls, app, **settings):
super(MarshmallowAwareApp, cls).post_create_app(app, **settings)
marsh.init_app(app)
return app
|
post_create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, **settings):\n super(MarshmallowAwareApp, cls).post_create_app(app, **settings)\n marsh.init_app(app)\n return app\n",
"role": "user"
},
{
"content": "post_create_app",
"role": "assistant"
}
] |
def x(sender, instance, created):
if not instance._meta.event_ready or created:
return
instance.get_original()
|
get_original_before_save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created):\n if not instance._meta.event_ready or created:\n return\n instance.get_original()\n",
"role": "user"
},
{
"content": "get_original_before_save",
"role": "assistant"
}
] |
def x(sender, instance, created):
if not instance._meta.event_ready:
return
if created:
instance.create_creation_event()
else:
instance.create_update_event()
instance._original = None
|
post_save_event_listener
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created):\n if not instance._meta.event_ready:\n return\n if created:\n instance.create_creation_event()\n else:\n instance.create_update_event()\n instance._original = None\n",
"role": "user"
},
{
"content": "post_save_event_listener",
"role": "assistant"
}
] |
def x(sender, event, created):
if event.code not in sender.event_codes():
raise ValueError("The Event.code '{}' is not a valid Event code.".
format(event.code))
|
validate_event_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, event, created):\n if event.code not in sender.event_codes():\n raise ValueError(\"The Event.code '{}' is not a valid Event code.\".\n format(event.code))\n",
"role": "user"
},
{
"content": "validate_event_type",
"role": "assistant"
}
] |
def x(self):
pk_value = self._get_pk_value()
if isinstance(pk_value, int) and not self._original:
self._original = self.select().where(self.__class__.id == pk_value
).get()
return self._original
|
get_original
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pk_value = self._get_pk_value()\n if isinstance(pk_value, int) and not self._original:\n self._original = self.select().where(self.__class__.id == pk_value\n ).get()\n return self._original\n",
"role": "user"
},
{
"content": "get_original",
"role": "assistant"
}
] |
def x(self):
event = self.create_audit_event(code='AUDIT_CREATE')
if self._meta.create_message:
event.body = self._meta.create_message['message']
event.code = self._meta.create_message['code']
event.meta = self.parse_meta(self._meta.create_message['meta'])
self.create_event_callback(event)
event.save()
return event
|
create_creation_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n event = self.create_audit_event(code='AUDIT_CREATE')\n if self._meta.create_message:\n event.body = self._meta.create_message['message']\n event.code = self._meta.create_message['code']\n event.meta = self.parse_meta(self._meta.create_message['meta'])\n self.create_event_callback(event)\n event.save()\n return event\n",
"role": "user"
},
{
"content": "create_creation_event",
"role": "assistant"
}
] |
def x(self):
events = []
for fields, rules in iteritems(self._meta.update_messages):
if not isinstance(fields, (list, tuple, set)):
fields = fields,
changed = any([(getattr(self, field) != getattr(self.get_original(),
field)) for field in fields])
if changed:
event = self.create_audit_event(code=rules['code'])
event.body = rules['message']
event.meta = self.parse_meta(rules['meta'])
events.append(event)
self.update_event_callback(events)
with db.database.atomic():
for event in events:
event.save()
return events
|
create_update_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n events = []\n for fields, rules in iteritems(self._meta.update_messages):\n if not isinstance(fields, (list, tuple, set)):\n fields = fields,\n changed = any([(getattr(self, field) != getattr(self.get_original(),\n field)) for field in fields])\n if changed:\n event = self.create_audit_event(code=rules['code'])\n event.body = rules['message']\n event.meta = self.parse_meta(rules['meta'])\n events.append(event)\n self.update_event_callback(events)\n with db.database.atomic():\n for event in events:\n event.save()\n return events\n",
"role": "user"
},
{
"content": "create_update_event",
"role": "assistant"
}
] |
def x(self):
event = self.create_audit_event(code='AUDIT_DELETE')
if self._meta.delete_message:
event.code = self._meta.delete_message['code']
event.body = self._meta.delete_message['message']
event.meta = self.parse_meta(self._meta.delete_message['meta'])
self.delete_event_callback(event)
event.save()
return event
|
create_deletion_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n event = self.create_audit_event(code='AUDIT_DELETE')\n if self._meta.delete_message:\n event.code = self._meta.delete_message['code']\n event.body = self._meta.delete_message['message']\n event.meta = self.parse_meta(self._meta.delete_message['meta'])\n self.delete_event_callback(event)\n event.save()\n return event\n",
"role": "user"
},
{
"content": "create_deletion_event",
"role": "assistant"
}
] |
def x(self, meta):
res = {}
for key, val in meta.items():
if not val:
continue
elif isinstance(val, dict):
res[key] = self.parse_meta(val)
elif val.startswith('current_user.'):
res[key] = self.get_path_attribute(current_user, val)
elif val.startswith('original.'):
res[key] = self.get_path_attribute(self.get_original(), val)
else:
res[key] = self.get_path_attribute(self, val)
return res
|
parse_meta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, meta):\n res = {}\n for key, val in meta.items():\n if not val:\n continue\n elif isinstance(val, dict):\n res[key] = self.parse_meta(val)\n elif val.startswith('current_user.'):\n res[key] = self.get_path_attribute(current_user, val)\n elif val.startswith('original.'):\n res[key] = self.get_path_attribute(self.get_original(), val)\n else:\n res[key] = self.get_path_attribute(self, val)\n return res\n",
"role": "user"
},
{
"content": "parse_meta",
"role": "assistant"
}
] |
def x(obj, path):
path = path.replace('original.', '').replace('current_user.', '')
attr_parts = path.split('.')
res = obj
try:
for part in attr_parts:
try:
res = getattr(res, part)
except AttributeError:
res = getattr(res.get(), part)
except (peewee.DoesNotExist, AttributeError):
return None
return res
|
get_path_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, path):\n path = path.replace('original.', '').replace('current_user.', '')\n attr_parts = path.split('.')\n res = obj\n try:\n for part in attr_parts:\n try:\n res = getattr(res, part)\n except AttributeError:\n res = getattr(res.get(), part)\n except (peewee.DoesNotExist, AttributeError):\n return None\n return res\n",
"role": "user"
},
{
"content": "get_path_attribute",
"role": "assistant"
}
] |
def x(self, event):
event_keys = set(event._meta.fields.keys())
obj_keys = self._meta.fields.keys()
matching_keys = event_keys.intersection(obj_keys)
for key in matching_keys:
if key == 'created_by':
continue
if not isinstance(self._meta.fields[key], peewee.ForeignKeyField):
continue
setattr(event, key, getattr(self, key))
possible_key = self.__class__.__name__.lower()
if possible_key in event_keys and event.code != 'AUDIT_DELETE':
setattr(event, possible_key, self)
|
copy_foreign_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n event_keys = set(event._meta.fields.keys())\n obj_keys = self._meta.fields.keys()\n matching_keys = event_keys.intersection(obj_keys)\n for key in matching_keys:\n if key == 'created_by':\n continue\n if not isinstance(self._meta.fields[key], peewee.ForeignKeyField):\n continue\n setattr(event, key, getattr(self, key))\n possible_key = self.__class__.__name__.lower()\n if possible_key in event_keys and event.code != 'AUDIT_DELETE':\n setattr(event, possible_key, self)\n",
"role": "user"
},
{
"content": "copy_foreign_keys",
"role": "assistant"
}
] |
def x(self, code='AUDIT'):
event = self._meta.event_model(code=code, model=self.__class__.__name__)
if current_user:
event.created_by = current_user.get_id()
self.copy_foreign_keys(event)
self.populate_audit_fields(event)
return event
|
create_audit_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code='AUDIT'):\n event = self._meta.event_model(code=code, model=self.__class__.__name__)\n if current_user:\n event.created_by = current_user.get_id()\n self.copy_foreign_keys(event)\n self.populate_audit_fields(event)\n return event\n",
"role": "user"
},
{
"content": "create_audit_event",
"role": "assistant"
}
] |
def x(self, event):
event.updated = self._data
event.original = self.get_original()._data
|
populate_audit_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n event.updated = self._data\n event.original = self.get_original()._data\n",
"role": "user"
},
{
"content": "populate_audit_fields",
"role": "assistant"
}
] |
def x(self):
return render_template_string(self.body, event=self, meta=self.meta,
original=self.original, updated=self.updated, version=self.version)
|
formatted_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return render_template_string(self.body, event=self, meta=self.meta,\n original=self.original, updated=self.updated, version=self.version)\n",
"role": "user"
},
{
"content": "formatted_message",
"role": "assistant"
}
] |
def x(self):
if not self._cached_time:
self._cached_time = self._meta.datetime.utcnow()
return self._cached_time
|
get_cached_time
|
[
{
"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._cached_time:\n self._cached_time = self._meta.datetime.utcnow()\n return self._cached_time\n",
"role": "user"
},
{
"content": "get_cached_time",
"role": "assistant"
}
] |
def x(product, channel):
return utils.load_json_url(_ALL_LOCALES_URL.format(product=product,
channel=channel))
|
get_list_of_completed_locales
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(product, channel):\n return utils.load_json_url(_ALL_LOCALES_URL.format(product=product,\n channel=channel))\n",
"role": "user"
},
{
"content": "get_list_of_completed_locales",
"role": "assistant"
}
] |
def x(self, key, default=MISSING):
meta_value = self.metadata.get(key)
context_value = self.context.get(key)
if context_value is not None:
return context_value
elif meta_value is not None:
return meta_value
return default
|
get_field_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=MISSING):\n meta_value = self.metadata.get(key)\n context_value = self.context.get(key)\n if context_value is not None:\n return context_value\n elif meta_value is not None:\n return meta_value\n return default\n",
"role": "user"
},
{
"content": "get_field_value",
"role": "assistant"
}
] |
def x(cls, record_id, execute=True):
query = cls.base_query().where(cls.id == record_id)
if execute:
return query.get()
return query
|
get_by_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, record_id, execute=True):\n query = cls.base_query().where(cls.id == record_id)\n if execute:\n return query.get()\n return query\n",
"role": "user"
},
{
"content": "get_by_id",
"role": "assistant"
}
] |
def x(self, data):
for key, val in iteritems(data):
if not hasattr(self, key):
raise AttributeError('No field named {key} for model {model}'.
format(key=key, model=self.__class__.__name__))
setattr(self, key, val)
self.save()
return self
|
update_instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n for key, val in iteritems(data):\n if not hasattr(self, key):\n raise AttributeError('No field named {key} for model {model}'.\n format(key=key, model=self.__class__.__name__))\n setattr(self, key, val)\n self.save()\n return self\n",
"role": "user"
},
{
"content": "update_instance",
"role": "assistant"
}
] |
def x(self):
return ('' if not self.is_enabled else
"""
<script src='//www.google.com/recaptcha/api.js'></script>
<div class="g-recaptcha" data-sitekey="{SITE_KEY}" data-theme="{THEME}" data-type="{TYPE}" data-size="{SIZE}" data-tabindex="{TABINDEX}"></div>
"""
.format(SITE_KEY=self.site_key, THEME=self.theme, TYPE=self.type,
SIZE=self.size, TABINDEX=self.tabindex))
|
get_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return ('' if not self.is_enabled else\n \"\"\"\n <script src='//www.google.com/recaptcha/api.js'></script>\n <div class=\"g-recaptcha\" data-sitekey=\"{SITE_KEY}\" data-theme=\"{THEME}\" data-type=\"{TYPE}\" data-size=\"{SIZE}\" data-tabindex=\"{TABINDEX}\"></div>\n \"\"\"\n .format(SITE_KEY=self.site_key, THEME=self.theme, TYPE=self.type,\n SIZE=self.size, TABINDEX=self.tabindex))\n",
"role": "user"
},
{
"content": "get_code",
"role": "assistant"
}
] |
def x(self, name, preparefunc, restart=False):
from subprocess import Popen, STDOUT
info = self.getinfo(name)
if not restart and not info.isrunning():
restart = True
if restart:
if info.pid is not None:
info.terminate()
controldir = info.controldir.ensure(dir=1)
preparefunc = CompatStarter.wrap(preparefunc)
starter = preparefunc(controldir, self)
args = [str(x) for x in starter.args]
self.log.debug('%s$ %s', controldir, ' '.join(args))
stdout = open(str(info.logpath), 'wb', 0)
kwargs = {'env': starter.env}
if sys.platform == 'win32':
kwargs['startupinfo'] = sinfo = std.subprocess.STARTUPINFO()
if sys.version_info >= (2, 7):
sinfo.dwFlags |= std.subprocess.STARTF_USESHOWWINDOW
sinfo.wShowWindow |= std.subprocess.SW_HIDE
else:
kwargs['close_fds'] = True
kwargs['preexec_fn'] = os.setpgrp
popen = Popen(args, cwd=str(controldir), stdout=stdout, stderr=
STDOUT, **kwargs)
info.pid = pid = popen.pid
info.pidpath.write(str(pid))
self.log.debug('process %r started pid=%s', name, pid)
stdout.close()
f = info.logpath.open()
if not restart:
f.seek(0, 2)
else:
if not starter.wait(f):
raise RuntimeError('Could not start process %s' % name)
self.log.debug('%s process startup detected', name)
logfiles = self.config.__dict__.setdefault('_extlogfiles', {})
logfiles[name] = f
self.getinfo(name)
return info.pid, info.logpath
|
ensure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, preparefunc, restart=False):\n from subprocess import Popen, STDOUT\n info = self.getinfo(name)\n if not restart and not info.isrunning():\n restart = True\n if restart:\n if info.pid is not None:\n info.terminate()\n controldir = info.controldir.ensure(dir=1)\n preparefunc = CompatStarter.wrap(preparefunc)\n starter = preparefunc(controldir, self)\n args = [str(x) for x in starter.args]\n self.log.debug('%s$ %s', controldir, ' '.join(args))\n stdout = open(str(info.logpath), 'wb', 0)\n kwargs = {'env': starter.env}\n if sys.platform == 'win32':\n kwargs['startupinfo'] = sinfo = std.subprocess.STARTUPINFO()\n if sys.version_info >= (2, 7):\n sinfo.dwFlags |= std.subprocess.STARTF_USESHOWWINDOW\n sinfo.wShowWindow |= std.subprocess.SW_HIDE\n else:\n kwargs['close_fds'] = True\n kwargs['preexec_fn'] = os.setpgrp\n popen = Popen(args, cwd=str(controldir), stdout=stdout, stderr=\n STDOUT, **kwargs)\n info.pid = pid = popen.pid\n info.pidpath.write(str(pid))\n self.log.debug('process %r started pid=%s', name, pid)\n stdout.close()\n f = info.logpath.open()\n if not restart:\n f.seek(0, 2)\n else:\n if not starter.wait(f):\n raise RuntimeError('Could not start process %s' % name)\n self.log.debug('%s process startup detected', name)\n logfiles = self.config.__dict__.setdefault('_extlogfiles', {})\n logfiles[name] = f\n self.getinfo(name)\n return info.pid, info.logpath\n",
"role": "user"
},
{
"content": "ensure",
"role": "assistant"
}
] |
def x(self, log_file):
lines = map(self.log_line, self.filter_lines(self.get_lines(log_file)))
return any(std.re.search(self.pattern, line) for line in lines)
|
wait
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, log_file):\n lines = map(self.log_line, self.filter_lines(self.get_lines(log_file)))\n return any(std.re.search(self.pattern, line) for line in lines)\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(self, wait, args, env=None):
self.pattern = wait
self.env = env
self.args = args
if callable(wait):
self.wait = lambda lines: wait()
|
prep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wait, args, env=None):\n self.pattern = wait\n self.env = env\n self.args = args\n if callable(wait):\n self.wait = lambda lines: wait()\n",
"role": "user"
},
{
"content": "prep",
"role": "assistant"
}
] |
def x(self, starter_cls):
if isinstance(starter_cls, type) and issubclass(starter_cls, ProcessStarter
):
return starter_cls
depr_msg = 'Pass a ProcessStarter for preparefunc'
warnings.warn(depr_msg, DeprecationWarning, stacklevel=3)
return functools.partial(CompatStarter, starter_cls)
|
wrap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, starter_cls):\n if isinstance(starter_cls, type) and issubclass(starter_cls, ProcessStarter\n ):\n return starter_cls\n depr_msg = 'Pass a ProcessStarter for preparefunc'\n warnings.warn(depr_msg, DeprecationWarning, stacklevel=3)\n return functools.partial(CompatStarter, starter_cls)\n",
"role": "user"
},
{
"content": "wrap",
"role": "assistant"
}
] |
def x(self, start_day: int, data_limit: str, month_threshold: int):
return self._connection.post('monitoring/start_date', OrderedDict(((
'StartDay', start_day), ('DataLimit', data_limit), (
'MonthThreshold', month_threshold), ('SetMonthData', 1))))
|
set_start_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_day: int, data_limit: str, month_threshold: int):\n return self._connection.post('monitoring/start_date', OrderedDict(((\n 'StartDay', start_day), ('DataLimit', data_limit), (\n 'MonthThreshold', month_threshold), ('SetMonthData', 1))))\n",
"role": "user"
},
{
"content": "set_start_date",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
return self._request(requests.get, *args, **kwargs)
|
get
|
[
{
"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 return self._request(requests.get, *args, **kwargs)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
data = self._default_data()
data.update(kwargs.get('data') or {})
kwargs['data'] = data
return self._request(requests.post, *args, **kwargs)
|
post
|
[
{
"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 data = self._default_data()\n data.update(kwargs.get('data') or {})\n kwargs['data'] = data\n return self._request(requests.post, *args, **kwargs)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, url, base, quote):
if not base and not quote:
return url
else:
url = url + base.lower() + quote.lower() + '/'
return url
|
construct_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, base, quote):\n if not base and not quote:\n return url\n else:\n url = url + base.lower() + quote.lower() + '/'\n return url\n",
"role": "user"
},
{
"content": "construct_url",
"role": "assistant"
}
] |
def x(self, func, url, version=1, *args, **kwargs):
return_json = kwargs.pop('return_json', False)
url = self.api_url[version] + url
response = func(url, *args, **kwargs)
if 'proxies' not in kwargs:
kwargs['proxies'] = self.proxydict
response.raise_for_status()
try:
json_response = response.json()
except ValueError:
json_response = None
if isinstance(json_response, dict):
error = json_response.get('error')
if error:
raise BitstampError(error)
elif json_response.get('status') == 'error':
raise BitstampError(json_response.get('reason'))
if return_json:
if json_response is None:
raise BitstampError('Could not decode json for: ' + response.text)
return json_response
return response
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, url, version=1, *args, **kwargs):\n return_json = kwargs.pop('return_json', False)\n url = self.api_url[version] + url\n response = func(url, *args, **kwargs)\n if 'proxies' not in kwargs:\n kwargs['proxies'] = self.proxydict\n response.raise_for_status()\n try:\n json_response = response.json()\n except ValueError:\n json_response = None\n if isinstance(json_response, dict):\n error = json_response.get('error')\n if error:\n raise BitstampError(error)\n elif json_response.get('status') == 'error':\n raise BitstampError(json_response.get('reason'))\n if return_json:\n if json_response is None:\n raise BitstampError('Could not decode json for: ' + response.text)\n return json_response\n return response\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.