source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, connection):
if connection.has_timeouted:
bambou_logger.info('NURESTConnection has timeout.')
return
has_callbacks = connection.has_callbacks()
should_post = not has_callbacks
if connection.handle_response_for_connection(should_post=should_post
) and has_callbacks:
callback = connection.callbacks['local']
callback(connection)
| did_receive_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n if connection.has_timeouted:\n bambou_logger.info('NURESTConnection has timeout.')\n return\n has_callbacks = connection.has_callbacks()\n should_post = not has_callbacks\n if connection.handle_response_for_connection(should_post=should_post\n ) and has_callbacks:\n callback = connection.callbacks['local']\n callback(connection)\n",
"role": "user"
},
{
"content": "did_receive_response",
"role": "assistant"
}
] |
def x(self, connection):
response = connection.response
try:
self.from_dict(response.data[0])
except:
pass
return self._did_perform_standard_operation(connection)
| did_retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n response = connection.response\n try:\n self.from_dict(response.data[0])\n except:\n pass\n return self._did_perform_standard_operation(connection)\n",
"role": "user"
},
{
"content": "did_retrieve",
"role": "assistant"
}
] |
def x(self, connection):
response = connection.response
try:
connection.user_info['nurest_object'].from_dict(response.data[0])
except Exception:
pass
return self._did_perform_standard_operation(connection)
| did_create_child | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n response = connection.response\n try:\n connection.user_info['nurest_object'].from_dict(response.data[0])\n except Exception:\n pass\n return self._did_perform_standard_operation(connection)\n",
"role": "user"
},
{
"content": "did_create_child",
"role": "assistant"
}
] |
def x(self, rest_object):
if not self.equals(rest_object):
return False
return self.to_dict() == rest_object.to_dict()
| rest_equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rest_object):\n if not self.equals(rest_object):\n return False\n return self.to_dict() == rest_object.to_dict()\n",
"role": "user"
},
{
"content": "rest_equals",
"role": "assistant"
}
] |
def x(self, rest_object):
if self._is_dirty:
return False
if rest_object is None:
return False
if not isinstance(rest_object, NURESTObject):
raise TypeError('The object is not a NURESTObject %s' % rest_object)
if self.rest_name != rest_object.rest_name:
return False
if self.id and rest_object.id:
return self.id == rest_object.id
if self.local_id and rest_object.local_id:
return self.local_id == rest_object.local_id
return False
| equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rest_object):\n if self._is_dirty:\n return False\n if rest_object is None:\n return False\n if not isinstance(rest_object, NURESTObject):\n raise TypeError('The object is not a NURESTObject %s' % rest_object)\n if self.rest_name != rest_object.rest_name:\n return False\n if self.id and rest_object.id:\n return self.id == rest_object.id\n if self.local_id and rest_object.local_id:\n return self.local_id == rest_object.local_id\n return False\n",
"role": "user"
},
{
"content": "equals",
"role": "assistant"
}
] |
def x(request):
if 'HTTP_X_FORWARDED_FOR' in request.META:
return request.META['HTTP_X_FORWARDED_FOR'].split(',')[0].strip()
else:
return request.META['REMOTE_ADDR']
| get_ip_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if 'HTTP_X_FORWARDED_FOR' in request.META:\n return request.META['HTTP_X_FORWARDED_FOR'].split(',')[0].strip()\n else:\n return request.META['REMOTE_ADDR']\n",
"role": "user"
},
{
"content": "get_ip_address",
"role": "assistant"
}
] |
def x(self, customer):
estimates = self.get_price_estimates_for_customer(customer)
if not estimates:
return []
tables = {model: collections.defaultdict(list) for model in self.
get_estimated_models()}
dates = set()
for estimate in estimates:
date = estimate.year, estimate.month
dates.add(date)
cls = estimate.content_type.model_class()
for model, table in tables.items():
if issubclass(cls, model):
table[date].append(estimate)
break
invalid_estimates = []
for date in dates:
if any(map(lambda table: len(table[date]) == 0, tables.values())):
for table in tables.values():
invalid_estimates.extend(table[date])
print(invalid_estimates)
return invalid_estimates
| get_estimates_without_scope_in_month | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, customer):\n estimates = self.get_price_estimates_for_customer(customer)\n if not estimates:\n return []\n tables = {model: collections.defaultdict(list) for model in self.\n get_estimated_models()}\n dates = set()\n for estimate in estimates:\n date = estimate.year, estimate.month\n dates.add(date)\n cls = estimate.content_type.model_class()\n for model, table in tables.items():\n if issubclass(cls, model):\n table[date].append(estimate)\n break\n invalid_estimates = []\n for date in dates:\n if any(map(lambda table: len(table[date]) == 0, tables.values())):\n for table in tables.values():\n invalid_estimates.extend(table[date])\n print(invalid_estimates)\n return invalid_estimates\n",
"role": "user"
},
{
"content": "get_estimates_without_scope_in_month",
"role": "assistant"
}
] |
def x(self, is_identifier):
if is_identifier:
self.is_editable = False
self._is_identifier = is_identifier
| is_identifier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, is_identifier):\n if is_identifier:\n self.is_editable = False\n self._is_identifier = is_identifier\n",
"role": "user"
},
{
"content": "is_identifier",
"role": "assistant"
}
] |
def x(self, is_password):
if is_password:
self.is_forgetable = True
self._is_password = is_password
| is_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, is_password):\n if is_password:\n self.is_forgetable = True\n self._is_password = is_password\n",
"role": "user"
},
{
"content": "is_password",
"role": "assistant"
}
] |
def x(self, choices):
if choices is not None and len(choices) > 0:
self.has_choices = True
self._choices = choices
| choices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, choices):\n if choices is not None and len(choices) > 0:\n self.has_choices = True\n self._choices = choices\n",
"role": "user"
},
{
"content": "choices",
"role": "assistant"
}
] |
def x(self):
if self.choices:
return self.choices[0]
value = self.attribute_type()
if self.attribute_type is time:
value = int(value)
elif self.attribute_type is str:
value = 'A'
if self.min_length:
if self.attribute_type is str:
value = value.ljust(self.min_length, 'a')
elif self.attribute_type is int:
value = self.min_length
elif self.max_length:
if self.attribute_type is str:
value = value.ljust(self.max_length, 'a')
elif self.attribute_type is int:
value = self.max_length
return value
| get_default_value | [
{
"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.choices:\n return self.choices[0]\n value = self.attribute_type()\n if self.attribute_type is time:\n value = int(value)\n elif self.attribute_type is str:\n value = 'A'\n if self.min_length:\n if self.attribute_type is str:\n value = value.ljust(self.min_length, 'a')\n elif self.attribute_type is int:\n value = self.min_length\n elif self.max_length:\n if self.attribute_type is str:\n value = value.ljust(self.max_length, 'a')\n elif self.attribute_type is int:\n value = self.max_length\n return value\n",
"role": "user"
},
{
"content": "get_default_value",
"role": "assistant"
}
] |
def x(self):
value = self.get_default_value()
if self.attribute_type is str:
min_value = value[:self.min_length - 1]
elif self.attribute_type is int:
min_value = self.min_length - 1
else:
raise TypeError('Attribute %s can not have a minimum value' % self.
local_name)
return min_value
| get_min_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.get_default_value()\n if self.attribute_type is str:\n min_value = value[:self.min_length - 1]\n elif self.attribute_type is int:\n min_value = self.min_length - 1\n else:\n raise TypeError('Attribute %s can not have a minimum value' % self.\n local_name)\n return min_value\n",
"role": "user"
},
{
"content": "get_min_value",
"role": "assistant"
}
] |
def x(self):
value = self.get_default_value()
if self.attribute_type is str:
max_value = value.ljust(self.max_length + 1, 'a')
elif self.attribute_type is int:
max_value = self.max_length + 1
else:
raise TypeError('Attribute %s can not have a maximum value' % self.
local_name)
return max_value
| get_max_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n value = self.get_default_value()\n if self.attribute_type is str:\n max_value = value.ljust(self.max_length + 1, 'a')\n elif self.attribute_type is int:\n max_value = self.max_length + 1\n else:\n raise TypeError('Attribute %s can not have a maximum value' % self.\n local_name)\n return max_value\n",
"role": "user"
},
{
"content": "get_max_value",
"role": "assistant"
}
] |
def x(self, api_urls=None):
api_root_dict = OrderedDict()
list_name = self.routes[0].name
for prefix, viewset, basename in self.registry:
api_root_dict[prefix] = list_name.format(basename=basename)
class APIRootView(views.APIView):
_ignore_model_permissions = True
exclude_from_schema = True
def x(self, request, *args, **kwargs):
ret = OrderedDict()
namespace = request.resolver_match.namespace
for key, url_name in sorted(api_root_dict.items(), key=
itemgetter(0)):
if namespace:
url_name = namespace + ':' + url_name
try:
ret[key] = reverse(url_name, args=args, kwargs=kwargs,
request=request, format=kwargs.get('format', None))
except NoReverseMatch:
continue
return Response(ret)
return APIRootView.as_view()
| get_api_root_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, api_urls=None):\n api_root_dict = OrderedDict()\n list_name = self.routes[0].name\n for prefix, viewset, basename in self.registry:\n api_root_dict[prefix] = list_name.format(basename=basename)\n\n\n class APIRootView(views.APIView):\n _ignore_model_permissions = True\n exclude_from_schema = True\n\n def x(self, request, *args, **kwargs):\n ret = OrderedDict()\n namespace = request.resolver_match.namespace\n for key, url_name in sorted(api_root_dict.items(), key=\n itemgetter(0)):\n if namespace:\n url_name = namespace + ':' + url_name\n try:\n ret[key] = reverse(url_name, args=args, kwargs=kwargs,\n request=request, format=kwargs.get('format', None))\n except NoReverseMatch:\n continue\n return Response(ret)\n return APIRootView.as_view()\n",
"role": "user"
},
{
"content": "get_api_root_view",
"role": "assistant"
}
] |
def x(self, viewset):
queryset = getattr(viewset, 'queryset', None)
if queryset is not None:
get_url_name = getattr(queryset.model, 'get_url_name', None)
if get_url_name is not None:
return get_url_name()
return super(SortedDefaultRouter, self).get_default_base_name(viewset)
| get_default_base_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, viewset):\n queryset = getattr(viewset, 'queryset', None)\n if queryset is not None:\n get_url_name = getattr(queryset.model, 'get_url_name', None)\n if get_url_name is not None:\n return get_url_name()\n return super(SortedDefaultRouter, self).get_default_base_name(viewset)\n",
"role": "user"
},
{
"content": "get_default_base_name",
"role": "assistant"
}
] |
def x(sender, structure, user, role, signal, **kwargs):
assert signal in (signals.structure_role_granted, signals.
structure_role_revoked
), 'Handler "change_customer_nc_users_quota" has to be used only with structure_role signals'
assert sender in (Customer, Project
), 'Handler "change_customer_nc_users_quota" works only with Project and Customer models'
if sender == Customer:
customer = structure
elif sender == Project:
customer = structure.customer
customer_users = customer.get_users()
customer.set_quota_usage(Customer.Quotas.nc_user_count, customer_users.
count())
| change_customer_nc_users_quota | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, structure, user, role, signal, **kwargs):\n assert signal in (signals.structure_role_granted, signals.\n structure_role_revoked\n ), 'Handler \"change_customer_nc_users_quota\" has to be used only with structure_role signals'\n assert sender in (Customer, Project\n ), 'Handler \"change_customer_nc_users_quota\" works only with Project and Customer models'\n if sender == Customer:\n customer = structure\n elif sender == Project:\n customer = structure.customer\n customer_users = customer.get_users()\n customer.set_quota_usage(Customer.Quotas.nc_user_count, customer_users.\n count())\n",
"role": "user"
},
{
"content": "change_customer_nc_users_quota",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
service = instance
try:
service_settings = service.settings
except ServiceSettings.DoesNotExist:
return
if not service_settings.shared:
service.settings.delete()
| delete_service_settings_on_service_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n service = instance\n try:\n service_settings = service.settings\n except ServiceSettings.DoesNotExist:\n return\n if not service_settings.shared:\n service.settings.delete()\n",
"role": "user"
},
{
"content": "delete_service_settings_on_service_delete",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
for service_settings in ServiceSettings.objects.filter(scope=instance):
service_settings.unlink_descendants()
service_settings.delete()
| delete_service_settings_on_scope_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n for service_settings in ServiceSettings.objects.filter(scope=instance):\n service_settings.unlink_descendants()\n service_settings.delete()\n",
"role": "user"
},
{
"content": "delete_service_settings_on_scope_delete",
"role": "assistant"
}
] |
def x(self, url):
if url and url.endswith('/'):
url = url[:-1]
self._url = url
| url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n if url and url.endswith('/'):\n url = url[:-1]\n self._url = url\n",
"role": "user"
},
{
"content": "url",
"role": "assistant"
}
] |
def x(self, user=None, api_key=None, password=None, certificate=None):
if not user:
user = self.user
if not api_key:
api_key = self.api_key
if not password:
password = self.password
if not password:
password = self.password
if not certificate:
certificate = self._certificate
if certificate:
return 'XREST %s' % urlsafe_b64encode('{}:'.format(user).encode(
'utf-8')).decode('utf-8')
if api_key:
return 'XREST %s' % urlsafe_b64encode('{}:{}'.format(user, api_key)
.encode('utf-8')).decode('utf-8')
return 'XREST %s' % urlsafe_b64encode('{}:{}'.format(user, password).
encode('utf-8')).decode('utf-8')
| get_authentication_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user=None, api_key=None, password=None, certificate=None):\n if not user:\n user = self.user\n if not api_key:\n api_key = self.api_key\n if not password:\n password = self.password\n if not password:\n password = self.password\n if not certificate:\n certificate = self._certificate\n if certificate:\n return 'XREST %s' % urlsafe_b64encode('{}:'.format(user).encode(\n 'utf-8')).decode('utf-8')\n if api_key:\n return 'XREST %s' % urlsafe_b64encode('{}:{}'.format(user, api_key)\n .encode('utf-8')).decode('utf-8')\n return 'XREST %s' % urlsafe_b64encode('{}:{}'.format(user, password).\n encode('utf-8')).decode('utf-8')\n",
"role": "user"
},
{
"content": "get_authentication_header",
"role": "assistant"
}
] |
def x(self):
self._is_impersonating = False
self._impersonation = None
self.user = None
self.password = None
self.api_key = None
self.enterprise = None
self.url = None
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._is_impersonating = False\n self._impersonation = None\n self.user = None\n self.password = None\n self.api_key = None\n self.enterprise = None\n self.url = None\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, user, enterprise):
if not user or not enterprise:
raise ValueError(
'You must set a user name and an enterprise name to begin impersonification'
)
self._is_impersonating = True
self._impersonation = '%s@%s' % (user, enterprise)
| impersonate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, enterprise):\n if not user or not enterprise:\n raise ValueError(\n 'You must set a user name and an enterprise name to begin impersonification'\n )\n self._is_impersonating = True\n self._impersonation = '%s@%s' % (user, enterprise)\n",
"role": "user"
},
{
"content": "impersonate",
"role": "assistant"
}
] |
def x(self, controller):
if controller is None:
return False
return (self.user == controller.user and self.enterprise == controller.
enterprise and self.url == controller.url)
| equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, controller):\n if controller is None:\n return False\n return (self.user == controller.user and self.enterprise == controller.\n enterprise and self.url == controller.url)\n",
"role": "user"
},
{
"content": "equals",
"role": "assistant"
}
] |
def x(server, root_url):
def x(environ, start_response):
root = root_url.lstrip('/')
tail, get = (util.request_uri(environ).split('?') + [''])[:2]
tail = tail[len(util.application_uri(environ)):]
tail = tail.lstrip('/')
result = []
content_type = 'text/plain'
status = '200 OK'
if tail.startswith(root):
tail = tail[len(root):]
get = parse_qs(get)
method = environ['REQUEST_METHOD']
text, post = '', {}
if method == 'POST':
text = environ['wsgi.input'].read(int(environ.get(
'CONTENT_LENGTH', 0)))
post = parse_qs(text)
response = server.process_request(Request(tail, text, get, post,
{}))
content_type = response.content_type
status = get_http_response_code(response)
result.append(response.text)
headers = [('Content-type', content_type)]
start_response(status, headers)
return result
return serve
| create_application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(server, root_url):\n\n def x(environ, start_response):\n root = root_url.lstrip('/')\n tail, get = (util.request_uri(environ).split('?') + [''])[:2]\n tail = tail[len(util.application_uri(environ)):]\n tail = tail.lstrip('/')\n result = []\n content_type = 'text/plain'\n status = '200 OK'\n if tail.startswith(root):\n tail = tail[len(root):]\n get = parse_qs(get)\n method = environ['REQUEST_METHOD']\n text, post = '', {}\n if method == 'POST':\n text = environ['wsgi.input'].read(int(environ.get(\n 'CONTENT_LENGTH', 0)))\n post = parse_qs(text)\n response = server.process_request(Request(tail, text, get, post,\n {}))\n content_type = response.content_type\n status = get_http_response_code(response)\n result.append(response.text)\n headers = [('Content-type', content_type)]\n start_response(status, headers)\n return result\n return serve\n",
"role": "user"
},
{
"content": "create_application",
"role": "assistant"
}
] |
def x(paramstyle='named'):
dialect = SQLiteDialect_pysqlite(json_serializer=json.dumps,
json_deserializer=json_deserializer, paramstyle=paramstyle)
dialect.default_paramstyle = paramstyle
dialect.statement_compiler = ACompiler_sqlite
return dialect
| compiler_dialect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(paramstyle='named'):\n dialect = SQLiteDialect_pysqlite(json_serializer=json.dumps,\n json_deserializer=json_deserializer, paramstyle=paramstyle)\n dialect.default_paramstyle = paramstyle\n dialect.statement_compiler = ACompiler_sqlite\n return dialect\n",
"role": "user"
},
{
"content": "compiler_dialect",
"role": "assistant"
}
] |
def x(database, minsize=1, maxsize=10, loop=None, dialect=_dialect,
paramstyle=None, **kwargs):
coro = _create_engine(database=database, minsize=minsize, maxsize=
maxsize, loop=loop, dialect=dialect, paramstyle=paramstyle, **kwargs)
return _EngineContextManager(coro)
| create_engine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(database, minsize=1, maxsize=10, loop=None, dialect=_dialect,\n paramstyle=None, **kwargs):\n coro = _create_engine(database=database, minsize=minsize, maxsize=\n maxsize, loop=loop, dialect=dialect, paramstyle=paramstyle, **kwargs)\n return _EngineContextManager(coro)\n",
"role": "user"
},
{
"content": "create_engine",
"role": "assistant"
}
] |
def x(self, conn):
if conn.in_transaction:
raise InvalidRequestError(
'Cannot release a connection with not finished transaction')
raw = conn.connection
res = yield from self._pool.release(raw)
return res
| release | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conn):\n if conn.in_transaction:\n raise InvalidRequestError(\n 'Cannot release a connection with not finished transaction')\n raw = conn.connection\n res = yield from self._pool.release(raw)\n return res\n",
"role": "user"
},
{
"content": "release",
"role": "assistant"
}
] |
def x(cls, resource):
strategy = cls._get_strategy(resource.__class__)
return strategy.get_configuration(resource)
| get_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resource):\n strategy = cls._get_strategy(resource.__class__)\n return strategy.get_configuration(resource)\n",
"role": "user"
},
{
"content": "get_configuration",
"role": "assistant"
}
] |
def x(self):
if not self._closed:
self._closed = True
yield from self._cursor.close()
self._cursor = None
self._weak = None
else:
pass
| close | [
{
"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._closed:\n self._closed = True\n yield from self._cursor.close()\n self._cursor = None\n self._weak = None\n else:\n pass\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x():
import imp
import os
mod = imp.load_source('version', os.path.join('skdata', '__init__.py'))
return mod.__version__
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import imp\n import os\n mod = imp.load_source('version', os.path.join('skdata', '__init__.py'))\n return mod.__version__\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
invitation = self.get_object()
if invitation.state != models.Invitation.State.PENDING:
raise ValidationError(_('Only pending invitation can be accepted.'))
elif invitation.civil_number and invitation.civil_number != request.user.civil_number:
raise ValidationError(_('User has an invalid civil number.'))
if invitation.project:
if invitation.project.has_user(request.user):
raise ValidationError(_(
'User already has role within this project.'))
elif invitation.customer.has_user(request.user):
raise ValidationError(_('User already has role within this customer.'))
if settings.WALDUR_CORE['VALIDATE_INVITATION_EMAIL'
] and invitation.email != request.user.email:
raise ValidationError(_('Invitation and user emails mismatch.'))
replace_email = bool(request.data.get('replace_email'))
invitation.accept(request.user, replace_email=replace_email)
return Response({'detail': _(
'Invitation has been successfully accepted.')}, status=status.
HTTP_200_OK)
| accept | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, uuid=None):\n invitation = self.get_object()\n if invitation.state != models.Invitation.State.PENDING:\n raise ValidationError(_('Only pending invitation can be accepted.'))\n elif invitation.civil_number and invitation.civil_number != request.user.civil_number:\n raise ValidationError(_('User has an invalid civil number.'))\n if invitation.project:\n if invitation.project.has_user(request.user):\n raise ValidationError(_(\n 'User already has role within this project.'))\n elif invitation.customer.has_user(request.user):\n raise ValidationError(_('User already has role within this customer.'))\n if settings.WALDUR_CORE['VALIDATE_INVITATION_EMAIL'\n ] and invitation.email != request.user.email:\n raise ValidationError(_('Invitation and user emails mismatch.'))\n replace_email = bool(request.data.get('replace_email'))\n invitation.accept(request.user, replace_email=replace_email)\n return Response({'detail': _(\n 'Invitation has been successfully accepted.')}, status=status.\n HTTP_200_OK)\n",
"role": "user"
},
{
"content": "accept",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
is_resource = isinstance(instance, structure_models.ResourceMixin)
if is_resource and getattr(instance, 'PERFORM_UNLINK', False):
_resource_unlink(resource=instance)
elif is_resource and not getattr(instance, 'PERFORM_UNLINK', False):
_resource_deletion(resource=instance)
elif isinstance(instance, structure_models.Customer):
_customer_deletion(customer=instance)
else:
for price_estimate in models.PriceEstimate.objects.filter(scope=
instance):
price_estimate.init_details()
| scope_deletion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n is_resource = isinstance(instance, structure_models.ResourceMixin)\n if is_resource and getattr(instance, 'PERFORM_UNLINK', False):\n _resource_unlink(resource=instance)\n elif is_resource and not getattr(instance, 'PERFORM_UNLINK', False):\n _resource_deletion(resource=instance)\n elif isinstance(instance, structure_models.Customer):\n _customer_deletion(customer=instance)\n else:\n for price_estimate in models.PriceEstimate.objects.filter(scope=\n instance):\n price_estimate.init_details()\n",
"role": "user"
},
{
"content": "scope_deletion",
"role": "assistant"
}
] |
def x(resource):
if resource.__class__ not in CostTrackingRegister.registered_resources:
return
new_configuration = {}
price_estimate = models.PriceEstimate.update_resource_estimate(resource,
new_configuration)
price_estimate.init_details()
| resource_deletion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource):\n if resource.__class__ not in CostTrackingRegister.registered_resources:\n return\n new_configuration = {}\n price_estimate = models.PriceEstimate.update_resource_estimate(resource,\n new_configuration)\n price_estimate.init_details()\n",
"role": "user"
},
{
"content": "resource_deletion",
"role": "assistant"
}
] |
def x(sender, instance, created=False, **kwargs):
resource = instance
try:
new_configuration = CostTrackingRegister.get_configuration(resource)
except ResourceNotRegisteredError:
return
models.PriceEstimate.update_resource_estimate(resource,
new_configuration, raise_exception=not _is_in_celery_task())
if created:
_create_historical_estimates(resource, new_configuration)
| resource_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, created=False, **kwargs):\n resource = instance\n try:\n new_configuration = CostTrackingRegister.get_configuration(resource)\n except ResourceNotRegisteredError:\n return\n models.PriceEstimate.update_resource_estimate(resource,\n new_configuration, raise_exception=not _is_in_celery_task())\n if created:\n _create_historical_estimates(resource, new_configuration)\n",
"role": "user"
},
{
"content": "resource_update",
"role": "assistant"
}
] |
def x(sender, instance, **kwargs):
quota = instance
resource = quota.scope
try:
new_configuration = CostTrackingRegister.get_configuration(resource)
except ResourceNotRegisteredError:
return
models.PriceEstimate.update_resource_estimate(resource,
new_configuration, raise_exception=not _is_in_celery_task())
| resource_quota_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, instance, **kwargs):\n quota = instance\n resource = quota.scope\n try:\n new_configuration = CostTrackingRegister.get_configuration(resource)\n except ResourceNotRegisteredError:\n return\n models.PriceEstimate.update_resource_estimate(resource,\n new_configuration, raise_exception=not _is_in_celery_task())\n",
"role": "user"
},
{
"content": "resource_quota_update",
"role": "assistant"
}
] |
def x(resource, configuration):
today = timezone.now()
month_start = core_utils.month_start(today)
while month_start > resource.created:
month_start -= relativedelta(months=1)
models.PriceEstimate.create_historical(resource, configuration, max
(month_start, resource.created))
| create_historical_estimates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource, configuration):\n today = timezone.now()\n month_start = core_utils.month_start(today)\n while month_start > resource.created:\n month_start -= relativedelta(months=1)\n models.PriceEstimate.create_historical(resource, configuration, max\n (month_start, resource.created))\n",
"role": "user"
},
{
"content": "create_historical_estimates",
"role": "assistant"
}
] |
def x():
import pkg_resources
runner_frame = inspect.getouterframes(inspect.currentframe())[-2]
return getattr(runner_frame, 'function', None
) == pkg_resources.load_entry_point('ipython', 'console_scripts',
'ipython').__name__
| IPYTHON_MAIN | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import pkg_resources\n runner_frame = inspect.getouterframes(inspect.currentframe())[-2]\n return getattr(runner_frame, 'function', None\n ) == pkg_resources.load_entry_point('ipython', 'console_scripts',\n 'ipython').__name__\n",
"role": "user"
},
{
"content": "IPYTHON_MAIN",
"role": "assistant"
}
] |
def x(cls, model):
rest_name = model.rest_name
resource_name = model.resource_name
if rest_name not in cls._model_rest_name_registry:
cls._model_rest_name_registry[rest_name] = [model]
cls._model_resource_name_registry[resource_name] = [model]
elif model not in cls._model_rest_name_registry[rest_name]:
cls._model_rest_name_registry[rest_name].append(model)
cls._model_resource_name_registry[resource_name].append(model)
| register_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, model):\n rest_name = model.rest_name\n resource_name = model.resource_name\n if rest_name not in cls._model_rest_name_registry:\n cls._model_rest_name_registry[rest_name] = [model]\n cls._model_resource_name_registry[resource_name] = [model]\n elif model not in cls._model_rest_name_registry[rest_name]:\n cls._model_rest_name_registry[rest_name].append(model)\n cls._model_resource_name_registry[resource_name].append(model)\n",
"role": "user"
},
{
"content": "register_model",
"role": "assistant"
}
] |
def x(cls, rest_name):
models = cls.get_models_with_rest_name(rest_name)
if len(models) > 0:
return models[0]
return None
| get_first_model_with_rest_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, rest_name):\n models = cls.get_models_with_rest_name(rest_name)\n if len(models) > 0:\n return models[0]\n return None\n",
"role": "user"
},
{
"content": "get_first_model_with_rest_name",
"role": "assistant"
}
] |
def x(cls, resource_name):
models = cls.get_models_with_resource_name(resource_name)
if len(models) > 0:
return models[0]
return None
| get_first_model_with_resource_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resource_name):\n models = cls.get_models_with_resource_name(resource_name)\n if len(models) > 0:\n return models[0]\n return None\n",
"role": "user"
},
{
"content": "get_first_model_with_resource_name",
"role": "assistant"
}
] |
def x(self):
while not self._stoped:
self._tx_event.wait()
self._tx_event.clear()
try:
func = self._tx_queue.get_nowait()
if isinstance(func, str):
self._stoped = True
self._rx_queue.put('closed')
self.notice()
break
except Empty:
continue
try:
result = func()
self._rx_queue.put(result)
except Exception as e:
self._rx_queue.put(e)
self.notice()
else:
pass
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while not self._stoped:\n self._tx_event.wait()\n self._tx_event.clear()\n try:\n func = self._tx_queue.get_nowait()\n if isinstance(func, str):\n self._stoped = True\n self._rx_queue.put('closed')\n self.notice()\n break\n except Empty:\n continue\n try:\n result = func()\n self._rx_queue.put(result)\n except Exception as e:\n self._rx_queue.put(e)\n self.notice()\n else:\n pass\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, dset_id: str):
all_fields = list(self.get_data(dset_id=dset_id).keys())
try:
field_reference = self.skd[dset_id].attrs('target')
except:
field_reference = all_fields[0]
fields_comparison = [all_fields[1]]
self.register_widget(chart_type=widgets.RadioButtons(options=[
'individual', 'grouped'], value='individual', description=
'Chart Type:'))
self.register_widget(bins=IntSlider(description='Bins:', min=2, max=10,
value=2, continuous_update=False))
self.register_widget(xs=widgets.SelectMultiple(description='Xs:',
options=[f for f in all_fields if not f == field_reference], value=
fields_comparison))
self.register_widget(y=widgets.Dropdown(description='Y:', options=
all_fields, value=field_reference))
y_changed = [False]
self.register_widget(box_filter_panel=widgets.VBox([self._('y'), self._
('xs'), self._('bins')]))
self.register_widget(table=widgets.HTML(), chart=widgets.HTML())
self.register_widget(vbox_chart=widgets.VBox([self._('chart_type'),
self._('chart')]))
self.register_widget(tab=widgets.Tab(children=[self._(
'box_filter_panel'), self._('table'), self._('vbox_chart')]))
self.register_widget(dashboard=widgets.HBox([self._('tab')]))
def x(change: dict):
_xs = [f for f in all_fields if not f == change['new']]
y_changed[0] = True
_xs_value = list(self._('xs').value)
if change['new'] in self._('xs').value:
_xs_value.pop(_xs_value.index(change['new']))
if not _xs_value:
_xs_value = [_xs[0]]
self._('xs').options = _xs
self._('xs').value = _xs_value
self._display_result(y=change['new'], dset_id=dset_id)
y_changed[0] = False
self._('tab').set_title(0, 'Filter')
self._('tab').set_title(1, 'Data')
self._('tab').set_title(2, 'Chart')
self._('table').value = '...'
self._('chart').value = '...'
self._('bins').observe(lambda change: self._display_result(bins=change[
'new'], dset_id=dset_id), 'value')
self._('y').observe(w_y_change, 'value')
self._('xs').observe(lambda change: self._display_result(xs=change[
'new'], dset_id=dset_id) if not y_changed[0] else None, 'value')
self._('chart_type').observe(lambda change: self._display_result(
chart_type=change['new'], dset_id=dset_id), 'value')
| build_layout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dset_id: str):\n all_fields = list(self.get_data(dset_id=dset_id).keys())\n try:\n field_reference = self.skd[dset_id].attrs('target')\n except:\n field_reference = all_fields[0]\n fields_comparison = [all_fields[1]]\n self.register_widget(chart_type=widgets.RadioButtons(options=[\n 'individual', 'grouped'], value='individual', description=\n 'Chart Type:'))\n self.register_widget(bins=IntSlider(description='Bins:', min=2, max=10,\n value=2, continuous_update=False))\n self.register_widget(xs=widgets.SelectMultiple(description='Xs:',\n options=[f for f in all_fields if not f == field_reference], value=\n fields_comparison))\n self.register_widget(y=widgets.Dropdown(description='Y:', options=\n all_fields, value=field_reference))\n y_changed = [False]\n self.register_widget(box_filter_panel=widgets.VBox([self._('y'), self._\n ('xs'), self._('bins')]))\n self.register_widget(table=widgets.HTML(), chart=widgets.HTML())\n self.register_widget(vbox_chart=widgets.VBox([self._('chart_type'),\n self._('chart')]))\n self.register_widget(tab=widgets.Tab(children=[self._(\n 'box_filter_panel'), self._('table'), self._('vbox_chart')]))\n self.register_widget(dashboard=widgets.HBox([self._('tab')]))\n\n def x(change: dict):\n _xs = [f for f in all_fields if not f == change['new']]\n y_changed[0] = True\n _xs_value = list(self._('xs').value)\n if change['new'] in self._('xs').value:\n _xs_value.pop(_xs_value.index(change['new']))\n if not _xs_value:\n _xs_value = [_xs[0]]\n self._('xs').options = _xs\n self._('xs').value = _xs_value\n self._display_result(y=change['new'], dset_id=dset_id)\n y_changed[0] = False\n self._('tab').set_title(0, 'Filter')\n self._('tab').set_title(1, 'Data')\n self._('tab').set_title(2, 'Chart')\n self._('table').value = '...'\n self._('chart').value = '...'\n self._('bins').observe(lambda change: self._display_result(bins=change[\n 'new'], dset_id=dset_id), 'value')\n self._('y').observe(w_y_change, 'value')\n self._('xs').observe(lambda change: self._display_result(xs=change[\n 'new'], dset_id=dset_id) if not y_changed[0] else None, 'value')\n self._('chart_type').observe(lambda change: self._display_result(\n chart_type=change['new'], dset_id=dset_id), 'value')\n",
"role": "user"
},
{
"content": "build_layout",
"role": "assistant"
}
] |
def x(self, dset_id: str):
self.skd[dset_id].compute()
self.build_layout(dset_id=dset_id)
display(self._('dashboard'))
self._display_result(dset_id=dset_id)
| display | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dset_id: str):\n self.skd[dset_id].compute()\n self.build_layout(dset_id=dset_id)\n display(self._('dashboard'))\n self._display_result(dset_id=dset_id)\n",
"role": "user"
},
{
"content": "display",
"role": "assistant"
}
] |
def x(self, fullname, target=None):
spec = super().find_spec(fullname, target=target)
if spec is None:
original = fullname
if '.' in fullname:
original, fullname = fullname.rsplit('.', 1)
else:
original, fullname = '', original
if '_' in fullname:
files = fuzzy_file_search(self.path, fullname)
if files:
file = Path(sorted(files)[0])
spec = super().find_spec((original + '.' + file.stem.split(
'.', 1)[0]).lstrip('.'), target=target)
fullname = (original + '.' + fullname).lstrip('.')
if spec and fullname != spec.name:
spec = FuzzySpec(spec.name, spec.loader, origin=spec.
origin, loader_state=spec.loader_state, alias=
fullname, is_package=bool(spec.
submodule_search_locations))
return spec
| find_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname, target=None):\n spec = super().find_spec(fullname, target=target)\n if spec is None:\n original = fullname\n if '.' in fullname:\n original, fullname = fullname.rsplit('.', 1)\n else:\n original, fullname = '', original\n if '_' in fullname:\n files = fuzzy_file_search(self.path, fullname)\n if files:\n file = Path(sorted(files)[0])\n spec = super().find_spec((original + '.' + file.stem.split(\n '.', 1)[0]).lstrip('.'), target=target)\n fullname = (original + '.' + fullname).lstrip('.')\n if spec and fullname != spec.name:\n spec = FuzzySpec(spec.name, spec.loader, origin=spec.\n origin, loader_state=spec.loader_state, alias=\n fullname, is_package=bool(spec.\n submodule_search_locations))\n return spec\n",
"role": "user"
},
{
"content": "find_spec",
"role": "assistant"
}
] |
def x(self):
name = self.__class__.resource_name
url = self.__class__.rest_base_url()
return '%s/%s' % (url, name)
| get_resource_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n name = self.__class__.resource_name\n url = self.__class__.rest_base_url()\n return '%s/%s' % (url, name)\n",
"role": "user"
},
{
"content": "get_resource_url",
"role": "assistant"
}
] |
def x():
import csv
import sys
from pkg_resources import resource_filename
data = resource_filename(__package__, 'iso-639-3.tab')
inverted = resource_filename(__package__, 'iso-639-3_Name_Index.tab')
macro = resource_filename(__package__, 'iso-639-3-macrolanguages.tab')
part5 = resource_filename(__package__, 'iso639-5.tsv')
part2 = resource_filename(__package__, 'iso639-2.tsv')
part1 = resource_filename(__package__, 'iso639-1.tsv')
if sys.version_info[0] == 3:
from functools import partial
global open
open = partial(open, encoding='utf-8')
data_fo = open(data)
inverted_fo = open(inverted)
macro_fo = open(macro)
part5_fo = open(part5)
part2_fo = open(part2)
part1_fo = open(part1)
with data_fo as u:
with inverted_fo as i:
with macro_fo as m:
with part5_fo as p5:
with part2_fo as p2:
with part1_fo as p1:
return list(csv.reader(u, delimiter='\t'))[1:
], list(csv.reader(i, delimiter='\t'))[1:
], list(csv.reader(m, delimiter='\t'))[1:
], list(csv.reader(p5, delimiter='\t'))[1:
], list(csv.reader(p2, delimiter='\t'))[1:
], list(csv.reader(p1, delimiter='\t'))[1:]
| fabtabular | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import csv\n import sys\n from pkg_resources import resource_filename\n data = resource_filename(__package__, 'iso-639-3.tab')\n inverted = resource_filename(__package__, 'iso-639-3_Name_Index.tab')\n macro = resource_filename(__package__, 'iso-639-3-macrolanguages.tab')\n part5 = resource_filename(__package__, 'iso639-5.tsv')\n part2 = resource_filename(__package__, 'iso639-2.tsv')\n part1 = resource_filename(__package__, 'iso639-1.tsv')\n if sys.version_info[0] == 3:\n from functools import partial\n global open\n open = partial(open, encoding='utf-8')\n data_fo = open(data)\n inverted_fo = open(inverted)\n macro_fo = open(macro)\n part5_fo = open(part5)\n part2_fo = open(part2)\n part1_fo = open(part1)\n with data_fo as u:\n with inverted_fo as i:\n with macro_fo as m:\n with part5_fo as p5:\n with part2_fo as p2:\n with part1_fo as p1:\n return list(csv.reader(u, delimiter='\\t'))[1:\n ], list(csv.reader(i, delimiter='\\t'))[1:\n ], list(csv.reader(m, delimiter='\\t'))[1:\n ], list(csv.reader(p5, delimiter='\\t'))[1:\n ], list(csv.reader(p2, delimiter='\\t'))[1:\n ], list(csv.reader(p1, delimiter='\\t'))[1:]\n",
"role": "user"
},
{
"content": "fabtabular",
"role": "assistant"
}
] |
def x(self):
def x():
import csv
import re
from datetime import datetime
from pkg_resources import resource_filename
with open(resource_filename(__package__, 'iso-639-3_Retirements.tab')
) as rf:
rtd = list(csv.reader(rf, delimiter='\t'))[1:]
rc = [r[0] for r in rtd]
for i, _, _, m, s, d in rtd:
d = datetime.strptime(d, '%Y-%m-%d')
if not m:
m = re.findall('\\[([a-z]{3})\\]', s)
if m:
m = [m] if isinstance(m, str) else m
yield i, (d, [self.get(part3=x) for x in m if x not in
rc], s)
else:
yield i, (d, [], s)
yield 'sh', self.get(part3='hbs')
return dict(gen())
| retired | [
{
"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 import csv\n import re\n from datetime import datetime\n from pkg_resources import resource_filename\n with open(resource_filename(__package__, 'iso-639-3_Retirements.tab')\n ) as rf:\n rtd = list(csv.reader(rf, delimiter='\\t'))[1:]\n rc = [r[0] for r in rtd]\n for i, _, _, m, s, d in rtd:\n d = datetime.strptime(d, '%Y-%m-%d')\n if not m:\n m = re.findall('\\\\[([a-z]{3})\\\\]', s)\n if m:\n m = [m] if isinstance(m, str) else m\n yield i, (d, [self.get(part3=x) for x in m if x not in\n rc], s)\n else:\n yield i, (d, [], s)\n yield 'sh', self.get(part3='hbs')\n return dict(gen())\n",
"role": "user"
},
{
"content": "retired",
"role": "assistant"
}
] |
def x(self, **kwargs):
if not len(kwargs) == 1:
raise AttributeError('Only one keyword expected')
key, value = kwargs.popitem()
return getattr(self, key)[value]
| get | [
{
"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 not len(kwargs) == 1:\n raise AttributeError('Only one keyword expected')\n key, value = kwargs.popitem()\n return getattr(self, key)[value]\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CustomerViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CustomerViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CustomerViewSet, self).retrieve(request, *args, **kwargs)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CustomerViewSet, self).retrieve(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CustomerViewSet, self).create(request, *args, **kwargs)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CustomerViewSet, self).create(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CustomerViewSet, self).destroy(request, *args, **kwargs)
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CustomerViewSet, self).destroy(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "destroy",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ProjectViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ProjectViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ProjectViewSet, self).retrieve(request, *args, **kwargs)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ProjectViewSet, self).retrieve(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ProjectViewSet, self).create(request, *args, **kwargs)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ProjectViewSet, self).create(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ProjectViewSet, self).destroy(request, *args, **kwargs)
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ProjectViewSet, self).destroy(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "destroy",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
project = self.get_object()
queryset = project.get_users()
filter_backend = filters.UserConcatenatedNameOrderingBackend()
queryset = filter_backend.filter_queryset(request, queryset, self)
queryset = self.paginate_queryset(queryset)
serializer = self.get_serializer(queryset, many=True)
return self.get_paginated_response(serializer.data)
| users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, uuid=None):\n project = self.get_object()\n queryset = project.get_users()\n filter_backend = filters.UserConcatenatedNameOrderingBackend()\n queryset = filter_backend.filter_queryset(request, queryset, self)\n queryset = self.paginate_queryset(queryset)\n serializer = self.get_serializer(queryset, many=True)\n return self.get_paginated_response(serializer.data)\n",
"role": "user"
},
{
"content": "users",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(UserViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(UserViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(UserViewSet, self).retrieve(request, *args, **kwargs)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(UserViewSet, self).retrieve(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
user = self.get_object()
serializer = serializers.PasswordSerializer(data=request.data)
serializer.is_valid(raise_exception=True)
new_password = serializer.validated_data['password']
user.set_password(new_password)
user.save()
return Response({'detail': _('Password has been successfully updated.')
}, status=status.HTTP_200_OK)
| password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, uuid=None):\n user = self.get_object()\n serializer = serializers.PasswordSerializer(data=request.data)\n serializer.is_valid(raise_exception=True)\n new_password = serializer.validated_data['password']\n user.set_password(new_password)\n user.save()\n return Response({'detail': _('Password has been successfully updated.')\n }, status=status.HTTP_200_OK)\n",
"role": "user"
},
{
"content": "password",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ProjectPermissionViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ProjectPermissionViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ProjectPermissionViewSet, self).destroy(request, *args, **
kwargs)
| destroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ProjectPermissionViewSet, self).destroy(request, *args, **\n kwargs)\n",
"role": "user"
},
{
"content": "destroy",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CustomerPermissionViewSet, self).list(request, *args, **kwargs
)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CustomerPermissionViewSet, self).list(request, *args, **kwargs\n )\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CustomerPermissionViewSet, self).retrieve(request, *args,
**kwargs)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CustomerPermissionViewSet, self).retrieve(request, *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(CreationTimeStatsView, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(CreationTimeStatsView, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(SshKeyViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(SshKeyViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ServiceSettingsViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ServiceSettingsViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(request, view, obj=None):
if obj is None:
return
if obj.customer and not obj.shared:
return permissions.is_owner(request, view, obj)
else:
return permissions.is_staff(request, view, obj)
| can_user_update_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, view, obj=None):\n if obj is None:\n return\n if obj.customer and not obj.shared:\n return permissions.is_owner(request, view, obj)\n else:\n return permissions.is_staff(request, view, obj)\n",
"role": "user"
},
{
"content": "can_user_update_settings",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ServiceSettingsViewSet, self).update(request, *args, **kwargs)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ServiceSettingsViewSet, self).update(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
service_settings = self.get_object()
backend = service_settings.get_backend()
try:
stats = backend.get_stats()
except ServiceBackendNotImplemented:
stats = {}
return Response(stats, status=status.HTTP_200_OK)
| stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, uuid=None):\n service_settings = self.get_object()\n backend = service_settings.get_backend()\n try:\n stats = backend.get_stats()\n except ServiceBackendNotImplemented:\n stats = {}\n return Response(stats, status=status.HTTP_200_OK)\n",
"role": "user"
},
{
"content": "stats",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ResourceSummaryViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ResourceSummaryViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request):
queryset = self.filter_queryset(self.get_queryset())
return Response({SupportedServices.get_name_for_model(qs.model): qs.
count() for qs in queryset.querysets})
| count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n queryset = self.filter_queryset(self.get_queryset())\n return Response({SupportedServices.get_name_for_model(qs.model): qs.\n count() for qs in queryset.querysets})\n",
"role": "user"
},
{
"content": "count",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(ServicesViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(ServicesViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(BaseServiceViewSet, self).list(request, *args, **kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(BaseServiceViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(request, view, obj=None):
if obj is None:
return
if obj.settings.shared and not request.user.is_staff:
raise PermissionDenied(_(
'Only staff users are allowed to import resources from shared services.'
))
| require_staff_for_shared_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, view, obj=None):\n if obj is None:\n return\n if obj.settings.shared and not request.user.is_staff:\n raise PermissionDenied(_(\n 'Only staff users are allowed to import resources from shared services.'\n ))\n",
"role": "user"
},
{
"content": "require_staff_for_shared_settings",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
service = self.get_object()
if self.request.method == 'GET':
try:
backend = self.get_backend(service)
try:
resources = backend.get_resources_for_import(**self.
get_import_context())
except ServiceBackendNotImplemented:
resources = []
page = self.paginate_queryset(resources)
if page is not None:
return self.get_paginated_response(page)
return Response(resources)
except (ServiceBackendError, ValidationError) as e:
raise APIException(e)
else:
serializer = self.get_serializer(data=request.data)
serializer.is_valid(raise_exception=True)
try:
resource = serializer.save()
except ServiceBackendError as e:
raise APIException(e)
resource_imported.send(sender=resource.__class__, instance=resource)
return Response(serializer.data, status=status.HTTP_200_OK)
| link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, uuid=None):\n service = self.get_object()\n if self.request.method == 'GET':\n try:\n backend = self.get_backend(service)\n try:\n resources = backend.get_resources_for_import(**self.\n get_import_context())\n except ServiceBackendNotImplemented:\n resources = []\n page = self.paginate_queryset(resources)\n if page is not None:\n return self.get_paginated_response(page)\n return Response(resources)\n except (ServiceBackendError, ValidationError) as e:\n raise APIException(e)\n else:\n serializer = self.get_serializer(data=request.data)\n serializer.is_valid(raise_exception=True)\n try:\n resource = serializer.save()\n except ServiceBackendError as e:\n raise APIException(e)\n resource_imported.send(sender=resource.__class__, instance=resource)\n return Response(serializer.data, status=status.HTTP_200_OK)\n",
"role": "user"
},
{
"content": "link",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
service = self.get_object()
service.unlink_descendants()
self.perform_destroy(service)
return Response(status=status.HTTP_204_NO_CONTENT)
| unlink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, uuid=None):\n service = self.get_object()\n service.unlink_descendants()\n self.perform_destroy(service)\n return Response(status=status.HTTP_204_NO_CONTENT)\n",
"role": "user"
},
{
"content": "unlink",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(BaseServiceProjectLinkViewSet, self).list(request, *args,
**kwargs)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(BaseServiceProjectLinkViewSet, self).list(request, *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(BaseServiceProjectLinkViewSet, self).retrieve(request, *
args, **kwargs)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n return super(BaseServiceProjectLinkViewSet, self).retrieve(request, *\n args, **kwargs)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, quota):
ancestors = quota.scope.get_quota_ancestors()
aggregator_quotas = []
for ancestor in ancestors:
for ancestor_quota_field in ancestor.get_quotas_fields(field_class=
AggregatorQuotaField):
if ancestor_quota_field.get_child_quota_name() == quota.name:
aggregator_quotas.append(ancestor.quotas.get(name=
ancestor_quota_field))
return aggregator_quotas
| get_aggregator_quotas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quota):\n ancestors = quota.scope.get_quota_ancestors()\n aggregator_quotas = []\n for ancestor in ancestors:\n for ancestor_quota_field in ancestor.get_quotas_fields(field_class=\n AggregatorQuotaField):\n if ancestor_quota_field.get_child_quota_name() == quota.name:\n aggregator_quotas.append(ancestor.quotas.get(name=\n ancestor_quota_field))\n return aggregator_quotas\n",
"role": "user"
},
{
"content": "get_aggregator_quotas",
"role": "assistant"
}
] |
def x(self, handler):
assert callable(handler), 'Invalid handler %s' % handler
self.handlers.append(handler)
| subscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler):\n assert callable(handler), 'Invalid handler %s' % handler\n self.handlers.append(handler)\n",
"role": "user"
},
{
"content": "subscribe",
"role": "assistant"
}
] |
def x(self, *args):
error = None
for handler in list(self.handlers):
try:
handler(*args)
except BaseException as e:
if error is None:
prepare_for_reraise(e)
error = e
if error is not None:
reraise(error)
| safe_trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n error = None\n for handler in list(self.handlers):\n try:\n handler(*args)\n except BaseException as e:\n if error is None:\n prepare_for_reraise(e)\n error = e\n if error is not None:\n reraise(error)\n",
"role": "user"
},
{
"content": "safe_trigger",
"role": "assistant"
}
] |
def x(self, event, handler):
event_hook = self.get_or_create(event)
event_hook.subscribe(handler)
return self
| on | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, handler):\n event_hook = self.get_or_create(event)\n event_hook.subscribe(handler)\n return self\n",
"role": "user"
},
{
"content": "on",
"role": "assistant"
}
] |
def x(self, event, handler):
event_hook = self.get_or_create(event)
event_hook.unsubscribe(handler)
return self
| off | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, handler):\n event_hook = self.get_or_create(event)\n event_hook.unsubscribe(handler)\n return self\n",
"role": "user"
},
{
"content": "off",
"role": "assistant"
}
] |
def x(self, event, *args):
event_hook = self.get_or_create(event)
event_hook.trigger(*args)
return self
| trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, *args):\n event_hook = self.get_or_create(event)\n event_hook.trigger(*args)\n return self\n",
"role": "user"
},
{
"content": "trigger",
"role": "assistant"
}
] |
def x(self, event, *args):
event_hook = self.get_or_create(event)
event_hook.safe_trigger(*args)
return self
| safe_trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event, *args):\n event_hook = self.get_or_create(event)\n event_hook.safe_trigger(*args)\n return self\n",
"role": "user"
},
{
"content": "safe_trigger",
"role": "assistant"
}
] |
def x(self, event):
if isinstance(event, EnumBase):
event = event.short_name
return self.__dict__.setdefault(event, EventHook())
| get_or_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if isinstance(event, EnumBase):\n event = event.short_name\n return self.__dict__.setdefault(event, EventHook())\n",
"role": "user"
},
{
"content": "get_or_create",
"role": "assistant"
}
] |
def x(invitations=None):
expiration_date = timezone.now() - settings.WALDUR_CORE[
'INVITATION_LIFETIME']
if not invitations:
invitations = models.Invitation.objects.filter(state=models.
Invitation.State.PENDING)
invitations = invitations.filter(created__lte=expiration_date)
invitations.update(state=models.Invitation.State.EXPIRED)
| cancel_expired_invitations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(invitations=None):\n expiration_date = timezone.now() - settings.WALDUR_CORE[\n 'INVITATION_LIFETIME']\n if not invitations:\n invitations = models.Invitation.objects.filter(state=models.\n Invitation.State.PENDING)\n invitations = invitations.filter(created__lte=expiration_date)\n invitations.update(state=models.Invitation.State.EXPIRED)\n",
"role": "user"
},
{
"content": "cancel_expired_invitations",
"role": "assistant"
}
] |
def x(s, timeout=None, proxies=None):
sighash = Utils.bytes_to_str(s[:4])
for pseudo_abi in FourByteDirectory.get_pseudo_abi_for_sighash(sighash,
timeout=timeout, proxies=proxies):
types = [ti['type'] for ti in pseudo_abi['inputs']]
try:
_ = decode_abi(types, s[4:])
yield pseudo_abi
except eth_abi.exceptions.DecodingError as e:
continue
| get_pseudo_abi_for_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, timeout=None, proxies=None):\n sighash = Utils.bytes_to_str(s[:4])\n for pseudo_abi in FourByteDirectory.get_pseudo_abi_for_sighash(sighash,\n timeout=timeout, proxies=proxies):\n types = [ti['type'] for ti in pseudo_abi['inputs']]\n try:\n _ = decode_abi(types, s[4:])\n yield pseudo_abi\n except eth_abi.exceptions.DecodingError as e:\n continue\n",
"role": "user"
},
{
"content": "get_pseudo_abi_for_input",
"role": "assistant"
}
] |
def x(self, jsonabi):
self.signatures = {}
for element_description in jsonabi:
abi_e = AbiMethod(element_description)
if abi_e['type'] == 'constructor':
self.signatures[b'__constructor__'] = abi_e
elif abi_e['type'] == 'fallback':
abi_e.setdefault('inputs', [])
self.signatures[b'__fallback__'] = abi_e
elif abi_e['type'] == 'function':
if abi_e.get('signature'):
self.signatures[Utils.str_to_bytes(abi_e['signature'])] = abi_e
elif abi_e['type'] == 'event':
self.signatures[b'__event__'] = abi_e
else:
raise Exception('Invalid abi type: %s - %s - %s' % (abi_e.get(
'type'), element_description, abi_e))
| prepare_abi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, jsonabi):\n self.signatures = {}\n for element_description in jsonabi:\n abi_e = AbiMethod(element_description)\n if abi_e['type'] == 'constructor':\n self.signatures[b'__constructor__'] = abi_e\n elif abi_e['type'] == 'fallback':\n abi_e.setdefault('inputs', [])\n self.signatures[b'__fallback__'] = abi_e\n elif abi_e['type'] == 'function':\n if abi_e.get('signature'):\n self.signatures[Utils.str_to_bytes(abi_e['signature'])] = abi_e\n elif abi_e['type'] == 'event':\n self.signatures[b'__event__'] = abi_e\n else:\n raise Exception('Invalid abi type: %s - %s - %s' % (abi_e.get(\n 'type'), element_description, abi_e))\n",
"role": "user"
},
{
"content": "prepare_abi",
"role": "assistant"
}
] |
def x(self, s):
method = self.signatures.get(b'__constructor__')
if not method:
m = AbiMethod({'type': 'constructor', 'name': '', 'inputs': [],
'outputs': []})
return m
types_def = method['inputs']
types = [t['type'] for t in types_def]
names = [t['name'] for t in types_def]
if not len(s):
values = len(types) * ['<nA>']
else:
values = decode_abi(types, s)
method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in list(
zip(types, names, values))]
return method
| describe_constructor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n method = self.signatures.get(b'__constructor__')\n if not method:\n m = AbiMethod({'type': 'constructor', 'name': '', 'inputs': [],\n 'outputs': []})\n return m\n types_def = method['inputs']\n types = [t['type'] for t in types_def]\n names = [t['name'] for t in types_def]\n if not len(s):\n values = len(types) * ['<nA>']\n else:\n values = decode_abi(types, s)\n method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in list(\n zip(types, names, values))]\n return method\n",
"role": "user"
},
{
"content": "describe_constructor",
"role": "assistant"
}
] |
def x(self, s):
signatures = self.signatures.items()
for sighash, method in signatures:
if sighash is None or sighash.startswith(b'__'):
continue
if s.startswith(sighash):
s = s[len(sighash):]
types_def = self.signatures.get(sighash)['inputs']
types = [t['type'] for t in types_def]
names = [t['name'] for t in types_def]
if not len(s):
values = len(types) * ['<nA>']
else:
values = decode_abi(types, s)
method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in
list(zip(types, names, values))]
return method
else:
method = AbiMethod({'type': 'fallback', 'name': '__fallback__',
'inputs': [], 'outputs': []})
types_def = self.signatures.get(b'__fallback__', {'inputs': []})[
'inputs']
types = [t['type'] for t in types_def]
names = [t['name'] for t in types_def]
values = decode_abi(types, s)
method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in
list(zip(types, names, values))]
return method
| describe_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n signatures = self.signatures.items()\n for sighash, method in signatures:\n if sighash is None or sighash.startswith(b'__'):\n continue\n if s.startswith(sighash):\n s = s[len(sighash):]\n types_def = self.signatures.get(sighash)['inputs']\n types = [t['type'] for t in types_def]\n names = [t['name'] for t in types_def]\n if not len(s):\n values = len(types) * ['<nA>']\n else:\n values = decode_abi(types, s)\n method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in\n list(zip(types, names, values))]\n return method\n else:\n method = AbiMethod({'type': 'fallback', 'name': '__fallback__',\n 'inputs': [], 'outputs': []})\n types_def = self.signatures.get(b'__fallback__', {'inputs': []})[\n 'inputs']\n types = [t['type'] for t in types_def]\n names = [t['name'] for t in types_def]\n values = decode_abi(types, s)\n method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in\n list(zip(types, names, values))]\n return method\n",
"role": "user"
},
{
"content": "describe_input",
"role": "assistant"
}
] |
def x(s):
for pseudo_abi in FourByteDirectory.get_pseudo_abi_for_input(s):
method = AbiMethod(pseudo_abi)
types_def = pseudo_abi['inputs']
types = [t['type'] for t in types_def]
names = [t['name'] for t in types_def]
values = decode_abi(types, s[4:])
method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in
list(zip(types, names, values))]
return method
| from_input_lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n for pseudo_abi in FourByteDirectory.get_pseudo_abi_for_input(s):\n method = AbiMethod(pseudo_abi)\n types_def = pseudo_abi['inputs']\n types = [t['type'] for t in types_def]\n names = [t['name'] for t in types_def]\n values = decode_abi(types, s[4:])\n method.inputs = [{'type': t, 'name': n, 'data': v} for t, n, v in\n list(zip(types, names, values))]\n return method\n",
"role": "user"
},
{
"content": "from_input_lookup",
"role": "assistant"
}
] |
def x(expected, actual, message=None, extra=None):
assert expected is actual, _assert_fail_message(message, expected,
actual, 'is not', extra)
| assert_is | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expected, actual, message=None, extra=None):\n assert expected is actual, _assert_fail_message(message, expected,\n actual, 'is not', extra)\n",
"role": "user"
},
{
"content": "assert_is",
"role": "assistant"
}
] |
def x(expected, actual, message=None, extra=None):
assert expected is not actual, _assert_fail_message(message, expected,
actual, 'is', extra)
| assert_is_not | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expected, actual, message=None, extra=None):\n assert expected is not actual, _assert_fail_message(message, expected,\n actual, 'is', extra)\n",
"role": "user"
},
{
"content": "assert_is_not",
"role": "assistant"
}
] |
def x(value, types, message=None, extra=None):
assert isinstance(value, types), _assert_fail_message(message, value,
types, 'is not an instance of', extra)
| assert_is_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, types, message=None, extra=None):\n assert isinstance(value, types), _assert_fail_message(message, value,\n types, 'is not an instance of', extra)\n",
"role": "user"
},
{
"content": "assert_is_instance",
"role": "assistant"
}
] |
def x(expected, actual, message=None, tolerance=None, extra=None):
if tolerance is None:
assert expected == actual, _assert_fail_message(message, expected,
actual, '!=', extra)
else:
assert isinstance(tolerance, _number_types
), 'tolerance parameter to assert_eq must be a number: %r' % tolerance
assert isinstance(expected, _number_types) and isinstance(actual,
_number_types
), 'parameters must be numbers when tolerance is specified: %r, %r' % (
expected, actual)
diff = abs(expected - actual)
assert diff <= tolerance, _assert_fail_message(message, expected,
actual, 'is more than %r away from' % tolerance, extra)
| assert_eq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expected, actual, message=None, tolerance=None, extra=None):\n if tolerance is None:\n assert expected == actual, _assert_fail_message(message, expected,\n actual, '!=', extra)\n else:\n assert isinstance(tolerance, _number_types\n ), 'tolerance parameter to assert_eq must be a number: %r' % tolerance\n assert isinstance(expected, _number_types) and isinstance(actual,\n _number_types\n ), 'parameters must be numbers when tolerance is specified: %r, %r' % (\n expected, actual)\n diff = abs(expected - actual)\n assert diff <= tolerance, _assert_fail_message(message, expected,\n actual, 'is more than %r away from' % tolerance, extra)\n",
"role": "user"
},
{
"content": "assert_eq",
"role": "assistant"
}
] |
def x(expected, actual, number_tolerance=None, dict_path=[]):
assert_is_instance(expected, dict)
assert_is_instance(actual, dict)
expected_keys = set(expected.keys())
actual_keys = set(actual.keys())
assert expected_keys <= actual_keys, 'Actual dict at %s is missing keys: %r' % (
_dict_path_string(dict_path), expected_keys - actual_keys)
assert actual_keys <= expected_keys, 'Actual dict at %s has extra keys: %r' % (
_dict_path_string(dict_path), actual_keys - expected_keys)
for k in expected_keys:
key_path = dict_path + [k]
assert_is_instance(actual[k], type(expected[k]), extra=
"Types don't match for %s" % _dict_path_string(key_path))
assert_is_instance(expected[k], type(actual[k]), extra=
"Types don't match for %s" % _dict_path_string(key_path))
if isinstance(actual[k], dict):
assert_dict_eq(expected[k], actual[k], number_tolerance=
number_tolerance, dict_path=key_path)
elif isinstance(actual[k], _number_types):
assert_eq(expected[k], actual[k], extra=
"Value doesn't match for %s" % _dict_path_string(key_path),
tolerance=number_tolerance)
else:
assert_eq(expected[k], actual[k], extra=
"Value doesn't match for %s" % _dict_path_string(key_path))
| assert_dict_eq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expected, actual, number_tolerance=None, dict_path=[]):\n assert_is_instance(expected, dict)\n assert_is_instance(actual, dict)\n expected_keys = set(expected.keys())\n actual_keys = set(actual.keys())\n assert expected_keys <= actual_keys, 'Actual dict at %s is missing keys: %r' % (\n _dict_path_string(dict_path), expected_keys - actual_keys)\n assert actual_keys <= expected_keys, 'Actual dict at %s has extra keys: %r' % (\n _dict_path_string(dict_path), actual_keys - expected_keys)\n for k in expected_keys:\n key_path = dict_path + [k]\n assert_is_instance(actual[k], type(expected[k]), extra=\n \"Types don't match for %s\" % _dict_path_string(key_path))\n assert_is_instance(expected[k], type(actual[k]), extra=\n \"Types don't match for %s\" % _dict_path_string(key_path))\n if isinstance(actual[k], dict):\n assert_dict_eq(expected[k], actual[k], number_tolerance=\n number_tolerance, dict_path=key_path)\n elif isinstance(actual[k], _number_types):\n assert_eq(expected[k], actual[k], extra=\n \"Value doesn't match for %s\" % _dict_path_string(key_path),\n tolerance=number_tolerance)\n else:\n assert_eq(expected[k], actual[k], extra=\n \"Value doesn't match for %s\" % _dict_path_string(key_path))\n",
"role": "user"
},
{
"content": "assert_dict_eq",
"role": "assistant"
}
] |
def x(left, right, message=None, extra=None):
assert left > right, _assert_fail_message(message, left, right, '<=', extra
)
| assert_gt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(left, right, message=None, extra=None):\n assert left > right, _assert_fail_message(message, left, right, '<=', extra\n )\n",
"role": "user"
},
{
"content": "assert_gt",
"role": "assistant"
}
] |
def x(left, right, message=None, extra=None):
assert left >= right, _assert_fail_message(message, left, right, '<', extra
)
| assert_ge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(left, right, message=None, extra=None):\n assert left >= right, _assert_fail_message(message, left, right, '<', extra\n )\n",
"role": "user"
},
{
"content": "assert_ge",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.