source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cls, f):
element = ElementIterator.from_file(f)
assert element.tag == 'mediawiki'
return cls.from_element(element)
| from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, f):\n element = ElementIterator.from_file(f)\n assert element.tag == 'mediawiki'\n return cls.from_element(element)\n",
"role": "user"
},
{
"content": "from_file",
"role": "assistant"
}
] |
def x(cls, page_xml):
header = """
<mediawiki xmlns="http://www.mediawiki.org/xml/export-0.5/"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.mediawiki.org/xml/export-0.5/
http://www.mediawiki.org/xml/export-0.5.xsd" version="0.5"
xml:lang="en">
<siteinfo>
</siteinfo>
"""
footer = '</mediawiki>'
return cls.from_file(mwtypes.files.concat(header, page_xml, footer))
| from_page_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, page_xml):\n header = \"\"\"\n <mediawiki xmlns=\"http://www.mediawiki.org/xml/export-0.5/\"\n xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\"\n xsi:schemaLocation=\"http://www.mediawiki.org/xml/export-0.5/\n http://www.mediawiki.org/xml/export-0.5.xsd\" version=\"0.5\"\n xml:lang=\"en\">\n <siteinfo>\n </siteinfo>\n \"\"\"\n footer = '</mediawiki>'\n return cls.from_file(mwtypes.files.concat(header, page_xml, footer))\n",
"role": "user"
},
{
"content": "from_page_xml",
"role": "assistant"
}
] |
def x(passphrase, salt):
argonhash = argon2.low_level.hash_secret_raw(str.encode(passphrase),
salt=salt, hash_len=32, time_cost=__argon2_timing_cost__,
memory_cost=__argon2_memory_cost__, parallelism=
__argon2_parallelism__, type=argon2.low_level.Type.I)
return argonhash
| calc_derivation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(passphrase, salt):\n argonhash = argon2.low_level.hash_secret_raw(str.encode(passphrase),\n salt=salt, hash_len=32, time_cost=__argon2_timing_cost__,\n memory_cost=__argon2_memory_cost__, parallelism=\n __argon2_parallelism__, type=argon2.low_level.Type.I)\n return argonhash\n",
"role": "user"
},
{
"content": "calc_derivation",
"role": "assistant"
}
] |
def x(self, node):
text_children = [n.nodeValue for n in self.get_node_children(node) if n
.nodeType == xml.dom.Node.TEXT_NODE]
if text_children:
return u''.join(text_children)
else:
return None
| get_node_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n text_children = [n.nodeValue for n in self.get_node_children(node) if n\n .nodeType == xml.dom.Node.TEXT_NODE]\n if text_children:\n return u''.join(text_children)\n else:\n return None\n",
"role": "user"
},
{
"content": "get_node_text",
"role": "assistant"
}
] |
def x(self, node, text):
for child in self.get_node_children(node):
if child.nodeType == xml.dom.Node.TEXT_NODE:
self.remove_node_child(node, child, True)
if text is not None:
text_node = self.new_impl_text(text)
self.add_node_child(node, text_node)
| set_node_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, text):\n for child in self.get_node_children(node):\n if child.nodeType == xml.dom.Node.TEXT_NODE:\n self.remove_node_child(node, child, True)\n if text is not None:\n text_node = self.new_impl_text(text)\n self.add_node_child(node, text_node)\n",
"role": "user"
},
{
"content": "set_node_text",
"role": "assistant"
}
] |
def x(self):
def x():
for value in super(GlobBundle, self)._get_contents():
for path in glob.glob(value):
yield path
return list(files())
| get_contents | [
{
"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():\n for value in super(GlobBundle, self)._get_contents():\n for path in glob.glob(value):\n yield path\n return list(files())\n",
"role": "user"
},
{
"content": "get_contents",
"role": "assistant"
}
] |
def x(tp):
if NEW_TYPING:
return isinstance(tp, type) and issubclass(tp, Generic) or isinstance(
tp, _GenericAlias) and tp.__origin__ not in (Union, tuple,
ClassVar, collections.abc.Callable)
return isinstance(tp, GenericMeta) and not is_callable_type(tp
) and not is_tuple_type(tp)
| is_generic_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tp):\n if NEW_TYPING:\n return isinstance(tp, type) and issubclass(tp, Generic) or isinstance(\n tp, _GenericAlias) and tp.__origin__ not in (Union, tuple,\n ClassVar, collections.abc.Callable)\n return isinstance(tp, GenericMeta) and not is_callable_type(tp\n ) and not is_tuple_type(tp)\n",
"role": "user"
},
{
"content": "is_generic_type",
"role": "assistant"
}
] |
def x(tp):
if NEW_TYPING:
return tp is Union or isinstance(tp, _GenericAlias
) and tp.__origin__ is Union
try:
from typing import _Union
return type(tp) is _Union
except ImportError:
return type(tp) is Union or type(tp) is type(Union)
| is_union_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tp):\n if NEW_TYPING:\n return tp is Union or isinstance(tp, _GenericAlias\n ) and tp.__origin__ is Union\n try:\n from typing import _Union\n return type(tp) is _Union\n except ImportError:\n return type(tp) is Union or type(tp) is type(Union)\n",
"role": "user"
},
{
"content": "is_union_type",
"role": "assistant"
}
] |
def x(tp):
if NEW_TYPING:
return tp is ClassVar or isinstance(tp, _GenericAlias
) and tp.__origin__ is ClassVar
try:
from typing import _ClassVar
return type(tp) is _ClassVar
except:
return False
| is_classvar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tp):\n if NEW_TYPING:\n return tp is ClassVar or isinstance(tp, _GenericAlias\n ) and tp.__origin__ is ClassVar\n try:\n from typing import _ClassVar\n return type(tp) is _ClassVar\n except:\n return False\n",
"role": "user"
},
{
"content": "is_classvar",
"role": "assistant"
}
] |
def x(to_parse, ignore_whitespace_text_nodes=True, adapter=None):
if adapter is None:
adapter = best_adapter
if isinstance(to_parse, basestring) and '<' in to_parse:
return adapter.parse_string(to_parse, ignore_whitespace_text_nodes)
else:
return adapter.parse_file(to_parse, ignore_whitespace_text_nodes)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(to_parse, ignore_whitespace_text_nodes=True, adapter=None):\n if adapter is None:\n adapter = best_adapter\n if isinstance(to_parse, basestring) and '<' in to_parse:\n return adapter.parse_string(to_parse, ignore_whitespace_text_nodes)\n else:\n return adapter.parse_file(to_parse, ignore_whitespace_text_nodes)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(tagname_or_element, ns_uri=None, adapter=None):
if adapter is None:
adapter = best_adapter
if isinstance(tagname_or_element, basestring):
doc = adapter.create_document(tagname_or_element, ns_uri=ns_uri)
element = doc.root
elif isinstance(tagname_or_element, xml4h.nodes.Element):
element = tagname_or_element
else:
raise xml4h.exceptions.IncorrectArgumentTypeException(
tagname_or_element, [basestring, xml4h.nodes.Element])
return Builder(element)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tagname_or_element, ns_uri=None, adapter=None):\n if adapter is None:\n adapter = best_adapter\n if isinstance(tagname_or_element, basestring):\n doc = adapter.create_document(tagname_or_element, ns_uri=ns_uri)\n element = doc.root\n elif isinstance(tagname_or_element, xml4h.nodes.Element):\n element = tagname_or_element\n else:\n raise xml4h.exceptions.IncorrectArgumentTypeException(\n tagname_or_element, [basestring, xml4h.nodes.Element])\n return Builder(element)\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(none_policy, verbose=False):
if none_policy is NonePolicy.SKIP:
return ('accept None without performing validation' if verbose else
'SKIP')
elif none_policy is NonePolicy.FAIL:
return ('fail on None without performing validation' if verbose else
'FAIL')
elif none_policy is NonePolicy.VALIDATE:
return 'validate None as any other values' if verbose else 'VALIDATE'
elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_FAIL:
return (
'accept None without validation if the argument is optional, otherwise fail on None'
if verbose else 'SKIP_IF_NONABLE_ELSE_FAIL')
elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_VALIDATE:
return (
'accept None without validation if the argument is optional, otherwise validate None as any other values'
if verbose else 'SKIP_IF_NONABLE_ELSE_VALIDATE')
else:
raise ValueError('Invalid none_policy ' + str(none_policy))
| get_none_policy_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(none_policy, verbose=False):\n if none_policy is NonePolicy.SKIP:\n return ('accept None without performing validation' if verbose else\n 'SKIP')\n elif none_policy is NonePolicy.FAIL:\n return ('fail on None without performing validation' if verbose else\n 'FAIL')\n elif none_policy is NonePolicy.VALIDATE:\n return 'validate None as any other values' if verbose else 'VALIDATE'\n elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_FAIL:\n return (\n 'accept None without validation if the argument is optional, otherwise fail on None'\n if verbose else 'SKIP_IF_NONABLE_ELSE_FAIL')\n elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_VALIDATE:\n return (\n 'accept None without validation if the argument is optional, otherwise validate None as any other values'\n if verbose else 'SKIP_IF_NONABLE_ELSE_VALIDATE')\n else:\n raise ValueError('Invalid none_policy ' + str(none_policy))\n",
"role": "user"
},
{
"content": "get_none_policy_text",
"role": "assistant"
}
] |
def x(validation_callable, none_policy):
if none_policy is NonePolicy.SKIP:
return _none_accepter(validation_callable)
elif none_policy is NonePolicy.FAIL:
return _none_rejecter(validation_callable)
elif none_policy is NonePolicy.VALIDATE:
return validation_callable
else:
raise ValueError('Invalid none_policy : ' + str(none_policy))
| add_none_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validation_callable, none_policy):\n if none_policy is NonePolicy.SKIP:\n return _none_accepter(validation_callable)\n elif none_policy is NonePolicy.FAIL:\n return _none_rejecter(validation_callable)\n elif none_policy is NonePolicy.VALIDATE:\n return validation_callable\n else:\n raise ValueError('Invalid none_policy : ' + str(none_policy))\n",
"role": "user"
},
{
"content": "add_none_handler",
"role": "assistant"
}
] |
def x(error_type, additional_type):
class new_error_type(with_metaclass(MetaReprForValidator, error_type,
additional_type, object)):
pass
new_error_type.__name__ = (error_type.__name__ + '[' + additional_type.
__name__ + ']')
if sys.version_info >= (3, 0):
new_error_type.__qualname__ = (error_type.__qualname__ + '[' +
additional_type.__qualname__ + ']')
new_error_type.__module__ = error_type.__module__
return new_error_type
| add_base_type_dynamically | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(error_type, additional_type):\n\n\n class new_error_type(with_metaclass(MetaReprForValidator, error_type,\n additional_type, object)):\n pass\n new_error_type.__name__ = (error_type.__name__ + '[' + additional_type.\n __name__ + ']')\n if sys.version_info >= (3, 0):\n new_error_type.__qualname__ = (error_type.__qualname__ + '[' +\n additional_type.__qualname__ + ']')\n new_error_type.__module__ = error_type.__module__\n return new_error_type\n",
"role": "user"
},
{
"content": "add_base_type_dynamically",
"role": "assistant"
}
] |
def x(name, value, *validation_func, **kwargs):
error_type, help_msg, none_policy = pop_kwargs(kwargs, [('error_type',
None), ('help_msg', None), ('none_policy', None)], allow_others=True)
kw_context_args = kwargs
return Validator(*validation_func, error_type=error_type, help_msg=
help_msg, none_policy=none_policy).assert_valid(name=name, value=
value, **kw_context_args)
| assert_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value, *validation_func, **kwargs):\n error_type, help_msg, none_policy = pop_kwargs(kwargs, [('error_type',\n None), ('help_msg', None), ('none_policy', None)], allow_others=True)\n kw_context_args = kwargs\n return Validator(*validation_func, error_type=error_type, help_msg=\n help_msg, none_policy=none_policy).assert_valid(name=name, value=\n value, **kw_context_args)\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(value, *validation_func, **kwargs):
none_policy = pop_kwargs(kwargs, [('none_policy', None)])
return Validator(*validation_func, none_policy=none_policy).is_valid(value)
| is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, *validation_func, **kwargs):\n none_policy = pop_kwargs(kwargs, [('none_policy', None)])\n return Validator(*validation_func, none_policy=none_policy).is_valid(value)\n",
"role": "user"
},
{
"content": "is_valid",
"role": "assistant"
}
] |
def x(cls, validation_function_name, var_name, var_value,
validation_outcome=None, help_msg=None, append_details=True, **
kw_context_args):
def x(x):
pass
val_fun.__name__ = validation_function_name
validator = Validator(val_fun, error_type=cls, help_msg=help_msg, **
kw_context_args)
e = validator._create_validation_error(var_name, var_value,
validation_outcome, error_type=cls, help_msg=help_msg, **
kw_context_args)
return e
| create_manually | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, validation_function_name, var_name, var_value,\n validation_outcome=None, help_msg=None, append_details=True, **\n kw_context_args):\n\n def x(x):\n pass\n val_fun.__name__ = validation_function_name\n validator = Validator(val_fun, error_type=cls, help_msg=help_msg, **\n kw_context_args)\n e = validator._create_validation_error(var_name, var_value,\n validation_outcome, error_type=cls, help_msg=help_msg, **\n kw_context_args)\n return e\n",
"role": "user"
},
{
"content": "create_manually",
"role": "assistant"
}
] |
def x(self):
if isinstance(self.validation_outcome, Exception):
prefix = ('Validation function [{val}] raised ' if self.
display_prefix_for_exc_outcomes else '')
contents = ('Error validating {what}. ' + prefix +
'{exception}: {details}').format(what=self.get_what_txt(), val=
self.validator.get_main_function_name(), exception=type(self.
validation_outcome).__name__, details=end_with_dot(str(self.
validation_outcome)))
else:
contents = (
'Error validating {what}: validation function [{val}] returned [{result}].'
.format(what=self.get_what_txt(), val=self.validator.
get_main_function_name(), result=self.validation_outcome))
return contents
| get_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.validation_outcome, Exception):\n prefix = ('Validation function [{val}] raised ' if self.\n display_prefix_for_exc_outcomes else '')\n contents = ('Error validating {what}. ' + prefix +\n '{exception}: {details}').format(what=self.get_what_txt(), val=\n self.validator.get_main_function_name(), exception=type(self.\n validation_outcome).__name__, details=end_with_dot(str(self.\n validation_outcome)))\n else:\n contents = (\n 'Error validating {what}: validation function [{val}] returned [{result}].'\n .format(what=self.get_what_txt(), val=self.validator.\n get_main_function_name(), result=self.validation_outcome))\n return contents\n",
"role": "user"
},
{
"content": "get_details",
"role": "assistant"
}
] |
def x(self):
if self.var_name is None:
prefix = ''
else:
prefix = self.var_name
suffix = str(self.var_value)
if len(suffix) == 0:
suffix = "''"
elif len(suffix) > self.__max_str_length_displayed__:
suffix = ''
if len(prefix) > 0 and len(suffix) > 0:
return prefix + '=' + suffix
else:
return prefix + suffix
| get_variable_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.var_name is None:\n prefix = ''\n else:\n prefix = self.var_name\n suffix = str(self.var_value)\n if len(suffix) == 0:\n suffix = \"''\"\n elif len(suffix) > self.__max_str_length_displayed__:\n suffix = ''\n if len(prefix) > 0 and len(suffix) > 0:\n return prefix + '=' + suffix\n else:\n return prefix + suffix\n",
"role": "user"
},
{
"content": "get_variable_str",
"role": "assistant"
}
] |
def x(self, name, value, error_type=None, help_msg=None, **kw_context_args):
try:
res = self.main_function(value)
except Exception as e:
res = e
if not result_is_success(res):
raise_(self._create_validation_error(name, value,
validation_outcome=res, error_type=error_type, help_msg=
help_msg, **kw_context_args))
| assert_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, error_type=None, help_msg=None, **kw_context_args):\n try:\n res = self.main_function(value)\n except Exception as e:\n res = e\n if not result_is_success(res):\n raise_(self._create_validation_error(name, value,\n validation_outcome=res, error_type=error_type, help_msg=\n help_msg, **kw_context_args))\n",
"role": "user"
},
{
"content": "assert_valid",
"role": "assistant"
}
] |
def x(self, name, value, validation_outcome=None, error_type=None, help_msg
=None, **kw_context_args):
error_type = error_type or self.error_type
help_msg = help_msg or self.help_msg
ctx = copy(self.kw_context_args)
ctx.update(kw_context_args)
name = self._get_name_for_errors(name)
if issubclass(error_type, TypeError) or issubclass(error_type, ValueError):
new_error_type = error_type
else:
additional_type = None
if isinstance(validation_outcome, Exception):
if is_error_of_type(validation_outcome, TypeError):
additional_type = TypeError
elif is_error_of_type(validation_outcome, ValueError):
additional_type = ValueError
if additional_type is None:
additional_type = ValueError
new_error_type = add_base_type_dynamically(error_type, additional_type)
return new_error_type(validator=self, var_value=value, var_name=name,
validation_outcome=validation_outcome, help_msg=help_msg, **ctx)
| create_validation_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, validation_outcome=None, error_type=None, help_msg\n =None, **kw_context_args):\n error_type = error_type or self.error_type\n help_msg = help_msg or self.help_msg\n ctx = copy(self.kw_context_args)\n ctx.update(kw_context_args)\n name = self._get_name_for_errors(name)\n if issubclass(error_type, TypeError) or issubclass(error_type, ValueError):\n new_error_type = error_type\n else:\n additional_type = None\n if isinstance(validation_outcome, Exception):\n if is_error_of_type(validation_outcome, TypeError):\n additional_type = TypeError\n elif is_error_of_type(validation_outcome, ValueError):\n additional_type = ValueError\n if additional_type is None:\n additional_type = ValueError\n new_error_type = add_base_type_dynamically(error_type, additional_type)\n return new_error_type(validator=self, var_value=value, var_name=name,\n validation_outcome=validation_outcome, help_msg=help_msg, **ctx)\n",
"role": "user"
},
{
"content": "create_validation_error",
"role": "assistant"
}
] |
def x(self, value):
try:
res = self.main_function(value)
return result_is_success(res)
except Exception:
return False
| is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n try:\n res = self.main_function(value)\n return result_is_success(res)\n except Exception:\n return False\n",
"role": "user"
},
{
"content": "is_valid",
"role": "assistant"
}
] |
def x(user):
values = {'id': utils.gen_uuid(), 'created_at': datetime.datetime.
utcnow().isoformat()}
values.update(schemas.tag.post(flask.request.json))
with flask.g.db_conn.begin():
where_clause = sql.and_(_TABLE.c.name == values['name'])
query = sql.select([_TABLE.c.id]).where(where_clause)
if flask.g.db_conn.execute(query).fetchone():
raise dci_exc.DCIConflict('Tag already exists', values)
query = _TABLE.insert().values(**values)
flask.g.db_conn.execute(query)
result = json.dumps({'tag': values})
return flask.Response(result, 201, content_type='application/json')
| create_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n values = {'id': utils.gen_uuid(), 'created_at': datetime.datetime.\n utcnow().isoformat()}\n values.update(schemas.tag.post(flask.request.json))\n with flask.g.db_conn.begin():\n where_clause = sql.and_(_TABLE.c.name == values['name'])\n query = sql.select([_TABLE.c.id]).where(where_clause)\n if flask.g.db_conn.execute(query).fetchone():\n raise dci_exc.DCIConflict('Tag already exists', values)\n query = _TABLE.insert().values(**values)\n flask.g.db_conn.execute(query)\n result = json.dumps({'tag': values})\n return flask.Response(result, 201, content_type='application/json')\n",
"role": "user"
},
{
"content": "create_tags",
"role": "assistant"
}
] |
def x(user):
args = schemas.args(flask.request.args.to_dict())
query = v1_utils.QueryBuilder(_TABLE, args, _T_COLUMNS)
nb_rows = query.get_number_of_rows()
rows = query.execute(fetchall=True)
rows = v1_utils.format_result(rows, _TABLE.name)
return flask.jsonify({'tags': rows, '_meta': {'count': nb_rows}})
| get_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n args = schemas.args(flask.request.args.to_dict())\n query = v1_utils.QueryBuilder(_TABLE, args, _T_COLUMNS)\n nb_rows = query.get_number_of_rows()\n rows = query.execute(fetchall=True)\n rows = v1_utils.format_result(rows, _TABLE.name)\n return flask.jsonify({'tags': rows, '_meta': {'count': nb_rows}})\n",
"role": "user"
},
{
"content": "get_tags",
"role": "assistant"
}
] |
def x(user, tag_id):
query = _TABLE.delete().where(_TABLE.c.id == tag_id)
result = flask.g.db_conn.execute(query)
if not result.rowcount:
raise dci_exc.DCIConflict('Tag deletion conflict', tag_id)
return flask.Response(None, 204, content_type='application/json')
| delete_tag_by_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, tag_id):\n query = _TABLE.delete().where(_TABLE.c.id == tag_id)\n result = flask.g.db_conn.execute(query)\n if not result.rowcount:\n raise dci_exc.DCIConflict('Tag deletion conflict', tag_id)\n return flask.Response(None, 204, content_type='application/json')\n",
"role": "user"
},
{
"content": "delete_tag_by_id",
"role": "assistant"
}
] |
def x(self, app, entry_point_group='invenio_assets.bundles', **kwargs):
self.init_config(app)
self.env.init_app(app)
self.collect.init_app(app)
self.webpack.init_app(app)
if entry_point_group:
self.load_entrypoint(entry_point_group)
app.extensions['invenio-assets'] = self
| 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, entry_point_group='invenio_assets.bundles', **kwargs):\n self.init_config(app)\n self.env.init_app(app)\n self.collect.init_app(app)\n self.webpack.init_app(app)\n if entry_point_group:\n self.load_entrypoint(entry_point_group)\n app.extensions['invenio-assets'] = self\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, app):
app.config.setdefault('REQUIREJS_BASEURL', app.static_folder)
app.config.setdefault('COLLECT_STATIC_ROOT', app.static_folder)
app.config.setdefault('COLLECT_STORAGE', 'flask_collect.storage.link')
app.config.setdefault('COLLECT_FILTER', partial(
collect_staticroot_removal, app))
app.config.setdefault('WEBPACKEXT_PROJECT',
'invenio_assets.webpack:project')
| init_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n app.config.setdefault('REQUIREJS_BASEURL', app.static_folder)\n app.config.setdefault('COLLECT_STATIC_ROOT', app.static_folder)\n app.config.setdefault('COLLECT_STORAGE', 'flask_collect.storage.link')\n app.config.setdefault('COLLECT_FILTER', partial(\n collect_staticroot_removal, app))\n app.config.setdefault('WEBPACKEXT_PROJECT',\n 'invenio_assets.webpack:project')\n",
"role": "user"
},
{
"content": "init_config",
"role": "assistant"
}
] |
def x(self, entry_point_group):
for ep in pkg_resources.iter_entry_points(entry_point_group):
self.env.register(ep.name, ep.load())
| load_entrypoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry_point_group):\n for ep in pkg_resources.iter_entry_points(entry_point_group):\n self.env.register(ep.name, ep.load())\n",
"role": "user"
},
{
"content": "load_entrypoint",
"role": "assistant"
}
] |
def x(value, allowed_types):
if not isinstance(value, allowed_types):
try:
allowed_types[1]
raise HasWrongType(wrong_value=value, ref_type=allowed_types,
help_msg='Value should be an instance of any of {ref_type}')
except IndexError:
allowed_types = allowed_types[0]
except TypeError:
pass
raise HasWrongType(wrong_value=value, ref_type=allowed_types)
| assert_instance_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, allowed_types):\n if not isinstance(value, allowed_types):\n try:\n allowed_types[1]\n raise HasWrongType(wrong_value=value, ref_type=allowed_types,\n help_msg='Value should be an instance of any of {ref_type}')\n except IndexError:\n allowed_types = allowed_types[0]\n except TypeError:\n pass\n raise HasWrongType(wrong_value=value, ref_type=allowed_types)\n",
"role": "user"
},
{
"content": "assert_instance_of",
"role": "assistant"
}
] |
def x(typ, allowed_types):
if not issubclass(typ, allowed_types):
try:
allowed_types[1]
raise IsWrongType(wrong_value=typ, ref_type=allowed_types,
help_msg='Value should be a subclass of any of {ref_type}')
except IndexError:
allowed_types = allowed_types[0]
except TypeError:
pass
raise IsWrongType(wrong_value=typ, ref_type=allowed_types)
| assert_subclass_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(typ, allowed_types):\n if not issubclass(typ, allowed_types):\n try:\n allowed_types[1]\n raise IsWrongType(wrong_value=typ, ref_type=allowed_types,\n help_msg='Value should be a subclass of any of {ref_type}')\n except IndexError:\n allowed_types = allowed_types[0]\n except TypeError:\n pass\n raise IsWrongType(wrong_value=typ, ref_type=allowed_types)\n",
"role": "user"
},
{
"content": "assert_subclass_of",
"role": "assistant"
}
] |
def x(name, value, enforce_not_none=True, equals=None, instance_of=None,
subclass_of=None, is_in=None, subset_of=None, contains=None,
superset_of=None, min_value=None, min_strict=False, max_value=None,
max_strict=False, length=None, min_len=None, min_len_strict=False,
max_len=None, max_len_strict=False, custom=None, error_type=None,
help_msg=None, **kw_context_args):
instance_of = instance_of or (kw_context_args.pop('allowed_types') if
'allowed_types' in kw_context_args else None)
is_in = is_in or (kw_context_args.pop('allowed_values') if
'allowed_values' in kw_context_args else None)
try:
if value is None:
if enforce_not_none:
raise ValueIsNone(wrong_value=value)
else:
if equals is not None:
if value != equals:
raise NotEqual(wrong_value=value, ref_value=equals)
if instance_of is not None:
assert_instance_of(value, instance_of)
if subclass_of is not None:
assert_subclass_of(value, subclass_of)
if is_in is not None:
if value not in is_in:
raise NotInAllowedValues(wrong_value=value,
allowed_values=is_in)
if contains is not None:
if contains not in value:
raise DoesNotContainValue(wrong_value=value, ref_value=
contains)
if subset_of is not None:
missing = value - subset_of
if len(missing) != 0:
raise NotSubset(wrong_value=value, reference_set=
subset_of, unsupported=missing)
if superset_of is not None:
missing = superset_of - value
if len(missing) != 0:
raise NotSuperset(wrong_value=value, reference_set=
superset_of, missing=missing)
if min_value is not None:
if min_strict:
if not value > min_value:
raise TooSmall(wrong_value=value, min_value=
min_value, strict=True)
elif not value >= min_value:
raise TooSmall(wrong_value=value, min_value=min_value,
strict=False)
if max_value is not None:
if max_strict:
if not value < max_value:
raise TooBig(wrong_value=value, max_value=max_value,
strict=True)
elif not value <= max_value:
raise TooBig(wrong_value=value, max_value=max_value,
strict=False)
if length is not None:
if len(value) != length:
raise WrongLength(wrong_value=value, ref_length=length)
if min_len is not None:
if min_len_strict:
if not len(value) > min_len:
raise TooShort(wrong_value=value, min_length=
min_len, strict=True)
elif not len(value) >= min_len:
raise TooShort(wrong_value=value, min_length=min_len,
strict=False)
if max_len is not None:
if max_len_strict:
if not len(value) < max_len:
raise TooLong(wrong_value=value, max_length=max_len,
strict=True)
elif not len(value) <= max_len:
raise TooLong(wrong_value=value, max_length=max_len,
strict=False)
except Exception as e:
err = _QUICK_VALIDATOR._create_validation_error(name, value,
validation_outcome=e, error_type=error_type, help_msg=help_msg,
**kw_context_args)
raise_(err)
if custom is not None:
assert_valid(name, value, custom, error_type=error_type, help_msg=
help_msg, **kw_context_args)
elif error_type is None and help_msg is None and len(kw_context_args) > 0:
raise ValueError(
'Keyword context arguments have been provided but help_msg and error_type are not: {}'
.format(kw_context_args))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value, enforce_not_none=True, equals=None, instance_of=None,\n subclass_of=None, is_in=None, subset_of=None, contains=None,\n superset_of=None, min_value=None, min_strict=False, max_value=None,\n max_strict=False, length=None, min_len=None, min_len_strict=False,\n max_len=None, max_len_strict=False, custom=None, error_type=None,\n help_msg=None, **kw_context_args):\n instance_of = instance_of or (kw_context_args.pop('allowed_types') if \n 'allowed_types' in kw_context_args else None)\n is_in = is_in or (kw_context_args.pop('allowed_values') if \n 'allowed_values' in kw_context_args else None)\n try:\n if value is None:\n if enforce_not_none:\n raise ValueIsNone(wrong_value=value)\n else:\n if equals is not None:\n if value != equals:\n raise NotEqual(wrong_value=value, ref_value=equals)\n if instance_of is not None:\n assert_instance_of(value, instance_of)\n if subclass_of is not None:\n assert_subclass_of(value, subclass_of)\n if is_in is not None:\n if value not in is_in:\n raise NotInAllowedValues(wrong_value=value,\n allowed_values=is_in)\n if contains is not None:\n if contains not in value:\n raise DoesNotContainValue(wrong_value=value, ref_value=\n contains)\n if subset_of is not None:\n missing = value - subset_of\n if len(missing) != 0:\n raise NotSubset(wrong_value=value, reference_set=\n subset_of, unsupported=missing)\n if superset_of is not None:\n missing = superset_of - value\n if len(missing) != 0:\n raise NotSuperset(wrong_value=value, reference_set=\n superset_of, missing=missing)\n if min_value is not None:\n if min_strict:\n if not value > min_value:\n raise TooSmall(wrong_value=value, min_value=\n min_value, strict=True)\n elif not value >= min_value:\n raise TooSmall(wrong_value=value, min_value=min_value,\n strict=False)\n if max_value is not None:\n if max_strict:\n if not value < max_value:\n raise TooBig(wrong_value=value, max_value=max_value,\n strict=True)\n elif not value <= max_value:\n raise TooBig(wrong_value=value, max_value=max_value,\n strict=False)\n if length is not None:\n if len(value) != length:\n raise WrongLength(wrong_value=value, ref_length=length)\n if min_len is not None:\n if min_len_strict:\n if not len(value) > min_len:\n raise TooShort(wrong_value=value, min_length=\n min_len, strict=True)\n elif not len(value) >= min_len:\n raise TooShort(wrong_value=value, min_length=min_len,\n strict=False)\n if max_len is not None:\n if max_len_strict:\n if not len(value) < max_len:\n raise TooLong(wrong_value=value, max_length=max_len,\n strict=True)\n elif not len(value) <= max_len:\n raise TooLong(wrong_value=value, max_length=max_len,\n strict=False)\n except Exception as e:\n err = _QUICK_VALIDATOR._create_validation_error(name, value,\n validation_outcome=e, error_type=error_type, help_msg=help_msg,\n **kw_context_args)\n raise_(err)\n if custom is not None:\n assert_valid(name, value, custom, error_type=error_type, help_msg=\n help_msg, **kw_context_args)\n elif error_type is None and help_msg is None and len(kw_context_args) > 0:\n raise ValueError(\n 'Keyword context arguments have been provided but help_msg and error_type are not: {}'\n .format(kw_context_args))\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(min_value, strict=False):
if strict:
def x(x):
if x > min_value:
return True
else:
raise TooSmall(wrong_value=x, min_value=min_value, strict=True)
else:
def x(x):
if x >= min_value:
return True
else:
raise TooSmall(wrong_value=x, min_value=min_value, strict=False
)
gt_.__name__ = '{}greater_than_{}'.format('strictly_' if strict else '',
min_value)
return gt_
| gt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_value, strict=False):\n if strict:\n\n def x(x):\n if x > min_value:\n return True\n else:\n raise TooSmall(wrong_value=x, min_value=min_value, strict=True)\n else:\n\n def x(x):\n if x >= min_value:\n return True\n else:\n raise TooSmall(wrong_value=x, min_value=min_value, strict=False\n )\n gt_.__name__ = '{}greater_than_{}'.format('strictly_' if strict else '',\n min_value)\n return gt_\n",
"role": "user"
},
{
"content": "gt",
"role": "assistant"
}
] |
def x(max_value, strict=False):
if strict:
def x(x):
if x < max_value:
return True
else:
raise TooBig(wrong_value=x, max_value=max_value, strict=True)
else:
def x(x):
if x <= max_value:
return True
else:
raise TooBig(wrong_value=x, max_value=max_value, strict=False)
lt_.__name__ = '{}lesser_than_{}'.format('strictly_' if strict else '',
max_value)
return lt_
| lt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_value, strict=False):\n if strict:\n\n def x(x):\n if x < max_value:\n return True\n else:\n raise TooBig(wrong_value=x, max_value=max_value, strict=True)\n else:\n\n def x(x):\n if x <= max_value:\n return True\n else:\n raise TooBig(wrong_value=x, max_value=max_value, strict=False)\n lt_.__name__ = '{}lesser_than_{}'.format('strictly_' if strict else '',\n max_value)\n return lt_\n",
"role": "user"
},
{
"content": "lt",
"role": "assistant"
}
] |
def x(min_val, max_val, open_left=False, open_right=False):
if open_left and open_right:
def x(x):
if min_val < x and x < max_val:
return True
else:
raise NotInRange(wrong_value=x, min_value=min_val,
left_strict=True, max_value=max_val, right_strict=True)
elif open_left:
def x(x):
if min_val < x and x <= max_val:
return True
else:
raise NotInRange(wrong_value=x, min_value=min_val,
left_strict=True, max_value=max_val, right_strict=False)
elif open_right:
def x(x):
if min_val <= x and x < max_val:
return True
else:
raise NotInRange(wrong_value=x, min_value=min_val,
left_strict=False, max_value=max_val, right_strict=True)
else:
def x(x):
if min_val <= x and x <= max_val:
return True
else:
raise NotInRange(wrong_value=x, min_value=min_val,
left_strict=False, max_value=max_val, right_strict=False)
between_.__name__ = 'between_{}_and_{}'.format(min_val, max_val)
return between_
| between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_val, max_val, open_left=False, open_right=False):\n if open_left and open_right:\n\n def x(x):\n if min_val < x and x < max_val:\n return True\n else:\n raise NotInRange(wrong_value=x, min_value=min_val,\n left_strict=True, max_value=max_val, right_strict=True)\n elif open_left:\n\n def x(x):\n if min_val < x and x <= max_val:\n return True\n else:\n raise NotInRange(wrong_value=x, min_value=min_val,\n left_strict=True, max_value=max_val, right_strict=False)\n elif open_right:\n\n def x(x):\n if min_val <= x and x < max_val:\n return True\n else:\n raise NotInRange(wrong_value=x, min_value=min_val,\n left_strict=False, max_value=max_val, right_strict=True)\n else:\n\n def x(x):\n if min_val <= x and x <= max_val:\n return True\n else:\n raise NotInRange(wrong_value=x, min_value=min_val,\n left_strict=False, max_value=max_val, right_strict=False)\n between_.__name__ = 'between_{}_and_{}'.format(min_val, max_val)\n return between_\n",
"role": "user"
},
{
"content": "between",
"role": "assistant"
}
] |
def x(started_event: Event, channel_name: str, connection: Connection,
consumer_configuration: BrightsideConsumerConfiguration,
consumer_factory: Callable[[Connection, BrightsideConsumerConfiguration,
logging.Logger], BrightsideConsumer], command_processor_factory:
Callable[[str], CommandProcessor], mapper_func: Callable[[
BrightsideMessage], Request]) ->None:
logger = logging.getLogger(__name__)
consumer = consumer_factory(connection, consumer_configuration, logger)
channel = Channel(name=channel_name, consumer=consumer, pipeline=
consumer_configuration.pipeline)
command_processor = command_processor_factory(channel_name)
message_pump = MessagePump(command_processor=command_processor, channel
=channel, mapper_func=mapper_func, timeout=500,
unacceptable_message_limit=None, requeue_count=None)
logger.debug('Starting the message pump for %s', channel_name)
message_pump.run(started_event)
| sub_process_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(started_event: Event, channel_name: str, connection: Connection,\n consumer_configuration: BrightsideConsumerConfiguration,\n consumer_factory: Callable[[Connection, BrightsideConsumerConfiguration,\n logging.Logger], BrightsideConsumer], command_processor_factory:\n Callable[[str], CommandProcessor], mapper_func: Callable[[\n BrightsideMessage], Request]) ->None:\n logger = logging.getLogger(__name__)\n consumer = consumer_factory(connection, consumer_configuration, logger)\n channel = Channel(name=channel_name, consumer=consumer, pipeline=\n consumer_configuration.pipeline)\n command_processor = command_processor_factory(channel_name)\n message_pump = MessagePump(command_processor=command_processor, channel\n =channel, mapper_func=mapper_func, timeout=500,\n unacceptable_message_limit=None, requeue_count=None)\n logger.debug('Starting the message pump for %s', channel_name)\n message_pump.run(started_event)\n",
"role": "user"
},
{
"content": "sub_process_main",
"role": "assistant"
}
] |
def x():
app_conf = dci_config.generate_conf()
url = app_conf['SQLALCHEMY_DATABASE_URI']
context.configure(url=url, target_metadata=target_metadata,
literal_binds=True)
with context.begin_transaction():
context.run_migrations()
| run_migrations_offline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app_conf = dci_config.generate_conf()\n url = app_conf['SQLALCHEMY_DATABASE_URI']\n context.configure(url=url, target_metadata=target_metadata,\n literal_binds=True)\n with context.begin_transaction():\n context.run_migrations()\n",
"role": "user"
},
{
"content": "run_migrations_offline",
"role": "assistant"
}
] |
def x():
app_conf = dci_config.generate_conf()
connectable = dci_config.get_engine(app_conf)
with connectable.connect() as connection:
context.configure(connection=connection, target_metadata=
target_metadata)
with context.begin_transaction():
context.run_migrations()
| run_migrations_online | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app_conf = dci_config.generate_conf()\n connectable = dci_config.get_engine(app_conf)\n with connectable.connect() as connection:\n context.configure(connection=connection, target_metadata=\n target_metadata)\n with context.begin_transaction():\n context.run_migrations()\n",
"role": "user"
},
{
"content": "run_migrations_online",
"role": "assistant"
}
] |
def x():
auth_message = (
'Could not verify your access level for that URL.Please login with proper credentials.'
)
auth_message = json.dumps({'_status': 'Unauthorized', 'message':
auth_message})
headers = {'WWW-Authenticate': 'Basic realm="Login required"'}
return flask.Response(auth_message, 401, headers=headers, content_type=
'application/json')
| reject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n auth_message = (\n 'Could not verify your access level for that URL.Please login with proper credentials.'\n )\n auth_message = json.dumps({'_status': 'Unauthorized', 'message':\n auth_message})\n headers = {'WWW-Authenticate': 'Basic realm=\"Login required\"'}\n return flask.Response(auth_message, 401, headers=headers, content_type=\n 'application/json')\n",
"role": "user"
},
{
"content": "reject",
"role": "assistant"
}
] |
def x(self, **kwargs):
for key in kwargs:
if key not in ['email', 'cellphone', 'countrycode', 'countryiso',
'defaultsmsprovider', 'directtwitter', 'twitteruser', 'name']:
sys.stderr.write("'%s'" % key + ' is not a valid argument ' +
"""of <PingdomContact>.modify()
""")
response = self.pingdom.request('PUT', 'notification_contacts/%s' %
self.id, kwargs)
return response.json()['message']
| modify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key in kwargs:\n if key not in ['email', 'cellphone', 'countrycode', 'countryiso',\n 'defaultsmsprovider', 'directtwitter', 'twitteruser', 'name']:\n sys.stderr.write(\"'%s'\" % key + ' is not a valid argument ' +\n \"\"\"of <PingdomContact>.modify()\n\"\"\")\n response = self.pingdom.request('PUT', 'notification_contacts/%s' %\n self.id, kwargs)\n return response.json()['message']\n",
"role": "user"
},
{
"content": "modify",
"role": "assistant"
}
] |
def x(self, conn: BrokerConnection) ->None:
try:
self._logger.debug('Establishing connection.')
self._conn = conn.ensure_connection(max_retries=3)
self._logger.debug('Got connection: %s', conn.as_uri())
except kombu_exceptions.OperationalError as oe:
self._logger.error('Error connecting to RMQ, could not retry %s', oe)
if self._conn is not None:
self._conn.close()
else:
conn.close()
| establish_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conn: BrokerConnection) ->None:\n try:\n self._logger.debug('Establishing connection.')\n self._conn = conn.ensure_connection(max_retries=3)\n self._logger.debug('Got connection: %s', conn.as_uri())\n except kombu_exceptions.OperationalError as oe:\n self._logger.error('Error connecting to RMQ, could not retry %s', oe)\n if self._conn is not None:\n self._conn.close()\n else:\n conn.close()\n",
"role": "user"
},
{
"content": "establish_connection",
"role": "assistant"
}
] |
def x(self) ->threading.Event:
cancellation_event = threading.Event()
if not self._is_long_running_handler:
return cancellation_event
self._logger.debug('Running long running handler on %s', self._conn)
def x(cnx: BrokerConnection, period: int, logger: logging.Logger) ->None:
while not cancellation_event.is_set():
cnx.heartbeat_check()
time.sleep(period)
logger.debug('Signalled to exit long-running handler heartbeat')
heartbeat_thread = threading.Thread(target=_send_heartbeat, args=(self.
_conn, 1, self._logger), daemon=True)
self._logger.debug('Begin heartbeat thread for %s', self._conn)
heartbeat_thread.start()
self._logger.debug('Heartbeat running on thread for %s', self._conn)
return cancellation_event
| run_heartbeat_continuously | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->threading.Event:\n cancellation_event = threading.Event()\n if not self._is_long_running_handler:\n return cancellation_event\n self._logger.debug('Running long running handler on %s', self._conn)\n\n def x(cnx: BrokerConnection, period: int, logger: logging.Logger) ->None:\n while not cancellation_event.is_set():\n cnx.heartbeat_check()\n time.sleep(period)\n logger.debug('Signalled to exit long-running handler heartbeat')\n heartbeat_thread = threading.Thread(target=_send_heartbeat, args=(self.\n _conn, 1, self._logger), daemon=True)\n self._logger.debug('Begin heartbeat thread for %s', self._conn)\n heartbeat_thread.start()\n self._logger.debug('Heartbeat running on thread for %s', self._conn)\n return cancellation_event\n",
"role": "user"
},
{
"content": "run_heartbeat_continuously",
"role": "assistant"
}
] |
def x(user, topic):
if topic['export_control']:
product = v1_utils.verify_existence_and_get(topic['product_id'],
models.PRODUCTS)
return user.is_in_team(product['team_id']) or product['team_id'
] in user.parent_teams_ids
return False
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, topic):\n if topic['export_control']:\n product = v1_utils.verify_existence_and_get(topic['product_id'],\n models.PRODUCTS)\n return user.is_in_team(product['team_id']) or product['team_id'\n ] in user.parent_teams_ids\n return False\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(request):
if request.stream.tell():
logger.info(
'Request stream already consumed. Storing file content using in-memory data.'
)
return request.data
else:
logger.info('Storing file content using request stream.')
return request.stream
| get_stream_or_content_from_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.stream.tell():\n logger.info(\n 'Request stream already consumed. Storing file content using in-memory data.'\n )\n return request.data\n else:\n logger.info('Storing file content using request stream.')\n return request.stream\n",
"role": "user"
},
{
"content": "get_stream_or_content_from_request",
"role": "assistant"
}
] |
def x(self, node, xpath, **kwargs):
if isinstance(node, etree._ElementTree):
root = self.get_impl_root(node)
namespaces_dict = root.nsmap.copy()
else:
namespaces_dict = node.nsmap.copy()
if 'namespaces' in kwargs:
namespaces_dict.update(kwargs['namespaces'])
if None in namespaces_dict:
default_ns_uri = namespaces_dict.pop(None)
namespaces_dict['_'] = default_ns_uri
if not 'xmlns' in namespaces_dict:
namespaces_dict['xmlns'] = nodes.Node.XMLNS_URI
return node.xpath(xpath, namespaces=namespaces_dict)
| xpath_on_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, xpath, **kwargs):\n if isinstance(node, etree._ElementTree):\n root = self.get_impl_root(node)\n namespaces_dict = root.nsmap.copy()\n else:\n namespaces_dict = node.nsmap.copy()\n if 'namespaces' in kwargs:\n namespaces_dict.update(kwargs['namespaces'])\n if None in namespaces_dict:\n default_ns_uri = namespaces_dict.pop(None)\n namespaces_dict['_'] = default_ns_uri\n if not 'xmlns' in namespaces_dict:\n namespaces_dict['xmlns'] = nodes.Node.XMLNS_URI\n return node.xpath(xpath, namespaces=namespaces_dict)\n",
"role": "user"
},
{
"content": "xpath_on_node",
"role": "assistant"
}
] |
def x(self, node, name, value):
curr_node = self.get_node_parent(node)
while curr_node.__class__ == etree._Element:
if hasattr(curr_node, 'nsmap') and curr_node.nsmap.get(name) == value:
return True
for n, v in curr_node.attrib.items():
if v == value and '{%s}' % nodes.Node.XMLNS_URI in n:
return True
curr_node = self.get_node_parent(curr_node)
return False
| is_ns_in_ancestor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, name, value):\n curr_node = self.get_node_parent(node)\n while curr_node.__class__ == etree._Element:\n if hasattr(curr_node, 'nsmap') and curr_node.nsmap.get(name) == value:\n return True\n for n, v in curr_node.attrib.items():\n if v == value and '{%s}' % nodes.Node.XMLNS_URI in n:\n return True\n curr_node = self.get_node_parent(curr_node)\n return False\n",
"role": "user"
},
{
"content": "is_ns_in_ancestor",
"role": "assistant"
}
] |
def x(qs_model, generic_qs_model, aggregator, gfk_field=None, alias='score'):
return fallback_generic_annotate(qs_model, generic_qs_model, aggregator,
gfk_field, alias)
| generic_annotate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qs_model, generic_qs_model, aggregator, gfk_field=None, alias='score'):\n return fallback_generic_annotate(qs_model, generic_qs_model, aggregator,\n gfk_field, alias)\n",
"role": "user"
},
{
"content": "generic_annotate",
"role": "assistant"
}
] |
def x(qs_model, generic_qs_model, aggregator, gfk_field=None):
return fallback_generic_aggregate(qs_model, generic_qs_model,
aggregator, gfk_field)
| generic_aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qs_model, generic_qs_model, aggregator, gfk_field=None):\n return fallback_generic_aggregate(qs_model, generic_qs_model,\n aggregator, gfk_field)\n",
"role": "user"
},
{
"content": "generic_aggregate",
"role": "assistant"
}
] |
def x(generic_qs_model, filter_qs_model, gfk_field=None):
generic_qs = normalize_qs_model(generic_qs_model)
filter_qs = normalize_qs_model(filter_qs_model)
if not gfk_field:
gfk_field = get_gfk_field(generic_qs.model)
pk_field_type = get_field_type(filter_qs.model._meta.pk)
gfk_field_type = get_field_type(generic_qs.model._meta.get_field(
gfk_field.fk_field))
if pk_field_type != gfk_field_type:
return fallback_generic_filter(generic_qs, filter_qs, gfk_field)
return generic_qs.filter(**{gfk_field.ct_field: ContentType.objects.
get_for_model(filter_qs.model), ('%s__in' % gfk_field.fk_field):
filter_qs.values('pk')})
| generic_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(generic_qs_model, filter_qs_model, gfk_field=None):\n generic_qs = normalize_qs_model(generic_qs_model)\n filter_qs = normalize_qs_model(filter_qs_model)\n if not gfk_field:\n gfk_field = get_gfk_field(generic_qs.model)\n pk_field_type = get_field_type(filter_qs.model._meta.pk)\n gfk_field_type = get_field_type(generic_qs.model._meta.get_field(\n gfk_field.fk_field))\n if pk_field_type != gfk_field_type:\n return fallback_generic_filter(generic_qs, filter_qs, gfk_field)\n return generic_qs.filter(**{gfk_field.ct_field: ContentType.objects.\n get_for_model(filter_qs.model), ('%s__in' % gfk_field.fk_field):\n filter_qs.values('pk')})\n",
"role": "user"
},
{
"content": "generic_filter",
"role": "assistant"
}
] |
def x():
my_salt = gen_uuid()
if six.PY2:
my_salt = my_salt.decode('utf-8')
elif six.PY3:
my_salt = my_salt.encode('utf-8')
md5 = hashlib.md5()
md5.update(my_salt)
return md5.hexdigest()
| gen_etag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n my_salt = gen_uuid()\n if six.PY2:\n my_salt = my_salt.decode('utf-8')\n elif six.PY3:\n my_salt = my_salt.encode('utf-8')\n md5 = hashlib.md5()\n md5.update(my_salt)\n return md5.hexdigest()\n",
"role": "user"
},
{
"content": "gen_etag",
"role": "assistant"
}
] |
def x(self):
response = self.pingdom.request('DELETE', 'reports.shared/%s' % self.id)
return response.json()['message']
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.pingdom.request('DELETE', 'reports.shared/%s' % self.id)\n return response.json()['message']\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(ref):
def x(x):
if x % ref == 0:
return True
else:
raise IsNotMultipleOf(wrong_value=x, ref=ref)
is_multiple_of_ref.__name__ = 'is_multiple_of_{}'.format(ref)
return is_multiple_of_ref
| is_multiple_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref):\n\n def x(x):\n if x % ref == 0:\n return True\n else:\n raise IsNotMultipleOf(wrong_value=x, ref=ref)\n is_multiple_of_ref.__name__ = 'is_multiple_of_{}'.format(ref)\n return is_multiple_of_ref\n",
"role": "user"
},
{
"content": "is_multiple_of",
"role": "assistant"
}
] |
def x(user, topic_id):
args = schemas.args(flask.request.args.to_dict())
query = v1_utils.QueryBuilder(_TABLE, args, _C_COLUMNS)
query.add_extra_condition(sql.and_(_TABLE.c.topic_id == topic_id,
_TABLE.c.state != 'archived'))
nb_rows = query.get_number_of_rows()
rows = query.execute(fetchall=True)
rows = v1_utils.format_result(rows, _TABLE.name, args['embed'], _EMBED_MANY
)
if user.is_not_super_admin():
rows = [row for row in rows if row['export_control']]
return flask.jsonify({'components': rows, '_meta': {'count': nb_rows}})
| get_all_components | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, topic_id):\n args = schemas.args(flask.request.args.to_dict())\n query = v1_utils.QueryBuilder(_TABLE, args, _C_COLUMNS)\n query.add_extra_condition(sql.and_(_TABLE.c.topic_id == topic_id, \n _TABLE.c.state != 'archived'))\n nb_rows = query.get_number_of_rows()\n rows = query.execute(fetchall=True)\n rows = v1_utils.format_result(rows, _TABLE.name, args['embed'], _EMBED_MANY\n )\n if user.is_not_super_admin():\n rows = [row for row in rows if row['export_control']]\n return flask.jsonify({'components': rows, '_meta': {'count': nb_rows}})\n",
"role": "user"
},
{
"content": "get_all_components",
"role": "assistant"
}
] |
def x(topic_id, db_conn=None):
db_conn = db_conn or flask.g.db_conn
query = sql.select([models.TOPICS]).where(models.TOPICS.c.id == topic_id)
topic = db_conn.execute(query).fetchone()
topic = dict(topic)
return topic['component_types']
| get_component_types_from_topic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topic_id, db_conn=None):\n db_conn = db_conn or flask.g.db_conn\n query = sql.select([models.TOPICS]).where(models.TOPICS.c.id == topic_id)\n topic = db_conn.execute(query).fetchone()\n topic = dict(topic)\n return topic['component_types']\n",
"role": "user"
},
{
"content": "get_component_types_from_topic",
"role": "assistant"
}
] |
def x(topic_id, remoteci_id, db_conn=None):
db_conn = db_conn or flask.g.db_conn
rconfiguration = remotecis.get_remoteci_configuration(topic_id,
remoteci_id, db_conn=db_conn)
if rconfiguration is not None and rconfiguration['component_types'
] is not None:
component_types = rconfiguration['component_types']
else:
component_types = get_component_types_from_topic(topic_id, db_conn=
db_conn)
return component_types, rconfiguration
| get_component_types | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topic_id, remoteci_id, db_conn=None):\n db_conn = db_conn or flask.g.db_conn\n rconfiguration = remotecis.get_remoteci_configuration(topic_id,\n remoteci_id, db_conn=db_conn)\n if rconfiguration is not None and rconfiguration['component_types'\n ] is not None:\n component_types = rconfiguration['component_types']\n else:\n component_types = get_component_types_from_topic(topic_id, db_conn=\n db_conn)\n return component_types, rconfiguration\n",
"role": "user"
},
{
"content": "get_component_types",
"role": "assistant"
}
] |
def x(component_types, topic_id, db_conn=None):
db_conn = db_conn or flask.g.db_conn
schedule_components_ids = []
for ct in component_types:
where_clause = sql.and_(models.COMPONENTS.c.type == ct, models.
COMPONENTS.c.topic_id == topic_id, models.COMPONENTS.c.
export_control == True, models.COMPONENTS.c.state == 'active')
query = sql.select([models.COMPONENTS.c.id]).where(where_clause
).order_by(sql.desc(models.COMPONENTS.c.created_at))
cmpt_id = db_conn.execute(query).fetchone()
if cmpt_id is None:
msg = 'Component of type "%s" not found or not exported.' % ct
raise dci_exc.DCIException(msg, status_code=412)
cmpt_id = cmpt_id[0]
if cmpt_id in schedule_components_ids:
msg = 'Component types %s malformed: type %s duplicated.' % (
component_types, ct)
raise dci_exc.DCIException(msg, status_code=412)
schedule_components_ids.append(cmpt_id)
return schedule_components_ids
| get_last_components_by_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(component_types, topic_id, db_conn=None):\n db_conn = db_conn or flask.g.db_conn\n schedule_components_ids = []\n for ct in component_types:\n where_clause = sql.and_(models.COMPONENTS.c.type == ct, models.\n COMPONENTS.c.topic_id == topic_id, models.COMPONENTS.c.\n export_control == True, models.COMPONENTS.c.state == 'active')\n query = sql.select([models.COMPONENTS.c.id]).where(where_clause\n ).order_by(sql.desc(models.COMPONENTS.c.created_at))\n cmpt_id = db_conn.execute(query).fetchone()\n if cmpt_id is None:\n msg = 'Component of type \"%s\" not found or not exported.' % ct\n raise dci_exc.DCIException(msg, status_code=412)\n cmpt_id = cmpt_id[0]\n if cmpt_id in schedule_components_ids:\n msg = 'Component types %s malformed: type %s duplicated.' % (\n component_types, ct)\n raise dci_exc.DCIException(msg, status_code=412)\n schedule_components_ids.append(cmpt_id)\n return schedule_components_ids\n",
"role": "user"
},
{
"content": "get_last_components_by_type",
"role": "assistant"
}
] |
def x(topic_id, components_ids, component_types, db_conn=None):
db_conn = db_conn or flask.g.db_conn
if len(components_ids) != len(component_types):
msg = (
'The number of component ids does not match the number of component types %s'
% component_types)
raise dci_exc.DCIException(msg, status_code=412)
schedule_component_types = set()
for c_id in components_ids:
where_clause = sql.and_(models.COMPONENTS.c.id == c_id, models.
COMPONENTS.c.topic_id == topic_id, models.COMPONENTS.c.
export_control == True, models.COMPONENTS.c.state == 'active')
query = sql.select([models.COMPONENTS]).where(where_clause)
cmpt = db_conn.execute(query).fetchone()
if cmpt is None:
msg = 'Component id %s not found or not exported' % c_id
raise dci_exc.DCIException(msg, status_code=412)
cmpt = dict(cmpt)
if cmpt['type'] in schedule_component_types:
msg = 'Component types malformed: type %s duplicated.' % cmpt[
'type']
raise dci_exc.DCIException(msg, status_code=412)
schedule_component_types.add(cmpt['type'])
return components_ids
| verify_and_get_components_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topic_id, components_ids, component_types, db_conn=None):\n db_conn = db_conn or flask.g.db_conn\n if len(components_ids) != len(component_types):\n msg = (\n 'The number of component ids does not match the number of component types %s'\n % component_types)\n raise dci_exc.DCIException(msg, status_code=412)\n schedule_component_types = set()\n for c_id in components_ids:\n where_clause = sql.and_(models.COMPONENTS.c.id == c_id, models.\n COMPONENTS.c.topic_id == topic_id, models.COMPONENTS.c.\n export_control == True, models.COMPONENTS.c.state == 'active')\n query = sql.select([models.COMPONENTS]).where(where_clause)\n cmpt = db_conn.execute(query).fetchone()\n if cmpt is None:\n msg = 'Component id %s not found or not exported' % c_id\n raise dci_exc.DCIException(msg, status_code=412)\n cmpt = dict(cmpt)\n if cmpt['type'] in schedule_component_types:\n msg = 'Component types malformed: type %s duplicated.' % cmpt[\n 'type']\n raise dci_exc.DCIException(msg, status_code=412)\n schedule_component_types.add(cmpt['type'])\n return components_ids\n",
"role": "user"
},
{
"content": "verify_and_get_components_ids",
"role": "assistant"
}
] |
def x(user, c_id):
JCT = models.JOIN_COMPONENTS_TAGS
query = sql.select([models.TAGS]).select_from(JCT.join(models.TAGS)).where(
JCT.c.component_id == c_id)
rows = flask.g.db_conn.execute(query)
return flask.jsonify({'tags': rows, '_meta': {'count': rows.rowcount}})
| retrieve_tags_from_component | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, c_id):\n JCT = models.JOIN_COMPONENTS_TAGS\n query = sql.select([models.TAGS]).select_from(JCT.join(models.TAGS)).where(\n JCT.c.component_id == c_id)\n rows = flask.g.db_conn.execute(query)\n return flask.jsonify({'tags': rows, '_meta': {'count': rows.rowcount}})\n",
"role": "user"
},
{
"content": "retrieve_tags_from_component",
"role": "assistant"
}
] |
def x(user, c_id):
v1_utils.verify_existence_and_get(c_id, _TABLE)
values = {'component_id': c_id}
component_tagged = tags.add_tag_to_resource(values, models.
JOIN_COMPONENTS_TAGS)
return flask.Response(json.dumps(component_tagged), 201, content_type=
'application/json')
| add_tag_for_component | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, c_id):\n v1_utils.verify_existence_and_get(c_id, _TABLE)\n values = {'component_id': c_id}\n component_tagged = tags.add_tag_to_resource(values, models.\n JOIN_COMPONENTS_TAGS)\n return flask.Response(json.dumps(component_tagged), 201, content_type=\n 'application/json')\n",
"role": "user"
},
{
"content": "add_tag_for_component",
"role": "assistant"
}
] |
def x(user, c_id, tag_id):
query = _TABLE_TAGS.delete().where(_TABLE_TAGS.c.tag_id == tag_id and
_TABLE_TAGS.c.component_id == c_id)
try:
flask.g.db_conn.execute(query)
except sa_exc.IntegrityError:
raise dci_exc.DCICreationConflict(_TABLE_TAGS.c.tag_id, 'tag_id')
return flask.Response(None, 204, content_type='application/json')
| delete_tag_for_component | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, c_id, tag_id):\n query = _TABLE_TAGS.delete().where(_TABLE_TAGS.c.tag_id == tag_id and \n _TABLE_TAGS.c.component_id == c_id)\n try:\n flask.g.db_conn.execute(query)\n except sa_exc.IntegrityError:\n raise dci_exc.DCICreationConflict(_TABLE_TAGS.c.tag_id, 'tag_id')\n return flask.Response(None, 204, content_type='application/json')\n",
"role": "user"
},
{
"content": "delete_tag_for_component",
"role": "assistant"
}
] |
def x(exc):
from valid8.validation_lib.types import HasWrongType, IsWrongType
return isinstance(exc, (HasWrongType, IsWrongType))
| should_be_hidden_as_cause | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc):\n from valid8.validation_lib.types import HasWrongType, IsWrongType\n return isinstance(exc, (HasWrongType, IsWrongType))\n",
"role": "user"
},
{
"content": "should_be_hidden_as_cause",
"role": "assistant"
}
] |
def x(exc, ref_type):
if isinstance(exc, ref_type):
return True
elif hasattr(exc, '__cause__') and exc.__cause__ is not None:
return is_error_of_type(exc.__cause__, ref_type)
| is_error_of_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc, ref_type):\n if isinstance(exc, ref_type):\n return True\n elif hasattr(exc, '__cause__') and exc.__cause__ is not None:\n return is_error_of_type(exc.__cause__, ref_type)\n",
"role": "user"
},
{
"content": "is_error_of_type",
"role": "assistant"
}
] |
def x(validation_callable, failure_type=None, help_msg=None, **kw_context_args
):
if failure_type is not None and help_msg is not None:
raise ValueError(
'Only one of failure_type and help_msg can be set at the same time'
)
validation_callable = as_function(validation_callable)
def x(x):
try:
res = validation_callable(x)
except Exception as e:
res = e
if not result_is_success(res):
typ = failure_type or WrappingFailure
exc = typ(wrapped_func=validation_callable, wrong_value=x,
validation_outcome=res, help_msg=help_msg, **kw_context_args)
raise exc
raiser.__name__ = get_callable_name(validation_callable)
return raiser
| failure_raiser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validation_callable, failure_type=None, help_msg=None, **kw_context_args\n ):\n if failure_type is not None and help_msg is not None:\n raise ValueError(\n 'Only one of failure_type and help_msg can be set at the same time'\n )\n validation_callable = as_function(validation_callable)\n\n def x(x):\n try:\n res = validation_callable(x)\n except Exception as e:\n res = e\n if not result_is_success(res):\n typ = failure_type or WrappingFailure\n exc = typ(wrapped_func=validation_callable, wrong_value=x,\n validation_outcome=res, help_msg=help_msg, **kw_context_args)\n raise exc\n raiser.__name__ = get_callable_name(validation_callable)\n return raiser\n",
"role": "user"
},
{
"content": "failure_raiser",
"role": "assistant"
}
] |
def x(validation_callable):
def x(x):
if x is not None:
return validation_callable(x)
else:
return True
accept_none.__name__ = 'skip_on_none({})'.format(get_callable_name(
validation_callable))
return accept_none
| none_accepter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validation_callable):\n\n def x(x):\n if x is not None:\n return validation_callable(x)\n else:\n return True\n accept_none.__name__ = 'skip_on_none({})'.format(get_callable_name(\n validation_callable))\n return accept_none\n",
"role": "user"
},
{
"content": "none_accepter",
"role": "assistant"
}
] |
def x(validation_callable):
def x(x):
if x is not None:
return validation_callable(x)
else:
raise ValueIsNone(wrong_value=x)
reject_none.__name__ = 'reject_none({})'.format(get_callable_name(
validation_callable))
return reject_none
| none_rejecter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validation_callable):\n\n def x(x):\n if x is not None:\n return validation_callable(x)\n else:\n raise ValueIsNone(wrong_value=x)\n reject_none.__name__ = 'reject_none({})'.format(get_callable_name(\n validation_callable))\n return reject_none\n",
"role": "user"
},
{
"content": "none_rejecter",
"role": "assistant"
}
] |
def x(self, dotspace_ending=False, **kwargs):
context = self.get_context_for_help_msgs(kwargs)
if self.help_msg is not None and len(self.help_msg) > 0:
context = copy(context)
try:
help_msg = self.help_msg
variables = re.findall('{\\S+}', help_msg)
for v in set(variables):
v = v[1:-1]
if v in context and len(str(context[v])
) > self.__max_str_length_displayed__:
new_name = '@@@@' + v + '@@@@'
help_msg = help_msg.replace('{' + v + '}', '{' +
new_name + '}')
context[new_name] = '(too big for display)'
help_msg = help_msg.format(**context)
except KeyError as e:
raise HelpMsgFormattingException(self.help_msg, e, context)
if dotspace_ending:
return end_with_dot_space(help_msg)
else:
return help_msg
else:
return ''
| get_help_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dotspace_ending=False, **kwargs):\n context = self.get_context_for_help_msgs(kwargs)\n if self.help_msg is not None and len(self.help_msg) > 0:\n context = copy(context)\n try:\n help_msg = self.help_msg\n variables = re.findall('{\\\\S+}', help_msg)\n for v in set(variables):\n v = v[1:-1]\n if v in context and len(str(context[v])\n ) > self.__max_str_length_displayed__:\n new_name = '@@@@' + v + '@@@@'\n help_msg = help_msg.replace('{' + v + '}', '{' +\n new_name + '}')\n context[new_name] = '(too big for display)'\n help_msg = help_msg.format(**context)\n except KeyError as e:\n raise HelpMsgFormattingException(self.help_msg, e, context)\n if dotspace_ending:\n return end_with_dot_space(help_msg)\n else:\n return help_msg\n else:\n return ''\n",
"role": "user"
},
{
"content": "get_help_msg",
"role": "assistant"
}
] |
def x(self):
strval = str(self.wrong_value)
if len(strval) > self.__max_str_length_displayed__:
return '(Actual value is too big to be printed in this message)'
else:
return 'Wrong value: [{}]'.format(self.wrong_value)
| get_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n strval = str(self.wrong_value)\n if len(strval) > self.__max_str_length_displayed__:\n return '(Actual value is too big to be printed in this message)'\n else:\n return 'Wrong value: [{}]'.format(self.wrong_value)\n",
"role": "user"
},
{
"content": "get_details",
"role": "assistant"
}
] |
def x(self):
if isinstance(self.validation_outcome, Exception):
if isinstance(self.validation_outcome, Failure):
end_str = ''
else:
end_str = ' for value [{value}]'.format(value=self.wrong_value)
contents = (
'Function [{wrapped}] raised [{exception}: {details}]{end}.'.
format(wrapped=get_callable_name(self.wrapped_func), exception=
type(self.validation_outcome).__name__, details=self.
validation_outcome, end=end_str))
else:
contents = (
'Function [{wrapped}] returned [{result}] for value [{value}].'
.format(wrapped=get_callable_name(self.wrapped_func), result=
self.validation_outcome, value=self.wrong_value))
return contents
| get_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.validation_outcome, Exception):\n if isinstance(self.validation_outcome, Failure):\n end_str = ''\n else:\n end_str = ' for value [{value}]'.format(value=self.wrong_value)\n contents = (\n 'Function [{wrapped}] raised [{exception}: {details}]{end}.'.\n format(wrapped=get_callable_name(self.wrapped_func), exception=\n type(self.validation_outcome).__name__, details=self.\n validation_outcome, end=end_str))\n else:\n contents = (\n 'Function [{wrapped}] returned [{result}] for value [{value}].'\n .format(wrapped=get_callable_name(self.wrapped_func), result=\n self.validation_outcome, value=self.wrong_value))\n return contents\n",
"role": "user"
},
{
"content": "get_details",
"role": "assistant"
}
] |
def x(self, context_dict):
context_dict = copy(context_dict)
context_dict['wrapped_func'] = get_callable_name(context_dict[
'wrapped_func'])
return context_dict
| get_context_for_help_msgs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context_dict):\n context_dict = copy(context_dict)\n context_dict['wrapped_func'] = get_callable_name(context_dict[\n 'wrapped_func'])\n return context_dict\n",
"role": "user"
},
{
"content": "get_context_for_help_msgs",
"role": "assistant"
}
] |
def x(cls, field_name, *validation_func, **kwargs):
return decorate_cls_with_validation(cls, field_name, *validation_func,
**kwargs)
| validate_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, field_name, *validation_func, **kwargs):\n return decorate_cls_with_validation(cls, field_name, *validation_func,\n **kwargs)\n",
"role": "user"
},
{
"content": "validate_field",
"role": "assistant"
}
] |
def x(f=DECORATED, none_policy=None, _out_=None, **kw_validation_funcs):
return decorate_several_with_validation(f, none_policy=none_policy,
_out_=_out_, **kw_validation_funcs)
| validate_io | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f=DECORATED, none_policy=None, _out_=None, **kw_validation_funcs):\n return decorate_several_with_validation(f, none_policy=none_policy,\n _out_=_out_, **kw_validation_funcs)\n",
"role": "user"
},
{
"content": "validate_io",
"role": "assistant"
}
] |
def x(f, arg_name, *validation_func, **kwargs):
return decorate_with_validation(f, arg_name, *validation_func, **kwargs)
| validate_arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, arg_name, *validation_func, **kwargs):\n return decorate_with_validation(f, arg_name, *validation_func, **kwargs)\n",
"role": "user"
},
{
"content": "validate_arg",
"role": "assistant"
}
] |
def x(*validation_func, **kwargs):
def x(f):
return decorate_with_validation(f, _OUT_KEY, *validation_func, **kwargs
)
return decorate
| validate_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func, **kwargs):\n\n def x(f):\n return decorate_with_validation(f, _OUT_KEY, *validation_func, **kwargs\n )\n return decorate\n",
"role": "user"
},
{
"content": "validate_out",
"role": "assistant"
}
] |
def x(cls, field_name, *validation_func, **kwargs):
error_type, help_msg, none_policy = pop_kwargs(kwargs, [('error_type',
None), ('help_msg', None), ('none_policy', None)], allow_others=True)
kw_context_args = kwargs
if not isclass(cls):
raise TypeError('decorated cls should be a class')
if hasattr(cls, field_name):
var = cls.__dict__[field_name]
if hasattr(var, '__set__') and callable(var.__set__):
if isinstance(var, property):
func = var.fset
nb_args = 2
elif ismethod(var.__set__):
func = var.__set__.__func__
nb_args = 3
else:
func = var.__set__
nb_args = 3
func_sig = signature(func)
if len(func_sig.parameters) != nb_args:
raise ValueError(
"Class field '{}' is a valid class descriptor for class '{}' but it does not implement __set__ with the correct number of parameters, so it is not possible to add validation to it. See https://docs.python.org/3.6/howto/descriptor.html"
.format(field_name, cls.__name__))
descriptor_arg_name = list(func_sig.parameters.items())[-1][0]
none_policy = (none_policy or NoneArgPolicy.
SKIP_IF_NONABLE_ELSE_VALIDATE)
new_validator = _create_function_validator(func, func_sig,
descriptor_arg_name, *validation_func, none_policy=
none_policy, error_type=error_type, help_msg=help_msg,
validated_class=cls, validated_class_field_name=field_name,
**kw_context_args)
new_setter = decorate_with_validators(func, func_signature=
func_sig, **{descriptor_arg_name: new_validator})
if isinstance(var, property):
setattr(cls, field_name, var.setter(new_setter))
else:
var.__class__.__set__ = new_setter
elif hasattr(var, '__get__') and callable(var.__get__) or hasattr(var,
'__delete__') and callable(var.__delete__):
raise ValueError(
"Class field '{}' is a valid class descriptor for class '{}' but it does not implement __set__ so it is not possible to add validation to it. See https://docs.python.org/3.6/howto/descriptor.html"
.format(field_name, cls.__name__))
else:
raise ValueError(
"Class field '{}.{}' is not a valid class descriptor, see https://docs.python.org/3.6/howto/descriptor.html"
.format(cls.__name__, field_name))
else:
try:
init_func = cls.__init__
if sys.version_info < (3, 0):
try:
init_func = cls.__init__.im_func
except AttributeError:
pass
cls.__init__ = decorate_with_validation(init_func, field_name,
*validation_func, help_msg=help_msg, _constructor_of_cls_=
cls, error_type=error_type, none_policy=none_policy, **
kw_context_args)
except InvalidNameError:
raise ValueError(
"@validate_field definition exception: field '{}' can not be found in class '{}', and it is also not an input argument of the __init__ method."
.format(field_name, cls.__name__))
return cls
| decorate_cls_with_validation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, field_name, *validation_func, **kwargs):\n error_type, help_msg, none_policy = pop_kwargs(kwargs, [('error_type',\n None), ('help_msg', None), ('none_policy', None)], allow_others=True)\n kw_context_args = kwargs\n if not isclass(cls):\n raise TypeError('decorated cls should be a class')\n if hasattr(cls, field_name):\n var = cls.__dict__[field_name]\n if hasattr(var, '__set__') and callable(var.__set__):\n if isinstance(var, property):\n func = var.fset\n nb_args = 2\n elif ismethod(var.__set__):\n func = var.__set__.__func__\n nb_args = 3\n else:\n func = var.__set__\n nb_args = 3\n func_sig = signature(func)\n if len(func_sig.parameters) != nb_args:\n raise ValueError(\n \"Class field '{}' is a valid class descriptor for class '{}' but it does not implement __set__ with the correct number of parameters, so it is not possible to add validation to it. See https://docs.python.org/3.6/howto/descriptor.html\"\n .format(field_name, cls.__name__))\n descriptor_arg_name = list(func_sig.parameters.items())[-1][0]\n none_policy = (none_policy or NoneArgPolicy.\n SKIP_IF_NONABLE_ELSE_VALIDATE)\n new_validator = _create_function_validator(func, func_sig,\n descriptor_arg_name, *validation_func, none_policy=\n none_policy, error_type=error_type, help_msg=help_msg,\n validated_class=cls, validated_class_field_name=field_name,\n **kw_context_args)\n new_setter = decorate_with_validators(func, func_signature=\n func_sig, **{descriptor_arg_name: new_validator})\n if isinstance(var, property):\n setattr(cls, field_name, var.setter(new_setter))\n else:\n var.__class__.__set__ = new_setter\n elif hasattr(var, '__get__') and callable(var.__get__) or hasattr(var,\n '__delete__') and callable(var.__delete__):\n raise ValueError(\n \"Class field '{}' is a valid class descriptor for class '{}' but it does not implement __set__ so it is not possible to add validation to it. See https://docs.python.org/3.6/howto/descriptor.html\"\n .format(field_name, cls.__name__))\n else:\n raise ValueError(\n \"Class field '{}.{}' is not a valid class descriptor, see https://docs.python.org/3.6/howto/descriptor.html\"\n .format(cls.__name__, field_name))\n else:\n try:\n init_func = cls.__init__\n if sys.version_info < (3, 0):\n try:\n init_func = cls.__init__.im_func\n except AttributeError:\n pass\n cls.__init__ = decorate_with_validation(init_func, field_name,\n *validation_func, help_msg=help_msg, _constructor_of_cls_=\n cls, error_type=error_type, none_policy=none_policy, **\n kw_context_args)\n except InvalidNameError:\n raise ValueError(\n \"@validate_field definition exception: field '{}' can not be found in class '{}', and it is also not an input argument of the __init__ method.\"\n .format(field_name, cls.__name__))\n return cls\n",
"role": "user"
},
{
"content": "decorate_cls_with_validation",
"role": "assistant"
}
] |
def x(func, _out_=None, none_policy=None, **validation_funcs):
if _out_ is not None:
func = decorate_with_validation(func, _OUT_KEY, _out_, none_policy=
none_policy)
for att_name, att_validation_funcs in validation_funcs.items():
func = decorate_with_validation(func, att_name,
att_validation_funcs, none_policy=none_policy)
return func
| decorate_several_with_validation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, _out_=None, none_policy=None, **validation_funcs):\n if _out_ is not None:\n func = decorate_with_validation(func, _OUT_KEY, _out_, none_policy=\n none_policy)\n for att_name, att_validation_funcs in validation_funcs.items():\n func = decorate_with_validation(func, att_name,\n att_validation_funcs, none_policy=none_policy)\n return func\n",
"role": "user"
},
{
"content": "decorate_several_with_validation",
"role": "assistant"
}
] |
def x(func, arg_name, *validation_func, **kwargs):
error_type, help_msg, none_policy, _constructor_of_cls_ = pop_kwargs(kwargs
, [('error_type', None), ('help_msg', None), ('none_policy', None),
('_constructor_of_cls_', None)], allow_others=True)
kw_context_args = kwargs
none_policy = none_policy or NoneArgPolicy.SKIP_IF_NONABLE_ELSE_VALIDATE
func_sig = signature(func)
if _constructor_of_cls_ is None:
new_validator = _create_function_validator(func, func_sig, arg_name,
*validation_func, none_policy=none_policy, error_type=
error_type, help_msg=help_msg, **kw_context_args)
else:
new_validator = _create_function_validator(func, func_sig, arg_name,
*validation_func, none_policy=none_policy, error_type=
error_type, help_msg=help_msg, validated_class=
_constructor_of_cls_, validated_class_field_name=arg_name, **
kw_context_args)
return decorate_with_validators(func, func_signature=func_sig, **{
arg_name: new_validator})
| decorate_with_validation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, arg_name, *validation_func, **kwargs):\n error_type, help_msg, none_policy, _constructor_of_cls_ = pop_kwargs(kwargs\n , [('error_type', None), ('help_msg', None), ('none_policy', None),\n ('_constructor_of_cls_', None)], allow_others=True)\n kw_context_args = kwargs\n none_policy = none_policy or NoneArgPolicy.SKIP_IF_NONABLE_ELSE_VALIDATE\n func_sig = signature(func)\n if _constructor_of_cls_ is None:\n new_validator = _create_function_validator(func, func_sig, arg_name,\n *validation_func, none_policy=none_policy, error_type=\n error_type, help_msg=help_msg, **kw_context_args)\n else:\n new_validator = _create_function_validator(func, func_sig, arg_name,\n *validation_func, none_policy=none_policy, error_type=\n error_type, help_msg=help_msg, validated_class=\n _constructor_of_cls_, validated_class_field_name=arg_name, **\n kw_context_args)\n return decorate_with_validators(func, func_signature=func_sig, **{\n arg_name: new_validator})\n",
"role": "user"
},
{
"content": "decorate_with_validation",
"role": "assistant"
}
] |
def x(is_nonable, none_policy):
if none_policy in {NonePolicy.VALIDATE, NonePolicy.SKIP, NonePolicy.FAIL}:
none_policy_to_use = none_policy
elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_VALIDATE:
none_policy_to_use = (NonePolicy.SKIP if is_nonable else NonePolicy
.VALIDATE)
elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_FAIL:
none_policy_to_use = NonePolicy.SKIP if is_nonable else NonePolicy.FAIL
else:
raise ValueError('Invalid none policy: ' + str(none_policy))
return none_policy_to_use
| get_final_none_policy_for_validator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(is_nonable, none_policy):\n if none_policy in {NonePolicy.VALIDATE, NonePolicy.SKIP, NonePolicy.FAIL}:\n none_policy_to_use = none_policy\n elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_VALIDATE:\n none_policy_to_use = (NonePolicy.SKIP if is_nonable else NonePolicy\n .VALIDATE)\n elif none_policy is NoneArgPolicy.SKIP_IF_NONABLE_ELSE_FAIL:\n none_policy_to_use = NonePolicy.SKIP if is_nonable else NonePolicy.FAIL\n else:\n raise ValueError('Invalid none policy: ' + str(none_policy))\n return none_policy_to_use\n",
"role": "user"
},
{
"content": "get_final_none_policy_for_validator",
"role": "assistant"
}
] |
def x(func, func_signature=None, **validators):
for arg_name, validator in validators.items():
if not isinstance(validator, list):
validators[arg_name] = [validator]
if hasattr(func, '__wrapped__') and hasattr(func.__wrapped__,
'__validators__'):
for arg_name, validator in validators.items():
for v in validator:
if arg_name in func.__wrapped__.__validators__:
func.__wrapped__.__validators__[arg_name].append(v)
else:
func.__wrapped__.__validators__[arg_name] = [v]
return func
else:
if hasattr(func, '__validators__'):
raise ValueError('Function ' + str(func) +
' already has a defined __validators__ attribute, valid8 decorators can not be applied on it'
)
else:
try:
func.__validators__ = validators
except AttributeError:
raise ValueError(
"Error - Could not add validators list to function '%s'" %
func)
func_signature = func_signature or signature(func)
@wraps(func)
def x(*args, **kwargs):
apply_on_each_func_args_sig(func, args, kwargs, func_signature,
func_to_apply=_assert_input_is_valid,
func_to_apply_params_dict=func.__validators__)
res = func(*args, **kwargs)
if _OUT_KEY in func.__validators__:
for validator in func.__validators__[_OUT_KEY]:
validator.assert_valid(res)
return res
return validating_wrapper
| decorate_with_validators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, func_signature=None, **validators):\n for arg_name, validator in validators.items():\n if not isinstance(validator, list):\n validators[arg_name] = [validator]\n if hasattr(func, '__wrapped__') and hasattr(func.__wrapped__,\n '__validators__'):\n for arg_name, validator in validators.items():\n for v in validator:\n if arg_name in func.__wrapped__.__validators__:\n func.__wrapped__.__validators__[arg_name].append(v)\n else:\n func.__wrapped__.__validators__[arg_name] = [v]\n return func\n else:\n if hasattr(func, '__validators__'):\n raise ValueError('Function ' + str(func) +\n ' already has a defined __validators__ attribute, valid8 decorators can not be applied on it'\n )\n else:\n try:\n func.__validators__ = validators\n except AttributeError:\n raise ValueError(\n \"Error - Could not add validators list to function '%s'\" %\n func)\n func_signature = func_signature or signature(func)\n\n @wraps(func)\n def x(*args, **kwargs):\n apply_on_each_func_args_sig(func, args, kwargs, func_signature,\n func_to_apply=_assert_input_is_valid,\n func_to_apply_params_dict=func.__validators__)\n res = func(*args, **kwargs)\n if _OUT_KEY in func.__validators__:\n for validator in func.__validators__[_OUT_KEY]:\n validator.assert_valid(res)\n return res\n return validating_wrapper\n",
"role": "user"
},
{
"content": "decorate_with_validators",
"role": "assistant"
}
] |
def x(input_value, validators, validated_func, input_name):
for validator in validators:
validator.assert_valid(input_name, input_value)
| assert_input_is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_value, validators, validated_func, input_name):\n for validator in validators:\n validator.assert_valid(input_name, input_value)\n",
"role": "user"
},
{
"content": "assert_input_is_valid",
"role": "assistant"
}
] |
def x(self):
return 'input [{var}] for function [{func}]'.format(var=self.
get_variable_str(), func=self.validator.
get_validated_func_display_name())
| get_what_txt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return 'input [{var}] for function [{func}]'.format(var=self.\n get_variable_str(), func=self.validator.\n get_validated_func_display_name())\n",
"role": "user"
},
{
"content": "get_what_txt",
"role": "assistant"
}
] |
def x(self):
return 'field [{field}] for class [{clazz}]'.format(field=self.
get_variable_str(), clazz=self.validator.
get_validated_class_display_name())
| get_what_txt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return 'field [{field}] for class [{clazz}]'.format(field=self.\n get_variable_str(), clazz=self.validator.\n get_validated_class_display_name())\n",
"role": "user"
},
{
"content": "get_what_txt",
"role": "assistant"
}
] |
def x():
global count
rng = botan.rng().get(30)
uuid4 = uuid.uuid4().bytes
tmpnonce = bytes(str(count).encode('utf-8')) + uuid4 + rng
nonce = tmpnonce[:41]
count += 1
return nonce
| generate_nonce_timestamp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global count\n rng = botan.rng().get(30)\n uuid4 = uuid.uuid4().bytes\n tmpnonce = bytes(str(count).encode('utf-8')) + uuid4 + rng\n nonce = tmpnonce[:41]\n count += 1\n return nonce\n",
"role": "user"
},
{
"content": "generate_nonce_timestamp",
"role": "assistant"
}
] |
def x(*dict_list):
result = collections.defaultdict(dict)
dicts_items = itertools.chain(*[six.iteritems(d or {}) for d in dict_list])
for key, value in dicts_items:
src = result[key]
if isinstance(src, dict) and isinstance(value, dict):
result[key] = dict_merge(src, value)
elif isinstance(src, dict) or isinstance(src, six.text_type):
result[key] = value
elif hasattr(src, '__iter__') and hasattr(value, '__iter__'):
result[key] += value
else:
result[key] = value
return dict(result)
| dict_merge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*dict_list):\n result = collections.defaultdict(dict)\n dicts_items = itertools.chain(*[six.iteritems(d or {}) for d in dict_list])\n for key, value in dicts_items:\n src = result[key]\n if isinstance(src, dict) and isinstance(value, dict):\n result[key] = dict_merge(src, value)\n elif isinstance(src, dict) or isinstance(src, six.text_type):\n result[key] = value\n elif hasattr(src, '__iter__') and hasattr(value, '__iter__'):\n result[key] += value\n else:\n result[key] = value\n return dict(result)\n",
"role": "user"
},
{
"content": "dict_merge",
"role": "assistant"
}
] |
def x(user):
values = schemas.job_schedule.post(flask.request.json)
values.update({'id': utils.gen_uuid(), 'created_at': datetime.datetime.
utcnow().isoformat(), 'updated_at': datetime.datetime.utcnow().
isoformat(), 'etag': utils.gen_etag(), 'status': 'new',
'remoteci_id': user.id, 'user_agent': flask.request.environ.get(
'HTTP_USER_AGENT'), 'client_version': flask.request.environ.get(
'HTTP_CLIENT_VERSION')})
topic_id = values.pop('topic_id')
topic_id_secondary = values.pop('topic_id_secondary')
components_ids = values.pop('components_ids')
remoteci = v1_utils.verify_existence_and_get(user.id, models.REMOTECIS)
if remoteci['state'] != 'active':
message = 'RemoteCI "%s" is disabled.' % remoteci['id']
raise dci_exc.DCIException(message, status_code=412)
topic = v1_utils.verify_existence_and_get(topic_id, models.TOPICS)
if topic['state'] != 'active':
msg = 'Topic %s:%s not active.' % (topic_id, topic['name'])
raise dci_exc.DCIException(msg, status_code=412)
v1_utils.verify_team_in_topic(user, topic_id)
if topic_id_secondary:
topic_secondary = v1_utils.verify_existence_and_get(topic_id_secondary,
models.TOPICS)
if topic_secondary['state'] != 'active':
msg = 'Topic %s:%s not active.' % (topic_id_secondary, topic[
'name'])
raise dci_exc.DCIException(msg, status_code=412)
v1_utils.verify_team_in_topic(user, topic_id_secondary)
dry_run = values.pop('dry_run')
if dry_run:
component_types = components.get_component_types_from_topic(topic_id)
components_ids = components.get_last_components_by_type(component_types
, topic_id)
return flask.Response(json.dumps({'components_ids': components_ids,
'job': None}), 201, content_type='application/json')
remotecis.kill_existing_jobs(remoteci['id'])
values = _build_job(topic_id, remoteci, components_ids, values,
topic_id_secondary=topic_id_secondary)
return flask.Response(json.dumps({'job': values}), 201, headers={'ETag':
values['etag']}, content_type='application/json')
| schedule_jobs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n values = schemas.job_schedule.post(flask.request.json)\n values.update({'id': utils.gen_uuid(), 'created_at': datetime.datetime.\n utcnow().isoformat(), 'updated_at': datetime.datetime.utcnow().\n isoformat(), 'etag': utils.gen_etag(), 'status': 'new',\n 'remoteci_id': user.id, 'user_agent': flask.request.environ.get(\n 'HTTP_USER_AGENT'), 'client_version': flask.request.environ.get(\n 'HTTP_CLIENT_VERSION')})\n topic_id = values.pop('topic_id')\n topic_id_secondary = values.pop('topic_id_secondary')\n components_ids = values.pop('components_ids')\n remoteci = v1_utils.verify_existence_and_get(user.id, models.REMOTECIS)\n if remoteci['state'] != 'active':\n message = 'RemoteCI \"%s\" is disabled.' % remoteci['id']\n raise dci_exc.DCIException(message, status_code=412)\n topic = v1_utils.verify_existence_and_get(topic_id, models.TOPICS)\n if topic['state'] != 'active':\n msg = 'Topic %s:%s not active.' % (topic_id, topic['name'])\n raise dci_exc.DCIException(msg, status_code=412)\n v1_utils.verify_team_in_topic(user, topic_id)\n if topic_id_secondary:\n topic_secondary = v1_utils.verify_existence_and_get(topic_id_secondary,\n models.TOPICS)\n if topic_secondary['state'] != 'active':\n msg = 'Topic %s:%s not active.' % (topic_id_secondary, topic[\n 'name'])\n raise dci_exc.DCIException(msg, status_code=412)\n v1_utils.verify_team_in_topic(user, topic_id_secondary)\n dry_run = values.pop('dry_run')\n if dry_run:\n component_types = components.get_component_types_from_topic(topic_id)\n components_ids = components.get_last_components_by_type(component_types\n , topic_id)\n return flask.Response(json.dumps({'components_ids': components_ids,\n 'job': None}), 201, content_type='application/json')\n remotecis.kill_existing_jobs(remoteci['id'])\n values = _build_job(topic_id, remoteci, components_ids, values,\n topic_id_secondary=topic_id_secondary)\n return flask.Response(json.dumps({'job': values}), 201, headers={'ETag':\n values['etag']}, content_type='application/json')\n",
"role": "user"
},
{
"content": "schedule_jobs",
"role": "assistant"
}
] |
def x(user, job_id):
values = {'id': utils.gen_uuid(), 'created_at': datetime.datetime.
utcnow().isoformat(), 'updated_at': datetime.datetime.utcnow().
isoformat(), 'etag': utils.gen_etag(), 'status': 'new'}
original_job_id = job_id
original_job = v1_utils.verify_existence_and_get(original_job_id,
models.JOBS)
if not user.is_in_team(original_job['team_id']):
raise dci_exc.Unauthorized()
remoteci_id = str(original_job['remoteci_id'])
remoteci = v1_utils.verify_existence_and_get(remoteci_id, models.REMOTECIS)
values.update({'remoteci_id': remoteci_id})
topic_id = str(original_job['topic_id'])
v1_utils.verify_existence_and_get(topic_id, models.TOPICS)
values.update({'user_agent': flask.request.environ.get(
'HTTP_USER_AGENT'), 'client_version': flask.request.environ.get(
'HTTP_CLIENT_VERSION')})
values = _build_job(topic_id, remoteci, [], values,
update_previous_job_id=original_job_id)
return flask.Response(json.dumps({'job': values}), 201, headers={'ETag':
values['etag']}, content_type='application/json')
| create_new_update_job_from_an_existing_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id):\n values = {'id': utils.gen_uuid(), 'created_at': datetime.datetime.\n utcnow().isoformat(), 'updated_at': datetime.datetime.utcnow().\n isoformat(), 'etag': utils.gen_etag(), 'status': 'new'}\n original_job_id = job_id\n original_job = v1_utils.verify_existence_and_get(original_job_id,\n models.JOBS)\n if not user.is_in_team(original_job['team_id']):\n raise dci_exc.Unauthorized()\n remoteci_id = str(original_job['remoteci_id'])\n remoteci = v1_utils.verify_existence_and_get(remoteci_id, models.REMOTECIS)\n values.update({'remoteci_id': remoteci_id})\n topic_id = str(original_job['topic_id'])\n v1_utils.verify_existence_and_get(topic_id, models.TOPICS)\n values.update({'user_agent': flask.request.environ.get(\n 'HTTP_USER_AGENT'), 'client_version': flask.request.environ.get(\n 'HTTP_CLIENT_VERSION')})\n values = _build_job(topic_id, remoteci, [], values,\n update_previous_job_id=original_job_id)\n return flask.Response(json.dumps({'job': values}), 201, headers={'ETag':\n values['etag']}, content_type='application/json')\n",
"role": "user"
},
{
"content": "create_new_update_job_from_an_existing_job",
"role": "assistant"
}
] |
def x(user):
values = schemas.job_upgrade.post(flask.request.json)
values.update({'id': utils.gen_uuid(), 'created_at': datetime.datetime.
utcnow().isoformat(), 'updated_at': datetime.datetime.utcnow().
isoformat(), 'etag': utils.gen_etag(), 'status': 'new'})
original_job_id = values.pop('job_id')
original_job = v1_utils.verify_existence_and_get(original_job_id,
models.JOBS)
if not user.is_in_team(original_job['team_id']):
raise dci_exc.Unauthorized()
remoteci_id = str(original_job['remoteci_id'])
remoteci = v1_utils.verify_existence_and_get(remoteci_id, models.REMOTECIS)
values.update({'remoteci_id': remoteci_id})
topic_id = str(original_job['topic_id'])
topic = v1_utils.verify_existence_and_get(topic_id, models.TOPICS)
values.update({'user_agent': flask.request.environ.get(
'HTTP_USER_AGENT'), 'client_version': flask.request.environ.get(
'HTTP_CLIENT_VERSION')})
next_topic_id = topic['next_topic_id']
if not next_topic_id:
raise dci_exc.DCIException(
'topic %s does not contains a next topic' % topic_id)
values = _build_job(next_topic_id, remoteci, [], values,
previous_job_id=original_job_id)
return flask.Response(json.dumps({'job': values}), 201, headers={'ETag':
values['etag']}, content_type='application/json')
| create_new_upgrade_job_from_an_existing_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n values = schemas.job_upgrade.post(flask.request.json)\n values.update({'id': utils.gen_uuid(), 'created_at': datetime.datetime.\n utcnow().isoformat(), 'updated_at': datetime.datetime.utcnow().\n isoformat(), 'etag': utils.gen_etag(), 'status': 'new'})\n original_job_id = values.pop('job_id')\n original_job = v1_utils.verify_existence_and_get(original_job_id,\n models.JOBS)\n if not user.is_in_team(original_job['team_id']):\n raise dci_exc.Unauthorized()\n remoteci_id = str(original_job['remoteci_id'])\n remoteci = v1_utils.verify_existence_and_get(remoteci_id, models.REMOTECIS)\n values.update({'remoteci_id': remoteci_id})\n topic_id = str(original_job['topic_id'])\n topic = v1_utils.verify_existence_and_get(topic_id, models.TOPICS)\n values.update({'user_agent': flask.request.environ.get(\n 'HTTP_USER_AGENT'), 'client_version': flask.request.environ.get(\n 'HTTP_CLIENT_VERSION')})\n next_topic_id = topic['next_topic_id']\n if not next_topic_id:\n raise dci_exc.DCIException(\n 'topic %s does not contains a next topic' % topic_id)\n values = _build_job(next_topic_id, remoteci, [], values,\n previous_job_id=original_job_id)\n return flask.Response(json.dumps({'job': values}), 201, headers={'ETag':\n values['etag']}, content_type='application/json')\n",
"role": "user"
},
{
"content": "create_new_upgrade_job_from_an_existing_job",
"role": "assistant"
}
] |
def x(user, topic_id=None):
args = schemas.args(flask.request.args.to_dict())
query = v1_utils.QueryBuilder(_TABLE, args, _JOBS_COLUMNS)
if user.is_not_super_admin() and not user.is_read_only_user():
query.add_extra_condition(sql.or_(_TABLE.c.team_id.in_(user.
teams_ids), _TABLE.c.team_id.in_(user.child_teams_ids)))
if topic_id is not None:
query.add_extra_condition(_TABLE.c.topic_id == topic_id)
query.add_extra_condition(_TABLE.c.state != 'archived')
nb_rows = query.get_number_of_rows()
rows = query.execute(fetchall=True)
rows = v1_utils.format_result(rows, _TABLE.name, args['embed'], _EMBED_MANY
)
return flask.jsonify({'jobs': rows, '_meta': {'count': nb_rows}})
| get_all_jobs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, topic_id=None):\n args = schemas.args(flask.request.args.to_dict())\n query = v1_utils.QueryBuilder(_TABLE, args, _JOBS_COLUMNS)\n if user.is_not_super_admin() and not user.is_read_only_user():\n query.add_extra_condition(sql.or_(_TABLE.c.team_id.in_(user.\n teams_ids), _TABLE.c.team_id.in_(user.child_teams_ids)))\n if topic_id is not None:\n query.add_extra_condition(_TABLE.c.topic_id == topic_id)\n query.add_extra_condition(_TABLE.c.state != 'archived')\n nb_rows = query.get_number_of_rows()\n rows = query.execute(fetchall=True)\n rows = v1_utils.format_result(rows, _TABLE.name, args['embed'], _EMBED_MANY\n )\n return flask.jsonify({'jobs': rows, '_meta': {'count': nb_rows}})\n",
"role": "user"
},
{
"content": "get_all_jobs",
"role": "assistant"
}
] |
def x(user, job_id):
if_match_etag = utils.check_and_get_etag(flask.request.headers)
values = schemas.job.put(flask.request.json)
job = v1_utils.verify_existence_and_get(job_id, _TABLE)
job = dict(job)
if not user.is_in_team(job['team_id']):
raise dci_exc.Unauthorized()
status = values.get('status')
if status and job.get('status') != status:
jobstates.insert_jobstate(user, {'status': status, 'job_id': job_id})
if status in models.FINAL_STATUSES:
jobs_events.create_event(job_id, status, job['topic_id'])
where_clause = sql.and_(_TABLE.c.etag == if_match_etag, _TABLE.c.id ==
job_id)
values['etag'] = utils.gen_etag()
query = _TABLE.update().returning(*_TABLE.columns).where(where_clause
).values(**values)
result = flask.g.db_conn.execute(query)
if not result.rowcount:
raise dci_exc.DCIConflict('Job', job_id)
return flask.Response(json.dumps({'job': result.fetchone()}), 200,
headers={'ETag': values['etag']}, content_type='application/json')
| update_job_by_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id):\n if_match_etag = utils.check_and_get_etag(flask.request.headers)\n values = schemas.job.put(flask.request.json)\n job = v1_utils.verify_existence_and_get(job_id, _TABLE)\n job = dict(job)\n if not user.is_in_team(job['team_id']):\n raise dci_exc.Unauthorized()\n status = values.get('status')\n if status and job.get('status') != status:\n jobstates.insert_jobstate(user, {'status': status, 'job_id': job_id})\n if status in models.FINAL_STATUSES:\n jobs_events.create_event(job_id, status, job['topic_id'])\n where_clause = sql.and_(_TABLE.c.etag == if_match_etag, _TABLE.c.id ==\n job_id)\n values['etag'] = utils.gen_etag()\n query = _TABLE.update().returning(*_TABLE.columns).where(where_clause\n ).values(**values)\n result = flask.g.db_conn.execute(query)\n if not result.rowcount:\n raise dci_exc.DCIConflict('Job', job_id)\n return flask.Response(json.dumps({'job': result.fetchone()}), 200,\n headers={'ETag': values['etag']}, content_type='application/json')\n",
"role": "user"
},
{
"content": "update_job_by_id",
"role": "assistant"
}
] |
def x(user, j_id):
job = v1_utils.verify_existence_and_get(j_id, _TABLE)
if not user.is_in_team(job['team_id']) and not user.is_read_only_user():
raise dci_exc.Unauthorized()
query = sql.select([models.TESTS_RESULTS]).where(models.TESTS_RESULTS.c
.job_id == job['id'])
all_tests_results = flask.g.db_conn.execute(query).fetchall()
results = []
for test_result in all_tests_results:
test_result = dict(test_result)
results.append({'filename': test_result['name'], 'name':
test_result['name'], 'total': test_result['total'], 'failures':
test_result['failures'], 'errors': test_result['errors'],
'skips': test_result['skips'], 'time': test_result['time'],
'regressions': test_result['regressions'], 'successfixes':
test_result['successfixes'], 'success': test_result['success'],
'file_id': test_result['file_id']})
return flask.jsonify({'results': results, '_meta': {'count': len(results)}}
)
| get_all_results_from_jobs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, j_id):\n job = v1_utils.verify_existence_and_get(j_id, _TABLE)\n if not user.is_in_team(job['team_id']) and not user.is_read_only_user():\n raise dci_exc.Unauthorized()\n query = sql.select([models.TESTS_RESULTS]).where(models.TESTS_RESULTS.c\n .job_id == job['id'])\n all_tests_results = flask.g.db_conn.execute(query).fetchall()\n results = []\n for test_result in all_tests_results:\n test_result = dict(test_result)\n results.append({'filename': test_result['name'], 'name':\n test_result['name'], 'total': test_result['total'], 'failures':\n test_result['failures'], 'errors': test_result['errors'],\n 'skips': test_result['skips'], 'time': test_result['time'],\n 'regressions': test_result['regressions'], 'successfixes':\n test_result['successfixes'], 'success': test_result['success'],\n 'file_id': test_result['file_id']})\n return flask.jsonify({'results': results, '_meta': {'count': len(results)}}\n )\n",
"role": "user"
},
{
"content": "get_all_results_from_jobs",
"role": "assistant"
}
] |
def x(user, job_id):
job = v1_utils.verify_existence_and_get(job_id, _TABLE)
if not user.is_in_team(job['team_id']) and not user.is_read_only_user():
raise dci_exc.Unauthorized()
JTT = models.JOIN_JOBS_TAGS
query = sql.select([models.TAGS]).select_from(JTT.join(models.TAGS)).where(
JTT.c.job_id == job_id)
rows = flask.g.db_conn.execute(query)
return flask.jsonify({'tags': rows, '_meta': {'count': rows.rowcount}})
| get_tags_from_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id):\n job = v1_utils.verify_existence_and_get(job_id, _TABLE)\n if not user.is_in_team(job['team_id']) and not user.is_read_only_user():\n raise dci_exc.Unauthorized()\n JTT = models.JOIN_JOBS_TAGS\n query = sql.select([models.TAGS]).select_from(JTT.join(models.TAGS)).where(\n JTT.c.job_id == job_id)\n rows = flask.g.db_conn.execute(query)\n return flask.jsonify({'tags': rows, '_meta': {'count': rows.rowcount}})\n",
"role": "user"
},
{
"content": "get_tags_from_job",
"role": "assistant"
}
] |
def x(user, job_id):
job = v1_utils.verify_existence_and_get(job_id, _TABLE)
if not user.is_in_team(job['team_id']):
raise dci_exc.Unauthorized()
values = {'job_id': job_id}
job_tagged = tags.add_tag_to_resource(values, models.JOIN_JOBS_TAGS)
return flask.Response(json.dumps(job_tagged), 201, content_type=
'application/json')
| add_tag_to_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id):\n job = v1_utils.verify_existence_and_get(job_id, _TABLE)\n if not user.is_in_team(job['team_id']):\n raise dci_exc.Unauthorized()\n values = {'job_id': job_id}\n job_tagged = tags.add_tag_to_resource(values, models.JOIN_JOBS_TAGS)\n return flask.Response(json.dumps(job_tagged), 201, content_type=\n 'application/json')\n",
"role": "user"
},
{
"content": "add_tag_to_job",
"role": "assistant"
}
] |
def x(user, job_id, tag_id):
_JJT = models.JOIN_JOBS_TAGS
job = v1_utils.verify_existence_and_get(job_id, _TABLE)
if not user.is_in_team(job['team_id']):
raise dci_exc.Unauthorized()
v1_utils.verify_existence_and_get(tag_id, models.TAGS)
query = _JJT.delete().where(sql.and_(_JJT.c.tag_id == tag_id, _JJT.c.
job_id == job_id))
try:
flask.g.db_conn.execute(query)
except sa_exc.IntegrityError:
raise dci_exc.DCICreationConflict('tag', 'tag_id')
return flask.Response(None, 204, content_type='application/json')
| delete_tag_from_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id, tag_id):\n _JJT = models.JOIN_JOBS_TAGS\n job = v1_utils.verify_existence_and_get(job_id, _TABLE)\n if not user.is_in_team(job['team_id']):\n raise dci_exc.Unauthorized()\n v1_utils.verify_existence_and_get(tag_id, models.TAGS)\n query = _JJT.delete().where(sql.and_(_JJT.c.tag_id == tag_id, _JJT.c.\n job_id == job_id))\n try:\n flask.g.db_conn.execute(query)\n except sa_exc.IntegrityError:\n raise dci_exc.DCICreationConflict('tag', 'tag_id')\n return flask.Response(None, 204, content_type='application/json')\n",
"role": "user"
},
{
"content": "delete_tag_from_job",
"role": "assistant"
}
] |
def x(self, node):
if not node in self.CACHED_ANCESTRY_DICT:
ancestry_dict = dict((c, p) for p in self._impl_document.
getiterator() for c in p)
self.CACHED_ANCESTRY_DICT = ancestry_dict
return self.CACHED_ANCESTRY_DICT[node]
| lookup_node_parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if not node in self.CACHED_ANCESTRY_DICT:\n ancestry_dict = dict((c, p) for p in self._impl_document.\n getiterator() for c in p)\n self.CACHED_ANCESTRY_DICT = ancestry_dict\n return self.CACHED_ANCESTRY_DICT[node]\n",
"role": "user"
},
{
"content": "lookup_node_parent",
"role": "assistant"
}
] |
def x(self, node):
if isinstance(node, BaseET.Element):
return True
if hasattr(node, 'makeelement') and isinstance(node.tag, basestring):
return True
| is_node_an_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if isinstance(node, BaseET.Element):\n return True\n if hasattr(node, 'makeelement') and isinstance(node.tag, basestring):\n return True\n",
"role": "user"
},
{
"content": "is_node_an_element",
"role": "assistant"
}
] |
def x(self, node, xpath, **kwargs):
namespaces_dict = {}
if 'namespaces' in kwargs:
namespaces_dict.update(kwargs['namespaces'])
if None in namespaces_dict:
default_ns_uri = namespaces_dict.pop(None)
namespaces_dict['_'] = default_ns_uri
if not '_' in namespaces_dict:
root = self.get_impl_root(node)
qname, ns_uri, prefix, local_name = self._unpack_name(root.tag, root)
if ns_uri:
namespaces_dict['_'] = ns_uri
if not 'xmlns' in namespaces_dict:
namespaces_dict['xmlns'] = nodes.Node.XMLNS_URI
return node.findall(xpath, namespaces_dict)
| xpath_on_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, xpath, **kwargs):\n namespaces_dict = {}\n if 'namespaces' in kwargs:\n namespaces_dict.update(kwargs['namespaces'])\n if None in namespaces_dict:\n default_ns_uri = namespaces_dict.pop(None)\n namespaces_dict['_'] = default_ns_uri\n if not '_' in namespaces_dict:\n root = self.get_impl_root(node)\n qname, ns_uri, prefix, local_name = self._unpack_name(root.tag, root)\n if ns_uri:\n namespaces_dict['_'] = ns_uri\n if not 'xmlns' in namespaces_dict:\n namespaces_dict['xmlns'] = nodes.Node.XMLNS_URI\n return node.findall(xpath, namespaces_dict)\n",
"role": "user"
},
{
"content": "xpath_on_node",
"role": "assistant"
}
] |
def x(user, table):
if user.is_not_super_admin():
raise dci_exc.Unauthorized()
archived_resources = get_archived_resources(table)
return flask.jsonify({table.name: archived_resources, '_meta': {'count':
len(archived_resources)}})
| get_to_purge_archived_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, table):\n if user.is_not_super_admin():\n raise dci_exc.Unauthorized()\n archived_resources = get_archived_resources(table)\n return flask.jsonify({table.name: archived_resources, '_meta': {'count':\n len(archived_resources)}})\n",
"role": "user"
},
{
"content": "get_to_purge_archived_resources",
"role": "assistant"
}
] |
def x(user, table):
if user.is_not_super_admin():
raise dci_exc.Unauthorized()
where_clause = sql.and_(table.c.state == 'archived')
query = table.delete().where(where_clause)
flask.g.db_conn.execute(query)
return flask.Response(None, 204, content_type='application/json')
| purge_archived_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, table):\n if user.is_not_super_admin():\n raise dci_exc.Unauthorized()\n where_clause = sql.and_(table.c.state == 'archived')\n query = table.delete().where(where_clause)\n flask.g.db_conn.execute(query)\n return flask.Response(None, 204, content_type='application/json')\n",
"role": "user"
},
{
"content": "purge_archived_resources",
"role": "assistant"
}
] |
def x(user, resource, table):
resource_name = table.name[0:-1]
where_clause = sql.and_(table.c.etag == resource['etag'], table.c.id ==
resource['id'])
values = {'api_secret': signature.gen_secret(), 'etag': utils.gen_etag()}
query = table.update().where(where_clause).values(**values)
result = flask.g.db_conn.execute(query)
if not result.rowcount:
raise dci_exc.DCIConflict(resource_name, resource['id'])
res = flask.jsonify({'id': resource['id'], 'etag': resource['etag'],
'api_secret': values['api_secret']})
res.headers.add_header('ETag', values['etag'])
return res
| refresh_api_secret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, resource, table):\n resource_name = table.name[0:-1]\n where_clause = sql.and_(table.c.etag == resource['etag'], table.c.id ==\n resource['id'])\n values = {'api_secret': signature.gen_secret(), 'etag': utils.gen_etag()}\n query = table.update().where(where_clause).values(**values)\n result = flask.g.db_conn.execute(query)\n if not result.rowcount:\n raise dci_exc.DCIConflict(resource_name, resource['id'])\n res = flask.jsonify({'id': resource['id'], 'etag': resource['etag'],\n 'api_secret': values['api_secret']})\n res.headers.add_header('ETag', values['etag'])\n return res\n",
"role": "user"
},
{
"content": "refresh_api_secret",
"role": "assistant"
}
] |
def x(package_json, output_file, pinned_file):
amd_build_deprecation_warning()
try:
version = get_distribution(current_app.name).version
except DistributionNotFound:
version = ''
output = {'name': current_app.name, 'version': make_semver(version) if
version else version, 'dependencies': {}}
if package_json:
output = dict(output, **json.load(package_json))
deps = extract_deps(current_app.extensions['invenio-assets'].env, click
.echo)
output['dependencies'].update(deps)
if pinned_file:
output['dependencies'].update(json.load(pinned_file).get(
'dependencies', {}))
if output_file is None:
if not os.path.exists(current_app.static_folder):
os.makedirs(current_app.static_folder)
output_file = open(os.path.join(current_app.static_folder,
'package.json'), 'w')
click.echo('Writing {0}'.format(output_file.name))
json.dump(output, output_file, indent=4)
output_file.close()
| npm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_json, output_file, pinned_file):\n amd_build_deprecation_warning()\n try:\n version = get_distribution(current_app.name).version\n except DistributionNotFound:\n version = ''\n output = {'name': current_app.name, 'version': make_semver(version) if\n version else version, 'dependencies': {}}\n if package_json:\n output = dict(output, **json.load(package_json))\n deps = extract_deps(current_app.extensions['invenio-assets'].env, click\n .echo)\n output['dependencies'].update(deps)\n if pinned_file:\n output['dependencies'].update(json.load(pinned_file).get(\n 'dependencies', {}))\n if output_file is None:\n if not os.path.exists(current_app.static_folder):\n os.makedirs(current_app.static_folder)\n output_file = open(os.path.join(current_app.static_folder,\n 'package.json'), 'w')\n click.echo('Writing {0}'.format(output_file.name))\n json.dump(output, output_file, indent=4)\n output_file.close()\n",
"role": "user"
},
{
"content": "npm",
"role": "assistant"
}
] |
def x(self, **kwargs):
if kwargs.get('time_from'):
kwargs['from'] = kwargs.get('time_from')
del kwargs['time_from']
if kwargs.get('time_to'):
kwargs['to'] = kwargs.get('time_to')
del kwargs['time_to']
for key in kwargs:
if key not in ['limit', 'offset', 'from', 'to']:
sys.stderr.write('%s not a valid argument for analysis()\n' % key)
response = self.pingdom.request('GET', 'analysis/%s' % self.id, kwargs)
return [PingdomAnalysis(self, x) for x in response.json()['analysis']]
| getAnalyses | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if kwargs.get('time_from'):\n kwargs['from'] = kwargs.get('time_from')\n del kwargs['time_from']\n if kwargs.get('time_to'):\n kwargs['to'] = kwargs.get('time_to')\n del kwargs['time_to']\n for key in kwargs:\n if key not in ['limit', 'offset', 'from', 'to']:\n sys.stderr.write('%s not a valid argument for analysis()\\n' % key)\n response = self.pingdom.request('GET', 'analysis/%s' % self.id, kwargs)\n return [PingdomAnalysis(self, x) for x in response.json()['analysis']]\n",
"role": "user"
},
{
"content": "getAnalyses",
"role": "assistant"
}
] |
def x(self):
response = self.pingdom.request('GET', 'checks/%s' % self.id)
self.__addDetails__(response.json()['check'])
return response.json()['check']
| getDetails | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.pingdom.request('GET', 'checks/%s' % self.id)\n self.__addDetails__(response.json()['check'])\n return response.json()['check']\n",
"role": "user"
},
{
"content": "getDetails",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.