source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, **kwargs):
kwargs.update({'methods': registry.get_all_methods(self.entry_point,
sort_methods=True)})
return super(RPCEntryPoint, self).get_context_data(**kwargs)
|
get_context_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n kwargs.update({'methods': registry.get_all_methods(self.entry_point,\n sort_methods=True)})\n return super(RPCEntryPoint, self).get_context_data(**kwargs)\n",
"role": "user"
},
{
"content": "get_context_data",
"role": "assistant"
}
] |
def x():
clean_old_cache_content()
registry.reset()
if not settings.MODERNRPC_METHODS_MODULES:
return
for module_name in (settings.MODERNRPC_METHODS_MODULES + [
'modernrpc.system_methods']):
try:
rpc_module = import_module(module_name)
except ImportError:
msg = (
'Unable to load module "{}" declared in settings.MODERNRPC_METHODS_MODULES. Please ensure it is available and doesn\'t contains any error'
.format(module_name))
warnings.warn(msg, category=Warning)
continue
for _, func in inspect.getmembers(rpc_module, inspect.isfunction):
if getattr(func, 'modernrpc_enabled', False):
registry.register_method(func)
logger.info('django-modern-rpc initialized: {} RPC methods registered'.
format(registry.total_count()))
|
rpc_methods_registration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n clean_old_cache_content()\n registry.reset()\n if not settings.MODERNRPC_METHODS_MODULES:\n return\n for module_name in (settings.MODERNRPC_METHODS_MODULES + [\n 'modernrpc.system_methods']):\n try:\n rpc_module = import_module(module_name)\n except ImportError:\n msg = (\n 'Unable to load module \"{}\" declared in settings.MODERNRPC_METHODS_MODULES. Please ensure it is available and doesn\\'t contains any error'\n .format(module_name))\n warnings.warn(msg, category=Warning)\n continue\n for _, func in inspect.getmembers(rpc_module, inspect.isfunction):\n if getattr(func, 'modernrpc_enabled', False):\n registry.register_method(func)\n logger.info('django-modern-rpc initialized: {} RPC methods registered'.\n format(registry.total_count()))\n",
"role": "user"
},
{
"content": "rpc_methods_registration",
"role": "assistant"
}
] |
def x(request):
try:
if user_is_authenticated(request.user):
return request.user
except AttributeError:
pass
if 'HTTP_AUTHORIZATION' in request.META:
auth_data = request.META['HTTP_AUTHORIZATION'].split()
if len(auth_data) == 2 and auth_data[0].lower() == 'basic':
uname, passwd = base64.b64decode(auth_data[1]).decode('utf-8'
).split(':')
django_user = authenticate(username=uname, password=passwd)
if django_user is not None:
login(request, django_user)
try:
return request.user
except AttributeError:
return AnonymousUser()
|
http_basic_auth_get_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n try:\n if user_is_authenticated(request.user):\n return request.user\n except AttributeError:\n pass\n if 'HTTP_AUTHORIZATION' in request.META:\n auth_data = request.META['HTTP_AUTHORIZATION'].split()\n if len(auth_data) == 2 and auth_data[0].lower() == 'basic':\n uname, passwd = base64.b64decode(auth_data[1]).decode('utf-8'\n ).split(':')\n django_user = authenticate(username=uname, password=passwd)\n if django_user is not None:\n login(request, django_user)\n try:\n return request.user\n except AttributeError:\n return AnonymousUser()\n",
"role": "user"
},
{
"content": "http_basic_auth_get_user",
"role": "assistant"
}
] |
def x(func=None):
wrapper = auth.set_authentication_predicate(http_basic_auth_check_user,
[auth.user_is_authenticated])
if func is None:
return wrapper
return wrapper(func)
|
http_basic_auth_login_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func=None):\n wrapper = auth.set_authentication_predicate(http_basic_auth_check_user,\n [auth.user_is_authenticated])\n if func is None:\n return wrapper\n return wrapper(func)\n",
"role": "user"
},
{
"content": "http_basic_auth_login_required",
"role": "assistant"
}
] |
def x(func=None):
wrapper = auth.set_authentication_predicate(http_basic_auth_check_user,
[auth.user_is_superuser])
if func is None:
return wrapper
return wrapper(func)
|
http_basic_auth_superuser_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func=None):\n wrapper = auth.set_authentication_predicate(http_basic_auth_check_user,\n [auth.user_is_superuser])\n if func is None:\n return wrapper\n return wrapper(func)\n",
"role": "user"
},
{
"content": "http_basic_auth_superuser_required",
"role": "assistant"
}
] |
def x(permissions):
if isinstance(permissions, six.string_types):
return auth.set_authentication_predicate(http_basic_auth_check_user,
[auth.user_has_perm, permissions])
else:
return auth.set_authentication_predicate(http_basic_auth_check_user,
[auth.user_has_all_perms, permissions])
|
http_basic_auth_permissions_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(permissions):\n if isinstance(permissions, six.string_types):\n return auth.set_authentication_predicate(http_basic_auth_check_user,\n [auth.user_has_perm, permissions])\n else:\n return auth.set_authentication_predicate(http_basic_auth_check_user,\n [auth.user_has_all_perms, permissions])\n",
"role": "user"
},
{
"content": "http_basic_auth_permissions_required",
"role": "assistant"
}
] |
def x(groups):
if isinstance(groups, six.string_types):
return auth.set_authentication_predicate(http_basic_auth_check_user,
[auth.user_in_group, groups])
else:
return auth.set_authentication_predicate(http_basic_auth_check_user,
[auth.user_in_any_group, groups])
|
http_basic_auth_group_member_required
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(groups):\n if isinstance(groups, six.string_types):\n return auth.set_authentication_predicate(http_basic_auth_check_user,\n [auth.user_in_group, groups])\n else:\n return auth.set_authentication_predicate(http_basic_auth_check_user,\n [auth.user_in_any_group, groups])\n",
"role": "user"
},
{
"content": "http_basic_auth_group_member_required",
"role": "assistant"
}
] |
def x(func=None, name=None, entry_point=ALL, protocol=ALL,
str_standardization=settings.MODERNRPC_PY2_STR_TYPE,
str_standardization_encoding=settings.MODERNRPC_PY2_STR_ENCODING):
def x(_func):
_func.modernrpc_enabled = True
_func.modernrpc_name = name or _func.__name__
_func.modernrpc_entry_point = entry_point
_func.modernrpc_protocol = protocol
_func.str_standardization = str_standardization
_func.str_standardization_encoding = str_standardization_encoding
return _func
if func is None:
return decorated
return decorated(func)
|
rpc_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func=None, name=None, entry_point=ALL, protocol=ALL,\n str_standardization=settings.MODERNRPC_PY2_STR_TYPE,\n str_standardization_encoding=settings.MODERNRPC_PY2_STR_ENCODING):\n\n def x(_func):\n _func.modernrpc_enabled = True\n _func.modernrpc_name = name or _func.__name__\n _func.modernrpc_entry_point = entry_point\n _func.modernrpc_protocol = protocol\n _func.str_standardization = str_standardization\n _func.str_standardization_encoding = str_standardization_encoding\n return _func\n if func is None:\n return decorated\n return decorated(func)\n",
"role": "user"
},
{
"content": "rpc_method",
"role": "assistant"
}
] |
def x(entry_point=ALL, protocol=ALL, sort_methods=False):
return registry.get_all_method_names(entry_point=entry_point, protocol=
protocol, sort_methods=sort_methods)
|
get_all_method_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entry_point=ALL, protocol=ALL, sort_methods=False):\n return registry.get_all_method_names(entry_point=entry_point, protocol=\n protocol, sort_methods=sort_methods)\n",
"role": "user"
},
{
"content": "get_all_method_names",
"role": "assistant"
}
] |
def x(entry_point=ALL, protocol=ALL, sort_methods=False):
return registry.get_all_methods(entry_point=entry_point, protocol=
protocol, sort_methods=sort_methods)
|
get_all_methods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entry_point=ALL, protocol=ALL, sort_methods=False):\n return registry.get_all_methods(entry_point=entry_point, protocol=\n protocol, sort_methods=sort_methods)\n",
"role": "user"
},
{
"content": "get_all_methods",
"role": "assistant"
}
] |
def x(self, content):
if not content:
return
raw_docstring = ''
docstring = trim_docstring(content)
for line in docstring.split('\n'):
if not line:
raw_docstring += '\n'
continue
param_match = PARAM_REXP.match(line)
if param_match:
param_name, description = param_match.group(1, 2)
if param_name == 'kwargs':
continue
doc = self.args_doc.setdefault(param_name, {})
doc['text'] = description
continue
param_type_match = PARAM_TYPE_REXP.match(line)
if param_type_match:
param_name, param_type = param_type_match.group(1, 2)
if param_name == 'kwargs':
continue
doc = self.args_doc.setdefault(param_name, {})
doc['type'] = param_type
self.signature.append(param_type)
continue
return_match = RETURN_REXP.match(line)
if return_match:
return_description = return_match.group(1)
self.return_doc['text'] = return_description
continue
return_type_match = RETURN_TYPE_REXP.match(line)
if return_type_match:
return_description = return_type_match.group(1)
self.return_doc['type'] = return_description
self.signature.insert(0, return_description)
continue
raw_docstring += line + '\n'
return raw_docstring
|
parse_docstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n if not content:\n return\n raw_docstring = ''\n docstring = trim_docstring(content)\n for line in docstring.split('\\n'):\n if not line:\n raw_docstring += '\\n'\n continue\n param_match = PARAM_REXP.match(line)\n if param_match:\n param_name, description = param_match.group(1, 2)\n if param_name == 'kwargs':\n continue\n doc = self.args_doc.setdefault(param_name, {})\n doc['text'] = description\n continue\n param_type_match = PARAM_TYPE_REXP.match(line)\n if param_type_match:\n param_name, param_type = param_type_match.group(1, 2)\n if param_name == 'kwargs':\n continue\n doc = self.args_doc.setdefault(param_name, {})\n doc['type'] = param_type\n self.signature.append(param_type)\n continue\n return_match = RETURN_REXP.match(line)\n if return_match:\n return_description = return_match.group(1)\n self.return_doc['text'] = return_description\n continue\n return_type_match = RETURN_TYPE_REXP.match(line)\n if return_type_match:\n return_description = return_type_match.group(1)\n self.return_doc['type'] = return_description\n self.signature.insert(0, return_description)\n continue\n raw_docstring += line + '\\n'\n return raw_docstring\n",
"role": "user"
},
{
"content": "parse_docstring",
"role": "assistant"
}
] |
def x(self):
if not self.raw_docstring:
result = ''
elif settings.MODERNRPC_DOC_FORMAT.lower() in ('rst', 'restructred',
'restructuredtext'):
from docutils.core import publish_parts
result = publish_parts(self.raw_docstring, writer_name='html')['body']
elif settings.MODERNRPC_DOC_FORMAT.lower() in ('md', 'markdown'):
import markdown
result = markdown.markdown(self.raw_docstring)
else:
result = '<p>{}</p>'.format(self.raw_docstring.replace('\n\n',
'</p><p>').replace('\n', ' '))
return result
|
html_doc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.raw_docstring:\n result = ''\n elif settings.MODERNRPC_DOC_FORMAT.lower() in ('rst', 'restructred',\n 'restructuredtext'):\n from docutils.core import publish_parts\n result = publish_parts(self.raw_docstring, writer_name='html')['body']\n elif settings.MODERNRPC_DOC_FORMAT.lower() in ('md', 'markdown'):\n import markdown\n result = markdown.markdown(self.raw_docstring)\n else:\n result = '<p>{}</p>'.format(self.raw_docstring.replace('\\n\\n',\n '</p><p>').replace('\\n', ' '))\n return result\n",
"role": "user"
},
{
"content": "html_doc",
"role": "assistant"
}
] |
def x(self, request):
if not self.predicates:
return True
return all(predicate(request, *self.predicates_params[i]) for i,
predicate in enumerate(self.predicates))
|
check_permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if not self.predicates:\n return True\n return all(predicate(request, *self.predicates_params[i]) for i,\n predicate in enumerate(self.predicates))\n",
"role": "user"
},
{
"content": "check_permissions",
"role": "assistant"
}
] |
def x(self, protocol):
if self.protocol == ALL or protocol == ALL:
return True
return protocol in ensure_sequence(self.protocol)
|
available_for_protocol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, protocol):\n if self.protocol == ALL or protocol == ALL:\n return True\n return protocol in ensure_sequence(self.protocol)\n",
"role": "user"
},
{
"content": "available_for_protocol",
"role": "assistant"
}
] |
def x(self, entry_point):
if self.entry_point == ALL or entry_point == ALL:
return True
return entry_point in ensure_sequence(self.entry_point)
|
available_for_entry_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry_point):\n if self.entry_point == ALL or entry_point == ALL:\n return True\n return entry_point in ensure_sequence(self.entry_point)\n",
"role": "user"
},
{
"content": "available_for_entry_point",
"role": "assistant"
}
] |
def x(self, entry_point, protocol):
return self.available_for_entry_point(entry_point
) and self.available_for_protocol(protocol)
|
is_valid_for
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry_point, protocol):\n return self.available_for_entry_point(entry_point\n ) and self.available_for_protocol(protocol)\n",
"role": "user"
},
{
"content": "is_valid_for",
"role": "assistant"
}
] |
def x(self):
return bool(self.return_doc and (self.return_doc.get('text') or self.
return_doc.get('type')))
|
is_return_doc_available
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return bool(self.return_doc and (self.return_doc.get('text') or self.\n return_doc.get('type')))\n",
"role": "user"
},
{
"content": "is_return_doc_available",
"role": "assistant"
}
] |
def x(self, func):
if not getattr(func, 'modernrpc_enabled', False):
raise ImproperlyConfigured(
'Error: trying to register {} as RPC method, but it has not been decorated.'
.format(func.__name__))
name = getattr(func, 'modernrpc_name', func.__name__)
logger.debug('Register RPC method "{}"'.format(name))
if name.startswith('rpc.'):
raise ImproperlyConfigured(
'According to RPC standard, method names starting with "rpc." are reserved for system extensions and must not be used. See http://www.jsonrpc.org/specification#extensions for more information.'
)
method = RPCMethod(func)
existing_method = self.get_method(method.name, ALL, ALL)
if existing_method is not None:
if method == existing_method:
return method.name
else:
raise ImproperlyConfigured(
'A RPC method with name {} has already been registered'.
format(method.name))
self._registry[method.name] = method
logger.debug('Method registered. len(registry): {}'.format(len(self.
_registry)))
return method.name
|
register_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if not getattr(func, 'modernrpc_enabled', False):\n raise ImproperlyConfigured(\n 'Error: trying to register {} as RPC method, but it has not been decorated.'\n .format(func.__name__))\n name = getattr(func, 'modernrpc_name', func.__name__)\n logger.debug('Register RPC method \"{}\"'.format(name))\n if name.startswith('rpc.'):\n raise ImproperlyConfigured(\n 'According to RPC standard, method names starting with \"rpc.\" are reserved for system extensions and must not be used. See http://www.jsonrpc.org/specification#extensions for more information.'\n )\n method = RPCMethod(func)\n existing_method = self.get_method(method.name, ALL, ALL)\n if existing_method is not None:\n if method == existing_method:\n return method.name\n else:\n raise ImproperlyConfigured(\n 'A RPC method with name {} has already been registered'.\n format(method.name))\n self._registry[method.name] = method\n logger.debug('Method registered. len(registry): {}'.format(len(self.\n _registry)))\n return method.name\n",
"role": "user"
},
{
"content": "register_method",
"role": "assistant"
}
] |
def x(self, entry_point=ALL, protocol=ALL, sort_methods=False):
method_names = [name for name, method in self._registry.items() if
method.is_valid_for(entry_point, protocol)]
if sort_methods:
method_names = sorted(method_names)
return method_names
|
get_all_method_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry_point=ALL, protocol=ALL, sort_methods=False):\n method_names = [name for name, method in self._registry.items() if\n method.is_valid_for(entry_point, protocol)]\n if sort_methods:\n method_names = sorted(method_names)\n return method_names\n",
"role": "user"
},
{
"content": "get_all_method_names",
"role": "assistant"
}
] |
def x(self, entry_point=ALL, protocol=ALL, sort_methods=False):
if sort_methods:
return [method for _, method in sorted(self._registry.items()) if
method.is_valid_for(entry_point, protocol)]
return self._registry.values()
|
get_all_methods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entry_point=ALL, protocol=ALL, sort_methods=False):\n if sort_methods:\n return [method for _, method in sorted(self._registry.items()) if\n method.is_valid_for(entry_point, protocol)]\n return self._registry.values()\n",
"role": "user"
},
{
"content": "get_all_methods",
"role": "assistant"
}
] |
def x(self, name, entry_point, protocol):
if name in self._registry and self._registry[name].is_valid_for(entry_point
, protocol):
return self._registry[name]
return None
|
get_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, entry_point, protocol):\n if name in self._registry and self._registry[name].is_valid_for(entry_point\n , protocol):\n return self._registry[name]\n return None\n",
"role": "user"
},
{
"content": "get_method",
"role": "assistant"
}
] |
def x(logger):
if six.PY3:
return logger.hasHandlers()
else:
c = logger
rv = False
while c:
if c.handlers:
rv = True
break
if not c.propagate:
break
else:
c = c.parent
return rv
|
logger_has_handlers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger):\n if six.PY3:\n return logger.hasHandlers()\n else:\n c = logger\n rv = False\n while c:\n if c.handlers:\n rv = True\n break\n if not c.propagate:\n break\n else:\n c = c.parent\n return rv\n",
"role": "user"
},
{
"content": "logger_has_handlers",
"role": "assistant"
}
] |
def x(name):
logger = logging.getLogger(name)
if not logger_has_handlers(logger):
logger.addHandler(logging.NullHandler())
return logger
|
get_modernrpc_logger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n logger = logging.getLogger(name)\n if not logger_has_handlers(logger):\n logger.addHandler(logging.NullHandler())\n return logger\n",
"role": "user"
},
{
"content": "get_modernrpc_logger",
"role": "assistant"
}
] |
def x(self, name, args=None, kwargs=None):
_method = registry.get_method(name, self.entry_point, self.protocol)
if not _method:
raise RPCUnknownMethod(name)
logger.debug('Check authentication / permissions for method {} and user {}'
.format(name, self.request.user))
if not _method.check_permissions(self.request):
raise AuthenticationFailed(name)
logger.debug('RPC method {} will be executed'.format(name))
args = args or []
kwargs = kwargs or {}
if _method.accept_kwargs:
kwargs.update({REQUEST_KEY: self.request, ENTRY_POINT_KEY: self.
entry_point, PROTOCOL_KEY: self.protocol, HANDLER_KEY: self})
if six.PY2:
method_std, encoding = (_method.str_standardization, _method.
str_std_encoding)
args = modernrpc.compat.standardize_strings(args, strtype=
method_std, encoding=encoding)
kwargs = modernrpc.compat.standardize_strings(kwargs, strtype=
method_std, encoding=encoding)
logger.debug('Params: args = {} - kwargs = {}'.format(args, kwargs))
try:
return _method.function(*args, **kwargs)
except TypeError as e:
raise RPCInvalidParams(str(e))
|
execute_procedure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, args=None, kwargs=None):\n _method = registry.get_method(name, self.entry_point, self.protocol)\n if not _method:\n raise RPCUnknownMethod(name)\n logger.debug('Check authentication / permissions for method {} and user {}'\n .format(name, self.request.user))\n if not _method.check_permissions(self.request):\n raise AuthenticationFailed(name)\n logger.debug('RPC method {} will be executed'.format(name))\n args = args or []\n kwargs = kwargs or {}\n if _method.accept_kwargs:\n kwargs.update({REQUEST_KEY: self.request, ENTRY_POINT_KEY: self.\n entry_point, PROTOCOL_KEY: self.protocol, HANDLER_KEY: self})\n if six.PY2:\n method_std, encoding = (_method.str_standardization, _method.\n str_std_encoding)\n args = modernrpc.compat.standardize_strings(args, strtype=\n method_std, encoding=encoding)\n kwargs = modernrpc.compat.standardize_strings(kwargs, strtype=\n method_std, encoding=encoding)\n logger.debug('Params: args = {} - kwargs = {}'.format(args, kwargs))\n try:\n return _method.function(*args, **kwargs)\n except TypeError as e:\n raise RPCInvalidParams(str(e))\n",
"role": "user"
},
{
"content": "execute_procedure",
"role": "assistant"
}
] |
def x(**kwargs):
entry_point = kwargs.get(ENTRY_POINT_KEY)
protocol = kwargs.get(PROTOCOL_KEY)
return registry.get_all_method_names(entry_point, protocol,
sort_methods=True)
|
system_listMethods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n entry_point = kwargs.get(ENTRY_POINT_KEY)\n protocol = kwargs.get(PROTOCOL_KEY)\n return registry.get_all_method_names(entry_point, protocol,\n sort_methods=True)\n",
"role": "user"
},
{
"content": "system_listMethods",
"role": "assistant"
}
] |
def x(method_name, **kwargs):
entry_point = kwargs.get(ENTRY_POINT_KEY)
protocol = kwargs.get(PROTOCOL_KEY)
method = registry.get_method(method_name, entry_point, protocol)
if method is None:
raise RPCInvalidParams(
'Unknown method {}. Unable to retrieve signature.'.format(
method_name))
return method.signature
|
system_methodSignature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_name, **kwargs):\n entry_point = kwargs.get(ENTRY_POINT_KEY)\n protocol = kwargs.get(PROTOCOL_KEY)\n method = registry.get_method(method_name, entry_point, protocol)\n if method is None:\n raise RPCInvalidParams(\n 'Unknown method {}. Unable to retrieve signature.'.format(\n method_name))\n return method.signature\n",
"role": "user"
},
{
"content": "system_methodSignature",
"role": "assistant"
}
] |
def x(method_name, **kwargs):
entry_point = kwargs.get(ENTRY_POINT_KEY)
protocol = kwargs.get(PROTOCOL_KEY)
method = registry.get_method(method_name, entry_point, protocol)
if method is None:
raise RPCInvalidParams(
'Unknown method {}. Unable to retrieve its documentation.'.
format(method_name))
return method.html_doc
|
system_methodHelp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method_name, **kwargs):\n entry_point = kwargs.get(ENTRY_POINT_KEY)\n protocol = kwargs.get(PROTOCOL_KEY)\n method = registry.get_method(method_name, entry_point, protocol)\n if method is None:\n raise RPCInvalidParams(\n 'Unknown method {}. Unable to retrieve its documentation.'.\n format(method_name))\n return method.html_doc\n",
"role": "user"
},
{
"content": "system_methodHelp",
"role": "assistant"
}
] |
def x(calls, **kwargs):
if not isinstance(calls, list):
raise RPCInvalidParams(
'system.multicall first argument should be a list, {} given.'.
format(type(calls)))
handler = kwargs.get(HANDLER_KEY)
results = []
for call in calls:
try:
result = handler.execute_procedure(call['methodName'], args=
call.get('params'))
results.append([result])
except RPCException as e:
results.append({'faultCode': e.code, 'faultString': e.message})
except Exception as e:
results.append({'faultCode': RPC_INTERNAL_ERROR, 'faultString':
str(e)})
return results
|
system_multiCall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(calls, **kwargs):\n if not isinstance(calls, list):\n raise RPCInvalidParams(\n 'system.multicall first argument should be a list, {} given.'.\n format(type(calls)))\n handler = kwargs.get(HANDLER_KEY)\n results = []\n for call in calls:\n try:\n result = handler.execute_procedure(call['methodName'], args=\n call.get('params'))\n results.append([result])\n except RPCException as e:\n results.append({'faultCode': e.code, 'faultString': e.message})\n except Exception as e:\n results.append({'faultCode': RPC_INTERNAL_ERROR, 'faultString':\n str(e)})\n return results\n",
"role": "user"
},
{
"content": "system_multiCall",
"role": "assistant"
}
] |
def x(args, session, session3):
serial_number = find_mfa_for_user(args.serial_number, session, session3)
if not serial_number:
print('There are no MFA devices associated with this user.', file=
sys.stderr)
return None, None, USER_RECOVERABLE_ERROR
token_code = args.token_code
if token_code is None:
while token_code is None or len(token_code) != 6:
token_code = getpass.getpass('MFA Token Code: ')
return serial_number, token_code, OK
|
acquire_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, session, session3):\n serial_number = find_mfa_for_user(args.serial_number, session, session3)\n if not serial_number:\n print('There are no MFA devices associated with this user.', file=\n sys.stderr)\n return None, None, USER_RECOVERABLE_ERROR\n token_code = args.token_code\n if token_code is None:\n while token_code is None or len(token_code) != 6:\n token_code = getpass.getpass('MFA Token Code: ')\n return serial_number, token_code, OK\n",
"role": "user"
},
{
"content": "acquire_code",
"role": "assistant"
}
] |
def x(args, credentials):
current_access_key_id = credentials.get(args.identity_profile,
'aws_access_key_id')
session, session3, err = make_session(args.target_profile)
if err:
return err
iam = session3.resource('iam')
current_access_key = next(key for key in iam.CurrentUser().access_keys.
all() if key.access_key_id == current_access_key_id)
current_access_key.delete()
iam_service = session3.client('iam')
new_access_key_pair = iam_service.create_access_key()['AccessKey']
print('Rotating from %s to %s.' % (current_access_key.access_key_id,
new_access_key_pair['AccessKeyId']), file=sys.stderr)
update_credentials_file(args.aws_credentials, args.identity_profile,
args.identity_profile, credentials, new_access_key_pair)
print('%s profile updated.' % args.identity_profile, file=sys.stderr)
return OK
|
rotate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, credentials):\n current_access_key_id = credentials.get(args.identity_profile,\n 'aws_access_key_id')\n session, session3, err = make_session(args.target_profile)\n if err:\n return err\n iam = session3.resource('iam')\n current_access_key = next(key for key in iam.CurrentUser().access_keys.\n all() if key.access_key_id == current_access_key_id)\n current_access_key.delete()\n iam_service = session3.client('iam')\n new_access_key_pair = iam_service.create_access_key()['AccessKey']\n print('Rotating from %s to %s.' % (current_access_key.access_key_id,\n new_access_key_pair['AccessKeyId']), file=sys.stderr)\n update_credentials_file(args.aws_credentials, args.identity_profile,\n args.identity_profile, credentials, new_access_key_pair)\n print('%s profile updated.' % args.identity_profile, file=sys.stderr)\n return OK\n",
"role": "user"
},
{
"content": "rotate",
"role": "assistant"
}
] |
def x(self, value):
if self._coerce is not None:
value = self._coerce(value)
return value
|
coerce
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self._coerce is not None:\n value = self._coerce(value)\n return value\n",
"role": "user"
},
{
"content": "coerce",
"role": "assistant"
}
] |
def x(cls, *args, **kwargs):
pq_items = cls._get_items(*args, **kwargs)
return [cls(item=i) for i in pq_items.items()]
|
all_from
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args, **kwargs):\n pq_items = cls._get_items(*args, **kwargs)\n return [cls(item=i) for i in pq_items.items()]\n",
"role": "user"
},
{
"content": "all_from",
"role": "assistant"
}
] |
def x(cls, path='', index=0):
url = urljoin(cls._meta.base_url, path)
pq_items = cls._get_items(url=url, **cls._meta._pyquery_kwargs)
item = pq_items.eq(index)
if not item:
raise ItemDoesNotExist('%s not found' % cls.__name__)
return cls(item=item)
|
one
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path='', index=0):\n url = urljoin(cls._meta.base_url, path)\n pq_items = cls._get_items(url=url, **cls._meta._pyquery_kwargs)\n item = pq_items.eq(index)\n if not item:\n raise ItemDoesNotExist('%s not found' % cls.__name__)\n return cls(item=item)\n",
"role": "user"
},
{
"content": "one",
"role": "assistant"
}
] |
def x(cls, path=''):
url = urljoin(cls._meta.base_url, path)
pq_items = cls._get_items(url=url, **cls._meta._pyquery_kwargs)
return [cls(item=i) for i in pq_items.items()]
|
all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path=''):\n url = urljoin(cls._meta.base_url, path)\n pq_items = cls._get_items(url=url, **cls._meta._pyquery_kwargs)\n return [cls(item=i) for i in pq_items.items()]\n",
"role": "user"
},
{
"content": "all",
"role": "assistant"
}
] |
def x(self, id, attributes=None):
if attributes:
return self.call('customer.info', [id, attributes])
else:
return self.call('customer.info', [id])
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id, attributes=None):\n if attributes:\n return self.call('customer.info', [id, attributes])\n else:\n return self.call('customer.info', [id])\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, filters=None, fields=None, limit=None, page=1):
options = {'imported': False, 'filters': filters or {}, 'fields':
fields or [], 'limit': limit or 1000, 'page': page}
return self.call('sales_order.search', [options])
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filters=None, fields=None, limit=None, page=1):\n options = {'imported': False, 'filters': filters or {}, 'fields': \n fields or [], 'limit': limit or 1000, 'page': page}\n return self.call('sales_order.search', [options])\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, order_increment_id, status, comment=None, notify=False):
if comment is None:
comment = ''
return bool(self.call('sales_order.addComment', [order_increment_id,
status, comment, notify]))
|
addcomment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, order_increment_id, status, comment=None, notify=False):\n if comment is None:\n comment = ''\n return bool(self.call('sales_order.addComment', [order_increment_id,\n status, comment, notify]))\n",
"role": "user"
},
{
"content": "addcomment",
"role": "assistant"
}
] |
def x(self, order_increment_id, creditmemo_data=None, comment=None, email=
False, include_comment=False, refund_to_store_credit_amount=None):
if comment is None:
comment = ''
return self.call('sales_order_creditmemo.create', [order_increment_id,
creditmemo_data, comment, email, include_comment,
refund_to_store_credit_amount])
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, order_increment_id, creditmemo_data=None, comment=None, email=\n False, include_comment=False, refund_to_store_credit_amount=None):\n if comment is None:\n comment = ''\n return self.call('sales_order_creditmemo.create', [order_increment_id,\n creditmemo_data, comment, email, include_comment,\n refund_to_store_credit_amount])\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, creditmemo_increment_id, comment, email=True, include_in_email=
False):
return bool(self.call('sales_order_creditmemo.addComment', [
creditmemo_increment_id, comment, email, include_in_email]))
|
addcomment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, creditmemo_increment_id, comment, email=True, include_in_email=\n False):\n return bool(self.call('sales_order_creditmemo.addComment', [\n creditmemo_increment_id, comment, email, include_in_email]))\n",
"role": "user"
},
{
"content": "addcomment",
"role": "assistant"
}
] |
def x(self, order_increment_id, items_qty, comment=None, email=True,
include_comment=False):
if comment is None:
comment = ''
return self.call('sales_order_shipment.create', [order_increment_id,
items_qty, comment, email, include_comment])
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, order_increment_id, items_qty, comment=None, email=True,\n include_comment=False):\n if comment is None:\n comment = ''\n return self.call('sales_order_shipment.create', [order_increment_id,\n items_qty, comment, email, include_comment])\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, shipment_increment_id, carrier, title, track_number):
return self.call('sales_order_shipment.addTrack', [
shipment_increment_id, carrier, title, track_number])
|
addtrack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shipment_increment_id, carrier, title, track_number):\n return self.call('sales_order_shipment.addTrack', [\n shipment_increment_id, carrier, title, track_number])\n",
"role": "user"
},
{
"content": "addtrack",
"role": "assistant"
}
] |
def x(self, invoice_increment_id, comment=None, email=False,
include_comment=False):
if comment is None:
comment = ''
return bool(self.call('sales_order_invoice.addComment', [
invoice_increment_id, comment, email, include_comment]))
|
addcomment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, invoice_increment_id, comment=None, email=False,\n include_comment=False):\n if comment is None:\n comment = ''\n return bool(self.call('sales_order_invoice.addComment', [\n invoice_increment_id, comment, email, include_comment]))\n",
"role": "user"
},
{
"content": "addcomment",
"role": "assistant"
}
] |
def x(url, protocol):
if protocol == 'soap':
ws_part = 'api/?wsdl'
elif protocol == 'xmlrpc':
ws_part = 'index.php/api/xmlrpc'
else:
ws_part = 'index.php/rest/V1'
return url.endswith('/') and url + ws_part or url + '/' + ws_part
|
expand_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, protocol):\n if protocol == 'soap':\n ws_part = 'api/?wsdl'\n elif protocol == 'xmlrpc':\n ws_part = 'index.php/api/xmlrpc'\n else:\n ws_part = 'index.php/rest/V1'\n return url.endswith('/') and url + ws_part or url + '/' + ws_part\n",
"role": "user"
},
{
"content": "expand_url",
"role": "assistant"
}
] |
def x(name):
s1 = re.sub('(.)([A-Z][a-z]+)', '\\1_\\2', name)
return re.sub('([a-z0-9])([A-Z])', '\\1_\\2', s1).lower()
|
camel_2_snake
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n s1 = re.sub('(.)([A-Z][a-z]+)', '\\\\1_\\\\2', name)\n return re.sub('([a-z0-9])([A-Z])', '\\\\1_\\\\2', s1).lower()\n",
"role": "user"
},
{
"content": "camel_2_snake",
"role": "assistant"
}
] |
def x(self, website=None, store_view=None, parent_category=None):
return self.call('catalog_category.level', [website, store_view,
parent_category])
|
level
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, website=None, store_view=None, parent_category=None):\n return self.call('catalog_category.level', [website, store_view,\n parent_category])\n",
"role": "user"
},
{
"content": "level",
"role": "assistant"
}
] |
def x(self, category_id, store_view=None, attributes=None):
return self.call('catalog_category.info', [category_id, store_view,
attributes])
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category_id, store_view=None, attributes=None):\n return self.call('catalog_category.info', [category_id, store_view,\n attributes])\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, parent_id, data, store_view=None):
return int(self.call('catalog_category.create', [parent_id, data,
store_view]))
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_id, data, store_view=None):\n return int(self.call('catalog_category.create', [parent_id, data,\n store_view]))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, category_id, data, store_view=None):
return bool(self.call('catalog_category.update', [category_id, data,
store_view]))
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category_id, data, store_view=None):\n return bool(self.call('catalog_category.update', [category_id, data,\n store_view]))\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, category_id, parent_id, after_id=None):
return bool(self.call('catalog_category.move', [category_id, parent_id,
after_id]))
|
move
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category_id, parent_id, after_id=None):\n return bool(self.call('catalog_category.move', [category_id, parent_id,\n after_id]))\n",
"role": "user"
},
{
"content": "move",
"role": "assistant"
}
] |
def x(self, category_id, product, position=None):
return bool(self.call('catalog_category.assignProduct', [category_id,
product, position]))
|
assignproduct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category_id, product, position=None):\n return bool(self.call('catalog_category.assignProduct', [category_id,\n product, position]))\n",
"role": "user"
},
{
"content": "assignproduct",
"role": "assistant"
}
] |
def x(self, category_id, product, position=None):
return bool(self.call('catalog_category.updateProduct', [category_id,
product, position]))
|
updateproduct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, category_id, product, position=None):\n return bool(self.call('catalog_category.updateProduct', [category_id,\n product, position]))\n",
"role": "user"
},
{
"content": "updateproduct",
"role": "assistant"
}
] |
def x(self, store_view=None):
args = [store_view] if store_view else []
return int(self.call('catalog_category_attribute.currentStore', args))
|
currentStore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, store_view=None):\n args = [store_view] if store_view else []\n return int(self.call('catalog_category_attribute.currentStore', args))\n",
"role": "user"
},
{
"content": "currentStore",
"role": "assistant"
}
] |
def x(self, product, store_view=None, attributes=None, identifierType=None):
return self.call('catalog_product.info', [product, store_view,
attributes, identifierType])
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, store_view=None, attributes=None, identifierType=None):\n return self.call('catalog_product.info', [product, store_view,\n attributes, identifierType])\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, product_type, attribute_set_id, sku, data):
return int(self.call('catalog_product.create', [product_type,
attribute_set_id, sku, data]))
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product_type, attribute_set_id, sku, data):\n return int(self.call('catalog_product.create', [product_type,\n attribute_set_id, sku, data]))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, product, data, store_view=None, identifierType=None):
return bool(self.call('catalog_product.update', [product, data,
store_view, identifierType]))
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, data, store_view=None, identifierType=None):\n return bool(self.call('catalog_product.update', [product, data,\n store_view, identifierType]))\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, product, special_price=None, from_date=None, to_date=None,
store_view=None, identifierType=None):
return bool(self.call('catalog_product.setSpecialPrice', [product,
special_price, from_date, to_date, store_view, identifierType]))
|
setSpecialPrice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, special_price=None, from_date=None, to_date=None,\n store_view=None, identifierType=None):\n return bool(self.call('catalog_product.setSpecialPrice', [product,\n special_price, from_date, to_date, store_view, identifierType]))\n",
"role": "user"
},
{
"content": "setSpecialPrice",
"role": "assistant"
}
] |
def x(self, product, store_view=None, identifierType=None):
return self.call('catalog_product.getSpecialPrice', [product,
store_view, identifierType])
|
getSpecialPrice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, store_view=None, identifierType=None):\n return self.call('catalog_product.getSpecialPrice', [product,\n store_view, identifierType])\n",
"role": "user"
},
{
"content": "getSpecialPrice",
"role": "assistant"
}
] |
def x(self, product, store_view=None, identifierType=None):
return self.call('catalog_product_attribute_media.list', [product,
store_view, identifierType])
|
list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, store_view=None, identifierType=None):\n return self.call('catalog_product_attribute_media.list', [product,\n store_view, identifierType])\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, product, image_file, store_view=None, identifierType=None):
return self.call('catalog_product_attribute_media.info', [product,
image_file, store_view, identifierType])
|
info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, image_file, store_view=None, identifierType=None):\n return self.call('catalog_product_attribute_media.info', [product,\n image_file, store_view, identifierType])\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
def x(self, product, data, store_view=None, identifierType=None):
return self.call('catalog_product_attribute_media.create', [product,
data, store_view, identifierType])
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, data, store_view=None, identifierType=None):\n return self.call('catalog_product_attribute_media.create', [product,\n data, store_view, identifierType])\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, product, img_file_name, data, store_view=None, identifierType=None
):
return self.call('catalog_product_attribute_media.update', [product,
img_file_name, data, store_view, identifierType])
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, img_file_name, data, store_view=None, identifierType=None\n ):\n return self.call('catalog_product_attribute_media.update', [product,\n img_file_name, data, store_view, identifierType])\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, product, img_file_name, identifierType=None):
return self.call('catalog_product_attribute_media.remove', [product,
img_file_name, identifierType])
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, img_file_name, identifierType=None):\n return self.call('catalog_product_attribute_media.remove', [product,\n img_file_name, identifierType])\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, link_type, product, identifierType=None):
return self.call('catalog_product_link.list', [link_type, product,
identifierType])
|
list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_type, product, identifierType=None):\n return self.call('catalog_product_link.list', [link_type, product,\n identifierType])\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, link_type, product, linked_product, data=None, identifierType=None
):
return bool(self.call('catalog_product_link.assign', [link_type,
product, linked_product, data, identifierType]))
|
assign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_type, product, linked_product, data=None, identifierType=None\n ):\n return bool(self.call('catalog_product_link.assign', [link_type,\n product, linked_product, data, identifierType]))\n",
"role": "user"
},
{
"content": "assign",
"role": "assistant"
}
] |
def x(self, link_type, product, linked_product, identifierType=None):
return bool(self.call('catalog_product_link.remove', [link_type,
product, linked_product, identifierType]))
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_type, product, linked_product, identifierType=None):\n return bool(self.call('catalog_product_link.remove', [link_type,\n product, linked_product, identifierType]))\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, product, linked_products, attributes):
return bool(self.call('ol_catalog_product_link.assign', [product,
linked_products, attributes]))
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, product, linked_products, attributes):\n return bool(self.call('ol_catalog_product_link.assign', [product,\n linked_products, attributes]))\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, quote_id, store_view=None, license_id=None):
return self.call('cart.order', [quote_id, store_view, license_id])
|
order
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, store_view=None, license_id=None):\n return self.call('cart.order', [quote_id, store_view, license_id])\n",
"role": "user"
},
{
"content": "order",
"role": "assistant"
}
] |
def x(self, quote_id, coupon_code, store_view=None):
return bool(self.call('cart_coupon.add', [quote_id, coupon_code,
store_view]))
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, coupon_code, store_view=None):\n return bool(self.call('cart_coupon.add', [quote_id, coupon_code,\n store_view]))\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, quote_id, address_data, store_view=None):
return bool(self.call('cart_customer.addresses', [quote_id,
address_data, store_view]))
|
addresses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, address_data, store_view=None):\n return bool(self.call('cart_customer.addresses', [quote_id,\n address_data, store_view]))\n",
"role": "user"
},
{
"content": "addresses",
"role": "assistant"
}
] |
def x(self, quote_id, customer_data, store_view=None):
return bool(self.call('cart_customer.set', [quote_id, customer_data,
store_view]))
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, customer_data, store_view=None):\n return bool(self.call('cart_customer.set', [quote_id, customer_data,\n store_view]))\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, quote_id, payment_data, store_view=None):
return bool(self.call('cart_payment.method', [quote_id, payment_data,
store_view]))
|
method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, payment_data, store_view=None):\n return bool(self.call('cart_payment.method', [quote_id, payment_data,\n store_view]))\n",
"role": "user"
},
{
"content": "method",
"role": "assistant"
}
] |
def x(self, quote_id, product_data, store_view=None):
return bool(self.call('cart_product.add', [quote_id, product_data,
store_view]))
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, product_data, store_view=None):\n return bool(self.call('cart_product.add', [quote_id, product_data,\n store_view]))\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, quote_id, product_data, store_view=None):
return bool(self.call('cart_product.moveToCustomerQuote', [quote_id,
product_data, store_view]))
|
move_to_customer_quote
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, product_data, store_view=None):\n return bool(self.call('cart_product.moveToCustomerQuote', [quote_id,\n product_data, store_view]))\n",
"role": "user"
},
{
"content": "move_to_customer_quote",
"role": "assistant"
}
] |
def x(self, quote_id, product_data, store_view=None):
return bool(self.call('cart_product.remove', [quote_id, product_data,
store_view]))
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, product_data, store_view=None):\n return bool(self.call('cart_product.remove', [quote_id, product_data,\n store_view]))\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, quote_id, product_data, store_view=None):
return bool(self.call('cart_product.update', [quote_id, product_data,
store_view]))
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, product_data, store_view=None):\n return bool(self.call('cart_product.update', [quote_id, product_data,\n store_view]))\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, quote_id, shipping_method, store_view=None):
return bool(self.call('cart_shipping.method', [quote_id,
shipping_method, store_view]))
|
method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quote_id, shipping_method, store_view=None):\n return bool(self.call('cart_shipping.method', [quote_id,\n shipping_method, store_view]))\n",
"role": "user"
},
{
"content": "method",
"role": "assistant"
}
] |
def x(ctx, remove_lib=True):
OUTPUT_DIR.mkdir(parents=True, exist_ok=True)
with ROOT.joinpath('Pipfile.lock').open() as f:
lockfile = plette.Lockfile.load(f)
libdir = OUTPUT_DIR.joinpath('lib')
paths = {'purelib': libdir, 'platlib': libdir}
sources = lockfile.meta.sources._data
maker = distlib.scripts.ScriptMaker(None, None)
for name, package in lockfile.default._data.items():
if name in DONT_PACKAGE:
continue
print(f'[pack] Installing {name}')
package.pop('editable', None)
package.pop('markers', None)
r = requirementslib.Requirement.from_pipfile(name, package)
wheel = passa.internals._pip.build_wheel(r.as_ireq(), sources, r.
hashes or None)
wheel.install(paths, maker, lib_only=True)
for pattern in IGNORE_LIB_PATTERNS:
for path in libdir.rglob(pattern):
print(f'[pack] Removing {path}')
path.unlink()
zipname = OUTPUT_DIR.joinpath('passa.zip')
with zipfile.ZipFile(zipname, 'w') as zf:
_recursive_write_to_zip(zf, OUTPUT_DIR)
_recursive_write_to_zip(zf, STUBFILES_DIR)
print(f'[pack] Written archive {zipname}')
if remove_lib and libdir.exists():
print(f'[pack] Removing {libdir}')
shutil.rmtree(str(libdir))
|
pack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, remove_lib=True):\n OUTPUT_DIR.mkdir(parents=True, exist_ok=True)\n with ROOT.joinpath('Pipfile.lock').open() as f:\n lockfile = plette.Lockfile.load(f)\n libdir = OUTPUT_DIR.joinpath('lib')\n paths = {'purelib': libdir, 'platlib': libdir}\n sources = lockfile.meta.sources._data\n maker = distlib.scripts.ScriptMaker(None, None)\n for name, package in lockfile.default._data.items():\n if name in DONT_PACKAGE:\n continue\n print(f'[pack] Installing {name}')\n package.pop('editable', None)\n package.pop('markers', None)\n r = requirementslib.Requirement.from_pipfile(name, package)\n wheel = passa.internals._pip.build_wheel(r.as_ireq(), sources, r.\n hashes or None)\n wheel.install(paths, maker, lib_only=True)\n for pattern in IGNORE_LIB_PATTERNS:\n for path in libdir.rglob(pattern):\n print(f'[pack] Removing {path}')\n path.unlink()\n zipname = OUTPUT_DIR.joinpath('passa.zip')\n with zipfile.ZipFile(zipname, 'w') as zf:\n _recursive_write_to_zip(zf, OUTPUT_DIR)\n _recursive_write_to_zip(zf, STUBFILES_DIR)\n print(f'[pack] Written archive {zipname}')\n if remove_lib and libdir.exists():\n print(f'[pack] Removing {libdir}')\n shutil.rmtree(str(libdir))\n",
"role": "user"
},
{
"content": "pack",
"role": "assistant"
}
] |
def x(ctx, type_, repo=None, prebump_to=PREBUMP):
unprebump(ctx)
if bump_release(ctx, type_=type_):
return
this_version = _read_version()
ctx.run('towncrier')
ctx.run(f'git commit -am "Release {this_version}"')
ctx.run(f'git tag -fa {this_version} -m "Version {this_version}"')
if repo:
if upload(ctx, repo=repo):
return
else:
print('[release] Missing --repo, skip uploading')
prebump(ctx, type_=prebump_to)
next_version = _read_version()
ctx.run(f'git commit -am "Prebump to {next_version}"')
|
release
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, type_, repo=None, prebump_to=PREBUMP):\n unprebump(ctx)\n if bump_release(ctx, type_=type_):\n return\n this_version = _read_version()\n ctx.run('towncrier')\n ctx.run(f'git commit -am \"Release {this_version}\"')\n ctx.run(f'git tag -fa {this_version} -m \"Version {this_version}\"')\n if repo:\n if upload(ctx, repo=repo):\n return\n else:\n print('[release] Missing --repo, skip uploading')\n prebump(ctx, type_=prebump_to)\n next_version = _read_version()\n ctx.run(f'git commit -am \"Prebump to {next_version}\"')\n",
"role": "user"
},
{
"content": "release",
"role": "assistant"
}
] |
def x(app, endpoint_type='url:1', get_endpoint_fn=None, latency_buckets=
None, mmc_period_sec=30, multiprocess_mode='all'):
multiprocess_on = 'prometheus_multiproc_dir' in os.environ
get_endpoint = endpoint.fn_by_type(endpoint_type, get_endpoint_fn)
memcollect_enabled = mmc_period_sec is not None
@app.listener('before_server_start')
def x(app, loop):
metrics.init(latency_buckets, multiprocess_mode, memcollect_enabled
=memcollect_enabled)
@app.middleware('request')
async def before_request(request):
if request.path != '/metrics':
metrics.before_request_handler(request)
@app.middleware('response')
async def before_response(request, response):
if request.path != '/metrics':
metrics.after_request_handler(request, response, get_endpoint)
if multiprocess_on:
@app.listener('after_server_stop')
def x(app, loop):
multiprocess.mark_process_dead(os.getpid())
elif memcollect_enabled:
@app.listener('before_server_start')
async def start_memcollect_task(app, loop):
app.memcollect_task = loop.create_task(metrics.
periodic_memcollect_task(mmc_period_sec, loop))
@app.listener('after_server_stop')
async def stop_memcollect_task(app, loop):
app.memcollect_task.cancel()
return MonitorSetup(app, multiprocess_on)
|
monitor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, endpoint_type='url:1', get_endpoint_fn=None, latency_buckets=\n None, mmc_period_sec=30, multiprocess_mode='all'):\n multiprocess_on = 'prometheus_multiproc_dir' in os.environ\n get_endpoint = endpoint.fn_by_type(endpoint_type, get_endpoint_fn)\n memcollect_enabled = mmc_period_sec is not None\n\n @app.listener('before_server_start')\n def x(app, loop):\n metrics.init(latency_buckets, multiprocess_mode, memcollect_enabled\n =memcollect_enabled)\n\n @app.middleware('request')\n async def before_request(request):\n if request.path != '/metrics':\n metrics.before_request_handler(request)\n\n @app.middleware('response')\n async def before_response(request, response):\n if request.path != '/metrics':\n metrics.after_request_handler(request, response, get_endpoint)\n if multiprocess_on:\n\n @app.listener('after_server_stop')\n def x(app, loop):\n multiprocess.mark_process_dead(os.getpid())\n elif memcollect_enabled:\n\n @app.listener('before_server_start')\n async def start_memcollect_task(app, loop):\n app.memcollect_task = loop.create_task(metrics.\n periodic_memcollect_task(mmc_period_sec, loop))\n\n @app.listener('after_server_stop')\n async def stop_memcollect_task(app, loop):\n app.memcollect_task.cancel()\n return MonitorSetup(app, multiprocess_on)\n",
"role": "user"
},
{
"content": "monitor",
"role": "assistant"
}
] |
def x(self):
@self._app.route('/metrics', methods=['GET'])
async def expose_metrics(request):
return raw(self._get_metrics_data(), content_type=CONTENT_TYPE_LATEST)
|
expose_endpoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n @self._app.route('/metrics', methods=['GET'])\n async def expose_metrics(request):\n return raw(self._get_metrics_data(), content_type=CONTENT_TYPE_LATEST)\n",
"role": "user"
},
{
"content": "expose_endpoint",
"role": "assistant"
}
] |
def x(self, addr='', port=8000):
if self._multiprocess_on:
raise SanicPrometheusError(
'start_server can not be used when multiprocessing ' +
'is turned on')
start_http_server(addr=addr, port=port)
|
start_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr='', port=8000):\n if self._multiprocess_on:\n raise SanicPrometheusError(\n 'start_server can not be used when multiprocessing ' +\n 'is turned on')\n start_http_server(addr=addr, port=port)\n",
"role": "user"
},
{
"content": "start_server",
"role": "assistant"
}
] |
def x(inpath: str, outpath: str, view: View, config: nx.DiGraph=None) ->str:
config = default_config() if config is None else config
config = remove_node_attributes(config, 'converters')
feed = load_feed(inpath, view, config)
return write_feed_dangerously(feed, outpath)
|
extract_feed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inpath: str, outpath: str, view: View, config: nx.DiGraph=None) ->str:\n config = default_config() if config is None else config\n config = remove_node_attributes(config, 'converters')\n feed = load_feed(inpath, view, config)\n return write_feed_dangerously(feed, outpath)\n",
"role": "user"
},
{
"content": "extract_feed",
"role": "assistant"
}
] |
def x(feed: Feed, outpath: str, nodes: Optional[Collection[str]]=None) ->str:
nodes = DEFAULT_NODES if nodes is None else nodes
try:
tmpdir = tempfile.mkdtemp()
def x(node):
df = feed.get(node)
if not df.empty:
path = os.path.join(tmpdir, node)
df.to_csv(path, index=False)
pool = ThreadPool(len(nodes))
try:
pool.map(write_node, nodes)
finally:
pool.terminate()
if outpath.endswith('.zip'):
outpath, _ = os.path.splitext(outpath)
outpath = shutil.make_archive(outpath, 'zip', tmpdir)
finally:
shutil.rmtree(tmpdir)
return outpath
|
write_feed_dangerously
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(feed: Feed, outpath: str, nodes: Optional[Collection[str]]=None) ->str:\n nodes = DEFAULT_NODES if nodes is None else nodes\n try:\n tmpdir = tempfile.mkdtemp()\n\n def x(node):\n df = feed.get(node)\n if not df.empty:\n path = os.path.join(tmpdir, node)\n df.to_csv(path, index=False)\n pool = ThreadPool(len(nodes))\n try:\n pool.map(write_node, nodes)\n finally:\n pool.terminate()\n if outpath.endswith('.zip'):\n outpath, _ = os.path.splitext(outpath)\n outpath = shutil.make_archive(outpath, 'zip', tmpdir)\n finally:\n shutil.rmtree(tmpdir)\n return outpath\n",
"role": "user"
},
{
"content": "write_feed_dangerously",
"role": "assistant"
}
] |
def x(path: str) ->Tuple[datetime.date, FrozenSet[str]]:
feed = load_raw_feed(path)
return _busiest_date(feed)
|
read_busiest_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->Tuple[datetime.date, FrozenSet[str]]:\n feed = load_raw_feed(path)\n return _busiest_date(feed)\n",
"role": "user"
},
{
"content": "read_busiest_date",
"role": "assistant"
}
] |
def x(path: str) ->Dict[datetime.date, FrozenSet[str]]:
feed = load_raw_feed(path)
return _busiest_week(feed)
|
read_busiest_week
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->Dict[datetime.date, FrozenSet[str]]:\n feed = load_raw_feed(path)\n return _busiest_week(feed)\n",
"role": "user"
},
{
"content": "read_busiest_week",
"role": "assistant"
}
] |
def x(path: str) ->Dict[datetime.date, FrozenSet[str]]:
feed = load_raw_feed(path)
return _service_ids_by_date(feed)
|
read_service_ids_by_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->Dict[datetime.date, FrozenSet[str]]:\n feed = load_raw_feed(path)\n return _service_ids_by_date(feed)\n",
"role": "user"
},
{
"content": "read_service_ids_by_date",
"role": "assistant"
}
] |
def x(path: str) ->Dict[FrozenSet[str], FrozenSet[datetime.date]]:
feed = load_raw_feed(path)
return _dates_by_service_ids(feed)
|
read_dates_by_service_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->Dict[FrozenSet[str], FrozenSet[datetime.date]]:\n feed = load_raw_feed(path)\n return _dates_by_service_ids(feed)\n",
"role": "user"
},
{
"content": "read_dates_by_service_ids",
"role": "assistant"
}
] |
def x(path: str) ->Dict[datetime.date, int]:
feed = load_raw_feed(path)
return _trip_counts_by_date(feed)
|
read_trip_counts_by_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->Dict[datetime.date, int]:\n feed = load_raw_feed(path)\n return _trip_counts_by_date(feed)\n",
"role": "user"
},
{
"content": "read_trip_counts_by_date",
"role": "assistant"
}
] |
def x(path: str, view: View, config: nx.DiGraph) ->Feed:
config_ = remove_node_attributes(config, ['converters', 'transformations'])
feed_ = Feed(path, view={}, config=config_)
for filename, column_filters in view.items():
config_ = reroot_graph(config_, filename)
view_ = {filename: column_filters}
feed_ = Feed(feed_, view=view_, config=config_)
return Feed(feed_, config=config)
|
load_feed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str, view: View, config: nx.DiGraph) ->Feed:\n config_ = remove_node_attributes(config, ['converters', 'transformations'])\n feed_ = Feed(path, view={}, config=config_)\n for filename, column_filters in view.items():\n config_ = reroot_graph(config_, filename)\n view_ = {filename: column_filters}\n feed_ = Feed(feed_, view=view_, config=config_)\n return Feed(feed_, config=config)\n",
"role": "user"
},
{
"content": "load_feed",
"role": "assistant"
}
] |
def x(self, filename: str, df: pd.DataFrame) ->pd.DataFrame:
view = self._view.get(filename)
if view is None:
return df
for col, values in view.items():
if col in df.columns:
df = df[df[col].isin(setwrap(values))]
return df
|
filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename: str, df: pd.DataFrame) ->pd.DataFrame:\n view = self._view.get(filename)\n if view is None:\n return df\n for col, values in view.items():\n if col in df.columns:\n df = df[df[col].isin(setwrap(values))]\n return df\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self, filename: str, df: pd.DataFrame) ->pd.DataFrame:
dependencies = []
for _, depf, data in self._config.out_edges(filename, data=True):
deps = data.get('dependencies')
if deps is None:
msg = f'Edge missing `dependencies` attribute: {filename}->{depf}'
raise ValueError(msg)
dependencies.append((depf, deps))
if not dependencies:
return df
for depfile, column_pairs in dependencies:
depdf = self.get(depfile)
for deps in column_pairs:
col = deps[filename]
depcol = deps[depfile]
if col in df.columns and depcol in depdf.columns:
df = df[df[col].isin(depdf[depcol])]
return df
|
prune
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename: str, df: pd.DataFrame) ->pd.DataFrame:\n dependencies = []\n for _, depf, data in self._config.out_edges(filename, data=True):\n deps = data.get('dependencies')\n if deps is None:\n msg = f'Edge missing `dependencies` attribute: {filename}->{depf}'\n raise ValueError(msg)\n dependencies.append((depf, deps))\n if not dependencies:\n return df\n for depfile, column_pairs in dependencies:\n depdf = self.get(depfile)\n for deps in column_pairs:\n col = deps[filename]\n depcol = deps[depfile]\n if col in df.columns and depcol in depdf.columns:\n df = df[df[col].isin(depdf[depcol])]\n return df\n",
"role": "user"
},
{
"content": "prune",
"role": "assistant"
}
] |
def x(self, filename: str, df: pd.DataFrame) ->None:
if df.empty:
return
converters = self._config.nodes.get(filename, {}).get('converters', {})
for col, converter in converters.items():
if col in df.columns:
df[col] = converter(df[col])
|
convert_types
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename: str, df: pd.DataFrame) ->None:\n if df.empty:\n return\n converters = self._config.nodes.get(filename, {}).get('converters', {})\n for col, converter in converters.items():\n if col in df.columns:\n df[col] = converter(df[col])\n",
"role": "user"
},
{
"content": "convert_types",
"role": "assistant"
}
] |
def x(G: nx.DiGraph, node: str) ->nx.DiGraph:
G = G.copy()
for n, successors in list(nx.bfs_successors(G, source=node)):
for s in successors:
G.add_edge(s, n, **G.edges[n, s])
G.remove_edge(n, s)
return G
|
reroot_graph
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: nx.DiGraph, node: str) ->nx.DiGraph:\n G = G.copy()\n for n, successors in list(nx.bfs_successors(G, source=node)):\n for s in successors:\n G.add_edge(s, n, **G.edges[n, s])\n G.remove_edge(n, s)\n return G\n",
"role": "user"
},
{
"content": "reroot_graph",
"role": "assistant"
}
] |
def x(value: Any) ->Set[str]:
return set(map(str, set(flatten([value]))))
|
setwrap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value: Any) ->Set[str]:\n return set(map(str, set(flatten([value]))))\n",
"role": "user"
},
{
"content": "setwrap",
"role": "assistant"
}
] |
def x(G: nx.DiGraph, attributes: Union[str, Iterable[str]]):
G = G.copy()
for _, data in G.nodes(data=True):
for attribute in setwrap(attributes):
if attribute in data:
del data[attribute]
return G
|
remove_node_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G: nx.DiGraph, attributes: Union[str, Iterable[str]]):\n G = G.copy()\n for _, data in G.nodes(data=True):\n for attribute in setwrap(attributes):\n if attribute in data:\n del data[attribute]\n return G\n",
"role": "user"
},
{
"content": "remove_node_attributes",
"role": "assistant"
}
] |
def x(topic):
if not isinstance(topic, string_types):
raise TypeError('topic={!r} must be text'.format(topic))
if not isinstance(topic, text_type):
topic = topic.decode('ascii')
if len(topic) < 1:
raise ValueError('invalid empty topic name')
if len(topic) > 249:
raise ValueError('topic={!r} name is too long: {} > 249'.format(
topic, len(topic)))
return topic
|
coerce_topic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topic):\n if not isinstance(topic, string_types):\n raise TypeError('topic={!r} must be text'.format(topic))\n if not isinstance(topic, text_type):\n topic = topic.decode('ascii')\n if len(topic) < 1:\n raise ValueError('invalid empty topic name')\n if len(topic) > 249:\n raise ValueError('topic={!r} name is too long: {} > 249'.format(\n topic, len(topic)))\n return topic\n",
"role": "user"
},
{
"content": "coerce_topic",
"role": "assistant"
}
] |
def x(consumer_group):
if not isinstance(consumer_group, string_types):
raise TypeError('consumer_group={!r} must be text'.format(
consumer_group))
if not isinstance(consumer_group, text_type):
consumer_group = consumer_group.decode('utf-8')
return consumer_group
|
coerce_consumer_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(consumer_group):\n if not isinstance(consumer_group, string_types):\n raise TypeError('consumer_group={!r} must be text'.format(\n consumer_group))\n if not isinstance(consumer_group, text_type):\n consumer_group = consumer_group.decode('utf-8')\n return consumer_group\n",
"role": "user"
},
{
"content": "coerce_consumer_group",
"role": "assistant"
}
] |
def x(client_id):
if isinstance(client_id, type(u'')):
client_id = client_id.encode('utf-8')
if not isinstance(client_id, bytes):
raise TypeError(
'{!r} is not a valid consumer group (must be str or bytes)'.
format(client_id))
return client_id
|
coerce_client_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_id):\n if isinstance(client_id, type(u'')):\n client_id = client_id.encode('utf-8')\n if not isinstance(client_id, bytes):\n raise TypeError(\n '{!r} is not a valid consumer group (must be str or bytes)'.\n format(client_id))\n return client_id\n",
"role": "user"
},
{
"content": "coerce_client_id",
"role": "assistant"
}
] |
def x(s):
if s is None:
return _NULL_SHORT_STRING
if not isinstance(s, string_types):
raise TypeError('{!r} is not text'.format(s))
return write_short_bytes(s.encode('ascii'))
|
write_short_ascii
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if s is None:\n return _NULL_SHORT_STRING\n if not isinstance(s, string_types):\n raise TypeError('{!r} is not text'.format(s))\n return write_short_bytes(s.encode('ascii'))\n",
"role": "user"
},
{
"content": "write_short_ascii",
"role": "assistant"
}
] |
def x(b):
if b is None:
return _NULL_SHORT_STRING
if not isinstance(b, bytes):
raise TypeError('{!r} is not bytes'.format(b))
elif len(b) > 32767:
raise struct.error(len(b))
else:
return struct.pack('>h', len(b)) + b
|
write_short_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b):\n if b is None:\n return _NULL_SHORT_STRING\n if not isinstance(b, bytes):\n raise TypeError('{!r} is not bytes'.format(b))\n elif len(b) > 32767:\n raise struct.error(len(b))\n else:\n return struct.pack('>h', len(b)) + b\n",
"role": "user"
},
{
"content": "write_short_bytes",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.