source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cls, resource_id, to_position, db_session=None, *args, **kwargs):
db_session = get_db_session(db_session)
resource = ResourceService.lock_resource_for_update(resource_id=
resource_id, db_session=db_session)
cls.check_node_position(resource.parent_id, to_position, on_same_branch
=True, db_session=db_session)
cls.shift_ordering_up(resource.parent_id, to_position, db_session=
db_session)
db_session.flush()
db_session.expire(resource)
resource.ordering = to_position
return True
| set_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resource_id, to_position, db_session=None, *args, **kwargs):\n db_session = get_db_session(db_session)\n resource = ResourceService.lock_resource_for_update(resource_id=\n resource_id, db_session=db_session)\n cls.check_node_position(resource.parent_id, to_position, on_same_branch\n =True, db_session=db_session)\n cls.shift_ordering_up(resource.parent_id, to_position, db_session=\n db_session)\n db_session.flush()\n db_session.expire(resource)\n resource.ordering = to_position\n return True\n",
"role": "user"
},
{
"content": "set_position",
"role": "assistant"
}
] |
def x(cls, resource_id, new_parent_id, db_session=None, *args, **kwargs):
db_session = get_db_session(db_session)
new_parent = ResourceService.lock_resource_for_update(resource_id=
new_parent_id, db_session=db_session)
if not new_parent and new_parent_id is not None:
raise ZigguratResourceTreeMissingException('New parent node not found')
else:
result = cls.path_upper(new_parent_id, db_session=db_session)
path_ids = [r.resource_id for r in result]
if resource_id in path_ids:
raise ZigguratResourceTreePathException(
'Trying to insert node into itself')
| check_node_parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resource_id, new_parent_id, db_session=None, *args, **kwargs):\n db_session = get_db_session(db_session)\n new_parent = ResourceService.lock_resource_for_update(resource_id=\n new_parent_id, db_session=db_session)\n if not new_parent and new_parent_id is not None:\n raise ZigguratResourceTreeMissingException('New parent node not found')\n else:\n result = cls.path_upper(new_parent_id, db_session=db_session)\n path_ids = [r.resource_id for r in result]\n if resource_id in path_ids:\n raise ZigguratResourceTreePathException(\n 'Trying to insert node into itself')\n",
"role": "user"
},
{
"content": "check_node_parent",
"role": "assistant"
}
] |
def x(cls, resource_id, db_session=None, *args, **kwargs):
query = db_session.query(cls.model.resource_id)
query = query.filter(cls.model.parent_id == resource_id)
return query.count()
| count_children | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, resource_id, db_session=None, *args, **kwargs):\n query = db_session.query(cls.model.resource_id)\n query = query.filter(cls.model.parent_id == resource_id)\n return query.count()\n",
"role": "user"
},
{
"content": "count_children",
"role": "assistant"
}
] |
def x(cls, parent_id, position, on_same_branch, db_session=None, *args, **
kwargs):
db_session = get_db_session(db_session)
if not position or position < 1:
raise ZigguratResourceOutOfBoundaryException(
'Position is lower than {}', value=1)
item_count = cls.count_children(parent_id, db_session=db_session)
max_value = item_count if on_same_branch else item_count + 1
if position > max_value:
raise ZigguratResourceOutOfBoundaryException(
'Maximum resource ordering is {}', value=max_value)
| check_node_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, parent_id, position, on_same_branch, db_session=None, *args, **\n kwargs):\n db_session = get_db_session(db_session)\n if not position or position < 1:\n raise ZigguratResourceOutOfBoundaryException(\n 'Position is lower than {}', value=1)\n item_count = cls.count_children(parent_id, db_session=db_session)\n max_value = item_count if on_same_branch else item_count + 1\n if position > max_value:\n raise ZigguratResourceOutOfBoundaryException(\n 'Maximum resource ordering is {}', value=max_value)\n",
"role": "user"
},
{
"content": "check_node_position",
"role": "assistant"
}
] |
def x(b, n):
x0, x1, y0, y1 = 1, 0, 0, 1
while n != 0:
q, b, n = b // n, n, b % n
x0, x1 = x1, x0 - q * x1
y0, y1 = y1, y0 - q * y1
return b, x0, y0
| egcd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b, n):\n x0, x1, y0, y1 = 1, 0, 0, 1\n while n != 0:\n q, b, n = b // n, n, b % n\n x0, x1 = x1, x0 - q * x1\n y0, y1 = y1, y0 - q * y1\n return b, x0, y0\n",
"role": "user"
},
{
"content": "egcd",
"role": "assistant"
}
] |
def x(linter):
linter.register_checker(MongoEngineChecker(linter))
add_transform('mongoengine')
add_transform('mongomotor')
suppress_qs_decorator_messages(linter)
suppress_fields_attrs_messages(linter)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(linter):\n linter.register_checker(MongoEngineChecker(linter))\n add_transform('mongoengine')\n add_transform('mongomotor')\n suppress_qs_decorator_messages(linter)\n suppress_fields_attrs_messages(linter)\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(file_name, nmi=None, output_file=None):
m = read_nem_file(file_name)
if nmi is None:
nmi = list(m.readings.keys())[0]
channels = list(m.transactions[nmi].keys())
num_records = len(m.readings[nmi][channels[0]])
last_date = m.readings[nmi][channels[0]][-1].t_end
if output_file is None:
output_file = '{}_{}_transposed.csv'.format(nmi, last_date.strftime
('%Y%m%d'))
with open(output_file, 'w', newline='') as csvfile:
cwriter = csv.writer(csvfile, delimiter=',', quotechar='"', quoting
=csv.QUOTE_MINIMAL)
heading_list = ['period_start', 'period_end']
for channel in channels:
heading_list.append(channel)
heading_list.append('quality_method')
cwriter.writerow(heading_list)
for i in range(0, num_records):
t_start = m.readings[nmi][channels[0]][i].t_start
t_end = m.readings[nmi][channels[0]][i].t_end
quality_method = m.readings[nmi][channels[0]][i].quality_method
row_list = [t_start, t_end]
for ch in channels:
val = m.readings[nmi][ch][i].read_value
row_list.append(val)
row_list.append(quality_method)
cwriter.writerow(row_list)
return output_file
| output_as_csv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_name, nmi=None, output_file=None):\n m = read_nem_file(file_name)\n if nmi is None:\n nmi = list(m.readings.keys())[0]\n channels = list(m.transactions[nmi].keys())\n num_records = len(m.readings[nmi][channels[0]])\n last_date = m.readings[nmi][channels[0]][-1].t_end\n if output_file is None:\n output_file = '{}_{}_transposed.csv'.format(nmi, last_date.strftime\n ('%Y%m%d'))\n with open(output_file, 'w', newline='') as csvfile:\n cwriter = csv.writer(csvfile, delimiter=',', quotechar='\"', quoting\n =csv.QUOTE_MINIMAL)\n heading_list = ['period_start', 'period_end']\n for channel in channels:\n heading_list.append(channel)\n heading_list.append('quality_method')\n cwriter.writerow(heading_list)\n for i in range(0, num_records):\n t_start = m.readings[nmi][channels[0]][i].t_start\n t_end = m.readings[nmi][channels[0]][i].t_end\n quality_method = m.readings[nmi][channels[0]][i].quality_method\n row_list = [t_start, t_end]\n for ch in channels:\n val = m.readings[nmi][ch][i].read_value\n row_list.append(val)\n row_list.append(quality_method)\n cwriter.writerow(row_list)\n return output_file\n",
"role": "user"
},
{
"content": "output_as_csv",
"role": "assistant"
}
] |
def x(cls, group_id, db_session=None):
db_session = get_db_session(db_session)
return db_session.query(cls.model).get(group_id)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, group_id, db_session=None):\n db_session = get_db_session(db_session)\n return db_session.query(cls.model).get(group_id)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(cls, group_name, db_session=None):
db_session = get_db_session(db_session)
query = db_session.query(cls.model).filter(cls.model.group_name ==
group_name)
return query.first()
| by_group_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, group_name, db_session=None):\n db_session = get_db_session(db_session)\n query = db_session.query(cls.model).filter(cls.model.group_name ==\n group_name)\n return query.first()\n",
"role": "user"
},
{
"content": "by_group_name",
"role": "assistant"
}
] |
def x(cls, instance, page=1, item_count=None, items_per_page=50, user_ids=
None, GET_params=None):
if not GET_params:
GET_params = {}
GET_params.pop('page', None)
query = instance.users_dynamic
if user_ids:
query = query.filter(cls.models_proxy.UserGroup.user_id.in_(user_ids))
return SqlalchemyOrmPage(query, page=page, item_count=item_count,
items_per_page=items_per_page, **GET_params)
| get_user_paginator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, instance, page=1, item_count=None, items_per_page=50, user_ids=\n None, GET_params=None):\n if not GET_params:\n GET_params = {}\n GET_params.pop('page', None)\n query = instance.users_dynamic\n if user_ids:\n query = query.filter(cls.models_proxy.UserGroup.user_id.in_(user_ids))\n return SqlalchemyOrmPage(query, page=page, item_count=item_count,\n items_per_page=items_per_page, **GET_params)\n",
"role": "user"
},
{
"content": "get_user_paginator",
"role": "assistant"
}
] |
def x(cls, instance, perm_names=None, resource_ids=None, resource_types=
None, db_session=None):
db_session = get_db_session(db_session, instance)
query = db_session.query(cls.models_proxy.GroupResourcePermission.
perm_name, cls.models_proxy.Group, cls.models_proxy.Resource)
query = query.filter(cls.models_proxy.Resource.resource_id == cls.
models_proxy.GroupResourcePermission.resource_id)
query = query.filter(cls.models_proxy.Group.id == cls.models_proxy.
GroupResourcePermission.group_id)
if resource_ids:
query = query.filter(cls.models_proxy.GroupResourcePermission.
resource_id.in_(resource_ids))
if resource_types:
query = query.filter(cls.models_proxy.Resource.resource_type.in_(
resource_types))
if perm_names not in ([ANY_PERMISSION], ANY_PERMISSION) and perm_names:
query = query.filter(cls.models_proxy.GroupResourcePermission.
perm_name.in_(perm_names))
query = query.filter(cls.models_proxy.GroupResourcePermission.group_id ==
instance.id)
perms = [PermissionTuple(None, row.perm_name, 'group', instance, row.
Resource, False, True) for row in query]
for resource in instance.resources:
perms.append(PermissionTuple(None, ALL_PERMISSIONS, 'group',
instance, resource, True, True))
return perms
| resources_with_possible_perms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, instance, perm_names=None, resource_ids=None, resource_types=\n None, db_session=None):\n db_session = get_db_session(db_session, instance)\n query = db_session.query(cls.models_proxy.GroupResourcePermission.\n perm_name, cls.models_proxy.Group, cls.models_proxy.Resource)\n query = query.filter(cls.models_proxy.Resource.resource_id == cls.\n models_proxy.GroupResourcePermission.resource_id)\n query = query.filter(cls.models_proxy.Group.id == cls.models_proxy.\n GroupResourcePermission.group_id)\n if resource_ids:\n query = query.filter(cls.models_proxy.GroupResourcePermission.\n resource_id.in_(resource_ids))\n if resource_types:\n query = query.filter(cls.models_proxy.Resource.resource_type.in_(\n resource_types))\n if perm_names not in ([ANY_PERMISSION], ANY_PERMISSION) and perm_names:\n query = query.filter(cls.models_proxy.GroupResourcePermission.\n perm_name.in_(perm_names))\n query = query.filter(cls.models_proxy.GroupResourcePermission.group_id ==\n instance.id)\n perms = [PermissionTuple(None, row.perm_name, 'group', instance, row.\n Resource, False, True) for row in query]\n for resource in instance.resources:\n perms.append(PermissionTuple(None, ALL_PERMISSIONS, 'group',\n instance, resource, True, True))\n return perms\n",
"role": "user"
},
{
"content": "resources_with_possible_perms",
"role": "assistant"
}
] |
def x(database, minsize=1, maxsize=10, echo=False, loop=None, **kwargs):
coro = _create_pool(database=database, minsize=minsize, maxsize=maxsize,
echo=echo, loop=loop, **kwargs)
return _PoolContextManager(coro)
| create_pool | [
{
"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, echo=False, loop=None, **kwargs):\n coro = _create_pool(database=database, minsize=minsize, maxsize=maxsize,\n echo=echo, loop=loop, **kwargs)\n return _PoolContextManager(coro)\n",
"role": "user"
},
{
"content": "create_pool",
"role": "assistant"
}
] |
def x(self):
if self._closed:
return
if not self._closing:
raise RuntimeError('.wait_closed() should be called after .close()')
while self._free:
conn = self._free.popleft()
if not conn.closed:
yield from conn.close()
else:
pass
with (yield from self._cond):
while self.size > self.freesize:
yield from self._cond.wait()
self._used.clear()
self._closed = True
| wait_closed | [
{
"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._closed:\n return\n if not self._closing:\n raise RuntimeError('.wait_closed() should be called after .close()')\n while self._free:\n conn = self._free.popleft()\n if not conn.closed:\n yield from conn.close()\n else:\n pass\n with (yield from self._cond):\n while self.size > self.freesize:\n yield from self._cond.wait()\n self._used.clear()\n self._closed = True\n",
"role": "user"
},
{
"content": "wait_closed",
"role": "assistant"
}
] |
def x(self):
if self._closed:
return
while self._free:
conn = self._free.popleft()
if not conn.closed:
conn.sync_close()
for conn in self._used:
if not conn.closed:
conn.sync_close()
self._terminated.add(conn)
self._used.clear()
self._closed = True
| sync_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 self._closed:\n return\n while self._free:\n conn = self._free.popleft()\n if not conn.closed:\n conn.sync_close()\n for conn in self._used:\n if not conn.closed:\n conn.sync_close()\n self._terminated.add(conn)\n self._used.clear()\n self._closed = True\n",
"role": "user"
},
{
"content": "sync_close",
"role": "assistant"
}
] |
def x(self, override_min):
while self.size < self.minsize:
self._acquiring += 1
try:
conn = yield from connect(database=self._database, echo=self.
_echo, loop=self._loop, **self._conn_kwargs)
self._free.append(conn)
self._cond.notify()
finally:
self._acquiring -= 1
if self._free:
return
if override_min and self.size < self.maxsize:
self._acquiring += 1
try:
conn = yield from connect(database=self._database, echo=self.
_echo, loop=self._loop, **self._conn_kwargs)
self._free.append(conn)
self._cond.notify()
finally:
self._acquiring -= 1
| fill_free_pool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, override_min):\n while self.size < self.minsize:\n self._acquiring += 1\n try:\n conn = yield from connect(database=self._database, echo=self.\n _echo, loop=self._loop, **self._conn_kwargs)\n self._free.append(conn)\n self._cond.notify()\n finally:\n self._acquiring -= 1\n if self._free:\n return\n if override_min and self.size < self.maxsize:\n self._acquiring += 1\n try:\n conn = yield from connect(database=self._database, echo=self.\n _echo, loop=self._loop, **self._conn_kwargs)\n self._free.append(conn)\n self._cond.notify()\n finally:\n self._acquiring -= 1\n",
"role": "user"
},
{
"content": "fill_free_pool",
"role": "assistant"
}
] |
def x(self, function):
function = self.build_function(function)
if function.name in self.functions:
raise FunctionAlreadyRegistered(function.name)
self.functions[function.name] = function
| add_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, function):\n function = self.build_function(function)\n if function.name in self.functions:\n raise FunctionAlreadyRegistered(function.name)\n self.functions[function.name] = function\n",
"role": "user"
},
{
"content": "add_function",
"role": "assistant"
}
] |
def x(self, context, name):
try:
return self.functions[name]
except KeyError:
raise FunctionNotFound(name)
| get_one | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context, name):\n try:\n return self.functions[name]\n except KeyError:\n raise FunctionNotFound(name)\n",
"role": "user"
},
{
"content": "get_one",
"role": "assistant"
}
] |
def x(self, obj, type=None):
if obj is None:
return self
return obj.__dict__[self.field.name]
| subfield_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, type=None):\n if obj is None:\n return self\n return obj.__dict__[self.field.name]\n",
"role": "user"
},
{
"content": "subfield_get",
"role": "assistant"
}
] |
def x(self, initial_kwargs):
kwargs = initial_kwargs.copy()
generic_key_related_kwargs = self._get_generic_key_related_kwargs(
initial_kwargs)
for key, value in generic_key_related_kwargs.items():
del kwargs[key]
try:
suffix = key.split('__')[1]
except IndexError:
suffix = None
new_kwargs = self._get_filter_object_id_and_content_type_filter_kwargs(
value, suffix)
kwargs.update(new_kwargs)
return kwargs
| preprocess_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, initial_kwargs):\n kwargs = initial_kwargs.copy()\n generic_key_related_kwargs = self._get_generic_key_related_kwargs(\n initial_kwargs)\n for key, value in generic_key_related_kwargs.items():\n del kwargs[key]\n try:\n suffix = key.split('__')[1]\n except IndexError:\n suffix = None\n new_kwargs = self._get_filter_object_id_and_content_type_filter_kwargs(\n value, suffix)\n kwargs.update(new_kwargs)\n return kwargs\n",
"role": "user"
},
{
"content": "preprocess_kwargs",
"role": "assistant"
}
] |
def x(data, col_name: str=None, new_col_name: str=None, categories: dict=
None, max_categories: float=0.15):
_categories = {}
if col_name is None:
if categories is not None:
raise Exception('col_name is None when categories was defined.')
cols = [k for k in data.keys() if data[k].dtype == 'object' and
data[k].unique() / data[k].count() <= max_categories]
else:
if new_col_name is not None:
data[new_col_name] = data[col_name]
col_name = new_col_name
cols = [col_name]
for c in cols:
if categories is not None:
assert all(type(k) in (int, float) for k in categories.keys())
data[c].replace(categories, inplace=True)
data[c] = data[c].astype('category')
_categories.update({c: categories})
else:
data[c] = data[c].astype('category')
_categories.update({c: dict(enumerate(data[c].cat.categories))})
return _categories
| categorize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, col_name: str=None, new_col_name: str=None, categories: dict=\n None, max_categories: float=0.15):\n _categories = {}\n if col_name is None:\n if categories is not None:\n raise Exception('col_name is None when categories was defined.')\n cols = [k for k in data.keys() if data[k].dtype == 'object' and \n data[k].unique() / data[k].count() <= max_categories]\n else:\n if new_col_name is not None:\n data[new_col_name] = data[col_name]\n col_name = new_col_name\n cols = [col_name]\n for c in cols:\n if categories is not None:\n assert all(type(k) in (int, float) for k in categories.keys())\n data[c].replace(categories, inplace=True)\n data[c] = data[c].astype('category')\n _categories.update({c: categories})\n else:\n data[c] = data[c].astype('category')\n _categories.update({c: dict(enumerate(data[c].cat.categories))})\n return _categories\n",
"role": "user"
},
{
"content": "categorize",
"role": "assistant"
}
] |
def x(data: pd.DataFrame, axis: int, **params):
if axis == 0:
dropna_rows(data=data, **params)
else:
dropna_columns(data=data, **params)
| dropna | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data: pd.DataFrame, axis: int, **params):\n if axis == 0:\n dropna_rows(data=data, **params)\n else:\n dropna_columns(data=data, **params)\n",
"role": "user"
},
{
"content": "dropna",
"role": "assistant"
}
] |
def x(data: pd.DataFrame, max_na_values: int=0.15):
size = data.shape[0]
df_na = data.isnull().sum() / size >= max_na_values
data.drop(df_na[df_na].index, axis=1, inplace=True)
| dropna_columns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data: pd.DataFrame, max_na_values: int=0.15):\n size = data.shape[0]\n df_na = data.isnull().sum() / size >= max_na_values\n data.drop(df_na[df_na].index, axis=1, inplace=True)\n",
"role": "user"
},
{
"content": "dropna_columns",
"role": "assistant"
}
] |
def x(data: pd.DataFrame, columns_name: str=None):
params = {}
if columns_name is not None:
params.update({'subset': columns_name.split(',')})
data.dropna(inplace=True, **params)
| dropna_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data: pd.DataFrame, columns_name: str=None):\n params = {}\n if columns_name is not None:\n params.update({'subset': columns_name.split(',')})\n data.dropna(inplace=True, **params)\n",
"role": "user"
},
{
"content": "dropna_rows",
"role": "assistant"
}
] |
def x(data: pd.DataFrame, max_unique_values: int=0.25):
size = data.shape[0]
df_uv = data.apply(lambda se: se.dropna().unique().shape[0] / size >
max_unique_values and se.dtype in ['object', 'category'])
data.drop(df_uv[df_uv].index, axis=1, inplace=True)
| drop_columns_with_unique_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data: pd.DataFrame, max_unique_values: int=0.25):\n size = data.shape[0]\n df_uv = data.apply(lambda se: se.dropna().unique().shape[0] / size >\n max_unique_values and se.dtype in ['object', 'category'])\n data.drop(df_uv[df_uv].index, axis=1, inplace=True)\n",
"role": "user"
},
{
"content": "drop_columns_with_unique_values",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(QuotaViewSet, 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(QuotaViewSet, self).list(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x(self, request, *args, **kwargs):
return super(QuotaViewSet, 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(QuotaViewSet, self).retrieve(request, *args, **kwargs)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, request, uuid=None):
mapped = {'start': request.query_params.get('start'), 'end': request.
query_params.get('end'), 'points_count': request.query_params.get(
'points_count'), 'point_list': request.query_params.getlist('point')}
history_serializer = HistorySerializer(data={k: v for k, v in mapped.
items() if v})
history_serializer.is_valid(raise_exception=True)
quota = self.get_object()
serializer = self.get_serializer(quota)
serialized_versions = []
for point_date in history_serializer.get_filter_data():
serialized = {'point': datetime_to_timestamp(point_date)}
version = Version.objects.get_for_object(quota).filter(
revision__date_created__lte=point_date)
if version.exists():
version_object = version.first()._object_version.object
serialized['object'] = serializer.data.copy()
serialized['object'].update({f: getattr(version_object, f) for
f in quota.get_version_fields()})
serialized_versions.append(serialized)
return response.Response(serialized_versions, status=status.HTTP_200_OK)
| history | [
{
"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 mapped = {'start': request.query_params.get('start'), 'end': request.\n query_params.get('end'), 'points_count': request.query_params.get(\n 'points_count'), 'point_list': request.query_params.getlist('point')}\n history_serializer = HistorySerializer(data={k: v for k, v in mapped.\n items() if v})\n history_serializer.is_valid(raise_exception=True)\n quota = self.get_object()\n serializer = self.get_serializer(quota)\n serialized_versions = []\n for point_date in history_serializer.get_filter_data():\n serialized = {'point': datetime_to_timestamp(point_date)}\n version = Version.objects.get_for_object(quota).filter(\n revision__date_created__lte=point_date)\n if version.exists():\n version_object = version.first()._object_version.object\n serialized['object'] = serializer.data.copy()\n serialized['object'].update({f: getattr(version_object, f) for\n f in quota.get_version_fields()})\n serialized_versions.append(serialized)\n return response.Response(serialized_versions, status=status.HTTP_200_OK)\n",
"role": "user"
},
{
"content": "history",
"role": "assistant"
}
] |
def x(self, obj):
format_kwargs = {'app_label': obj._meta.app_label}
try:
format_kwargs['model_name'] = getattr(obj.__class__, 'get_url_name')()
except AttributeError:
format_kwargs['model_name'] = obj._meta.object_name.lower()
return self._default_view_name % format_kwargs
| get_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n format_kwargs = {'app_label': obj._meta.app_label}\n try:\n format_kwargs['model_name'] = getattr(obj.__class__, 'get_url_name')()\n except AttributeError:\n format_kwargs['model_name'] = obj._meta.object_name.lower()\n return self._default_view_name % format_kwargs\n",
"role": "user"
},
{
"content": "get_url",
"role": "assistant"
}
] |
def x(self, obj):
kwargs = None
for field in self.lookup_fields:
if hasattr(obj, field):
kwargs = {field: getattr(obj, field)}
break
if kwargs is None:
raise AttributeError(
'Related object does not have any of lookup_fields')
request = self._get_request()
return request.build_absolute_uri(reverse(self._get_url(obj), kwargs=
kwargs))
| to_representation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n kwargs = None\n for field in self.lookup_fields:\n if hasattr(obj, field):\n kwargs = {field: getattr(obj, field)}\n break\n if kwargs is None:\n raise AttributeError(\n 'Related object does not have any of lookup_fields')\n request = self._get_request()\n return request.build_absolute_uri(reverse(self._get_url(obj), kwargs=\n kwargs))\n",
"role": "user"
},
{
"content": "to_representation",
"role": "assistant"
}
] |
def x(self, data):
if not data:
return None
request = self._get_request()
user = request.user
try:
obj = core_utils.instance_from_url(data, user=user)
model = obj.__class__
except ValueError:
raise serializers.ValidationError(_('URL is invalid: %s.') % data)
except (Resolver404, AttributeError, MultipleObjectsReturned,
ObjectDoesNotExist):
raise serializers.ValidationError(_(
"Can't restore object from url: %s") % data)
if model not in self.related_models:
raise serializers.ValidationError(_(
'%s object does not support such relationship.') % six.
text_type(obj))
return obj
| to_internal_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not data:\n return None\n request = self._get_request()\n user = request.user\n try:\n obj = core_utils.instance_from_url(data, user=user)\n model = obj.__class__\n except ValueError:\n raise serializers.ValidationError(_('URL is invalid: %s.') % data)\n except (Resolver404, AttributeError, MultipleObjectsReturned,\n ObjectDoesNotExist):\n raise serializers.ValidationError(_(\n \"Can't restore object from url: %s\") % data)\n if model not in self.related_models:\n raise serializers.ValidationError(_(\n '%s object does not support such relationship.') % six.\n text_type(obj))\n return obj\n",
"role": "user"
},
{
"content": "to_internal_value",
"role": "assistant"
}
] |
def x(self, data):
if 'start' in data and 'end' in data and data['start'] >= data['end']:
raise serializers.ValidationError(_('End must occur after start.'))
return data
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if 'start' in data and 'end' in data and data['start'] >= data['end']:\n raise serializers.ValidationError(_('End must occur after start.'))\n return data\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(app_label, task_name):
def x(*args, **kwargs):
full_task_name = 'waldur_core.%s.%s' % (app_label, task_name)
send_celery_task(full_task_name, args, kwargs, countdown=2)
return delay
| send_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_label, task_name):\n\n def x(*args, **kwargs):\n full_task_name = 'waldur_core.%s.%s' % (app_label, task_name)\n send_celery_task(full_task_name, args, kwargs, countdown=2)\n return delay\n",
"role": "user"
},
{
"content": "send_task",
"role": "assistant"
}
] |
def x(request):
task = request.task
description = None
if isinstance(task, Task):
try:
description = task.get_description(*request.args, **request.kwargs)
except NotImplementedError:
pass
except Exception as e:
logger.exception(
'Cannot get description for task %s. Error: %s' % (task.
__class__.__name__, e))
return '{0.name}[{0.id}]{1}{2}{3}'.format(request, ' {0}'.format(
description) if description else '', ' eta:[{0}]'.format(request.
eta) if request.eta else '', ' expires:[{0}]'.format(request.
expires) if request.expires else '')
| log_celery_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n task = request.task\n description = None\n if isinstance(task, Task):\n try:\n description = task.get_description(*request.args, **request.kwargs)\n except NotImplementedError:\n pass\n except Exception as e:\n logger.exception(\n 'Cannot get description for task %s. Error: %s' % (task.\n __class__.__name__, e))\n return '{0.name}[{0.id}]{1}{2}{3}'.format(request, ' {0}'.format(\n description) if description else '', ' eta:[{0}]'.format(request.\n eta) if request.eta else '', ' expires:[{0}]'.format(request.\n expires) if request.expires else '')\n",
"role": "user"
},
{
"content": "log_celery_task",
"role": "assistant"
}
] |
def x(self, serialized_instance, *args, **kwargs):
try:
instance = utils.deserialize_instance(serialized_instance)
except ObjectDoesNotExist:
message = (
'Cannot restore instance from serialized object %s. Probably it was deleted.'
% serialized_instance)
six.reraise(ObjectDoesNotExist, message)
self.args = args
self.kwargs = kwargs
self.pre_execute(instance)
result = self.execute(instance, *self.args, **self.kwargs)
self.post_execute(instance)
if result and isinstance(result, django_models.Model):
result = utils.serialize_instance(result)
return result
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serialized_instance, *args, **kwargs):\n try:\n instance = utils.deserialize_instance(serialized_instance)\n except ObjectDoesNotExist:\n message = (\n 'Cannot restore instance from serialized object %s. Probably it was deleted.'\n % serialized_instance)\n six.reraise(ObjectDoesNotExist, message)\n self.args = args\n self.kwargs = kwargs\n self.pre_execute(instance)\n result = self.execute(instance, *self.args, **self.kwargs)\n self.post_execute(instance)\n if result and isinstance(result, django_models.Model):\n result = utils.serialize_instance(result)\n return result\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
app = self._get_app()
inspect = app.control.inspect()
active = inspect.active() or {}
scheduled = inspect.scheduled() or {}
reserved = inspect.reserved() or {}
uncompleted = sum(list(active.values()) + list(scheduled.values()) +
reserved.values(), [])
return any(self.is_equal(task, *args, **kwargs) for task in uncompleted)
| is_previous_task_processing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n app = self._get_app()\n inspect = app.control.inspect()\n active = inspect.active() or {}\n scheduled = inspect.scheduled() or {}\n reserved = inspect.reserved() or {}\n uncompleted = sum(list(active.values()) + list(scheduled.values()) +\n reserved.values(), [])\n return any(self.is_equal(task, *args, **kwargs) for task in uncompleted)\n",
"role": "user"
},
{
"content": "is_previous_task_processing",
"role": "assistant"
}
] |
def x(self, args=None, kwargs=None, **options):
if self.is_previous_task_processing(*args, **kwargs):
message = (
'Background task %s was not scheduled, because its predecessor is not completed yet.'
% self.name)
logger.info(message)
return self.AsyncResult(options.get('task_id') or str(uuid4()))
return super(BackgroundTask, self).apply_async(args=args, kwargs=kwargs,
**options)
| apply_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, kwargs=None, **options):\n if self.is_previous_task_processing(*args, **kwargs):\n message = (\n 'Background task %s was not scheduled, because its predecessor is not completed yet.'\n % self.name)\n logger.info(message)\n return self.AsyncResult(options.get('task_id') or str(uuid4()))\n return super(BackgroundTask, self).apply_async(args=args, kwargs=kwargs,\n **options)\n",
"role": "user"
},
{
"content": "apply_async",
"role": "assistant"
}
] |
def x(self, args, kwargs):
hash_input = json.dumps({'name': self.name, 'args': args, 'kwargs':
kwargs}, sort_keys=True)
return hashlib.md5(hash_input).hexdigest()
| get_cache_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, kwargs):\n hash_input = json.dumps({'name': self.name, 'args': args, 'kwargs':\n kwargs}, sort_keys=True)\n return hashlib.md5(hash_input).hexdigest()\n",
"role": "user"
},
{
"content": "get_cache_key",
"role": "assistant"
}
] |
def x(self, args=None, kwargs=None, **options):
key = self._get_cache_key(args, kwargs)
counter, penalty = cache.get(key, (0, 0))
if not counter:
return super(PenalizedBackgroundTask, self).apply_async(args=args,
kwargs=kwargs, **options)
cache.set(key, (counter - 1, penalty), self.CACHE_LIFETIME)
logger.info('The task %s will not be executed due to the penalty.' %
self.name)
return self.AsyncResult(options.get('task_id') or str(uuid4()))
| apply_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, kwargs=None, **options):\n key = self._get_cache_key(args, kwargs)\n counter, penalty = cache.get(key, (0, 0))\n if not counter:\n return super(PenalizedBackgroundTask, self).apply_async(args=args,\n kwargs=kwargs, **options)\n cache.set(key, (counter - 1, penalty), self.CACHE_LIFETIME)\n logger.info('The task %s will not be executed due to the penalty.' %\n self.name)\n return self.AsyncResult(options.get('task_id') or str(uuid4()))\n",
"role": "user"
},
{
"content": "apply_async",
"role": "assistant"
}
] |
def x(self, exc, task_id, args, kwargs, einfo):
key = self._get_cache_key(args, kwargs)
_, penalty = cache.get(key, (0, 0))
if penalty < self.MAX_PENALTY:
penalty += 1
logger.debug('The task %s is penalized and will be executed on %d run.' %
(self.name, penalty))
cache.set(key, (penalty, penalty), self.CACHE_LIFETIME)
return super(PenalizedBackgroundTask, self).on_failure(exc, task_id,
args, kwargs, einfo)
| on_failure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exc, task_id, args, kwargs, einfo):\n key = self._get_cache_key(args, kwargs)\n _, penalty = cache.get(key, (0, 0))\n if penalty < self.MAX_PENALTY:\n penalty += 1\n logger.debug('The task %s is penalized and will be executed on %d run.' %\n (self.name, penalty))\n cache.set(key, (penalty, penalty), self.CACHE_LIFETIME)\n return super(PenalizedBackgroundTask, self).on_failure(exc, task_id,\n args, kwargs, einfo)\n",
"role": "user"
},
{
"content": "on_failure",
"role": "assistant"
}
] |
def x(self, retval, task_id, args, kwargs):
key = self._get_cache_key(args, kwargs)
if cache.get(key) is not None:
cache.delete(key)
logger.debug('Penalty for the task %s has been removed.' % self.name)
return super(PenalizedBackgroundTask, self).on_success(retval, task_id,
args, kwargs)
| on_success | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, retval, task_id, args, kwargs):\n key = self._get_cache_key(args, kwargs)\n if cache.get(key) is not None:\n cache.delete(key)\n logger.debug('Penalty for the task %s has been removed.' % self.name)\n return super(PenalizedBackgroundTask, self).on_success(retval, task_id,\n args, kwargs)\n",
"role": "user"
},
{
"content": "on_success",
"role": "assistant"
}
] |
def x(action=None):
def x(func):
@functools.wraps(func)
def x(self, instance, *args, **kwargs):
action_name = func.func_name.replace('_', ' '
) if action is None else action
logger.debug('About to %s `%s` (PK: %s).', action_name,
instance, instance.pk)
result = func(self, instance, *args, **kwargs)
logger.debug(
'Action `%s` was executed successfully for `%s` (PK: %s).',
action_name, instance, instance.pk)
return result
return wrapped
return decorator
| log_backend_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action=None):\n\n def x(func):\n\n @functools.wraps(func)\n def x(self, instance, *args, **kwargs):\n action_name = func.func_name.replace('_', ' '\n ) if action is None else action\n logger.debug('About to %s `%s` (PK: %s).', action_name,\n instance, instance.pk)\n result = func(self, instance, *args, **kwargs)\n logger.debug(\n 'Action `%s` was executed successfully for `%s` (PK: %s).',\n action_name, instance, instance.pk)\n return result\n return wrapped\n return decorator\n",
"role": "user"
},
{
"content": "log_backend_action",
"role": "assistant"
}
] |
def x(cls, request=None):
return {service['name']: reverse(service['list_view'], request=request) for
service in cls._registry.values()}
| get_services | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, request=None):\n return {service['name']: reverse(service['list_view'], request=request) for\n service in cls._registry.values()}\n",
"role": "user"
},
{
"content": "get_services",
"role": "assistant"
}
] |
def x(cls, request=None):
return {'.'.join([service['name'], resource['name']]): reverse(resource
['list_view'], request=request) for service in cls._registry.values
() for resource in service['resources'].values()}
| get_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, request=None):\n return {'.'.join([service['name'], resource['name']]): reverse(resource\n ['list_view'], request=request) for service in cls._registry.values\n () for resource in service['resources'].values()}\n",
"role": "user"
},
{
"content": "get_resources",
"role": "assistant"
}
] |
def x(cls, request=None):
from django.apps import apps
data = {}
for service in cls._registry.values():
service_model = apps.get_model(service['model_name'])
service_project_link = service_model.projects.through
service_project_link_url = reverse(cls.get_list_view_for_model(
service_project_link), request=request)
data[service['name']] = {'url': reverse(service['list_view'],
request=request), 'service_project_link_url':
service_project_link_url, 'resources': {resource['name']:
reverse(resource['list_view'], request=request) for resource in
service['resources'].values()}, 'properties': {resource['name']:
reverse(resource['list_view'], request=request) for resource in
service.get('properties', {}).values()}, 'is_public_service':
cls.is_public_service(service_model)}
return data
| get_services_with_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, request=None):\n from django.apps import apps\n data = {}\n for service in cls._registry.values():\n service_model = apps.get_model(service['model_name'])\n service_project_link = service_model.projects.through\n service_project_link_url = reverse(cls.get_list_view_for_model(\n service_project_link), request=request)\n data[service['name']] = {'url': reverse(service['list_view'],\n request=request), 'service_project_link_url':\n service_project_link_url, 'resources': {resource['name']:\n reverse(resource['list_view'], request=request) for resource in\n service['resources'].values()}, 'properties': {resource['name']:\n reverse(resource['list_view'], request=request) for resource in\n service.get('properties', {}).values()}, 'is_public_service':\n cls.is_public_service(service_model)}\n return data\n",
"role": "user"
},
{
"content": "get_services_with_resources",
"role": "assistant"
}
] |
def x(cls):
from django.apps import apps
data = {}
for key, service in cls._registry.items():
service_model = apps.get_model(service['model_name'])
service_project_link = service_model.projects.through
data[key] = {'service': service_model, 'service_project_link':
service_project_link, 'resources': [apps.get_model(r) for r in
service['resources'].keys()], 'properties': [apps.get_model(r) for
r in service['properties'].keys() if '.' in r]}
return data
| get_service_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n from django.apps import apps\n data = {}\n for key, service in cls._registry.items():\n service_model = apps.get_model(service['model_name'])\n service_project_link = service_model.projects.through\n data[key] = {'service': service_model, 'service_project_link':\n service_project_link, 'resources': [apps.get_model(r) for r in\n service['resources'].keys()], 'properties': [apps.get_model(r) for\n r in service['properties'].keys() if '.' in r]}\n return data\n",
"role": "user"
},
{
"content": "get_service_models",
"role": "assistant"
}
] |
def x(cls):
from django.apps import apps
return {'.'.join([service['name'], attrs['name']]): apps.get_model(
resource) for service in cls._registry.values() for resource, attrs in
service['resources'].items()}
| get_resource_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n from django.apps import apps\n return {'.'.join([service['name'], attrs['name']]): apps.get_model(\n resource) for service in cls._registry.values() for resource, attrs in\n service['resources'].items()}\n",
"role": "user"
},
{
"content": "get_resource_models",
"role": "assistant"
}
] |
def x(cls, model):
key = cls.get_model_key(model)
return cls.get_service_name_resources(key)
| get_service_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, model):\n key = cls.get_model_key(model)\n return cls.get_service_name_resources(key)\n",
"role": "user"
},
{
"content": "get_service_resources",
"role": "assistant"
}
] |
def x(cls, service_name):
from django.apps import apps
resources = cls._registry[service_name]['resources'].keys()
return [apps.get_model(resource) for resource in resources]
| get_service_name_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, service_name):\n from django.apps import apps\n resources = cls._registry[service_name]['resources'].keys()\n return [apps.get_model(resource) for resource in resources]\n",
"role": "user"
},
{
"content": "get_service_name_resources",
"role": "assistant"
}
] |
def x(cls, model):
key = cls.get_model_key(model)
model_str = cls._get_model_str(model)
service = cls._registry[key]
if model_str in service['resources']:
return '{}.{}'.format(service['name'], service['resources'][
model_str]['name'])
else:
return service['name']
| get_name_for_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 key = cls.get_model_key(model)\n model_str = cls._get_model_str(model)\n service = cls._registry[key]\n if model_str in service['resources']:\n return '{}.{}'.format(service['name'], service['resources'][\n model_str]['name'])\n else:\n return service['name']\n",
"role": "user"
},
{
"content": "get_name_for_model",
"role": "assistant"
}
] |
def x(cls, model):
from waldur_core.structure.models import ServiceSettings
if isinstance(model, ServiceSettings):
model_str = cls._registry.get(model.type, {}).get('model_name', '')
else:
model_str = cls._get_model_str(model)
for models in cls.get_service_models().values():
if model_str == cls._get_model_str(models['service']
) or model_str == cls._get_model_str(models['service_project_link']
):
return models
for resource_model in models['resources']:
if model_str == cls._get_model_str(resource_model):
return models
| get_related_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, model):\n from waldur_core.structure.models import ServiceSettings\n if isinstance(model, ServiceSettings):\n model_str = cls._registry.get(model.type, {}).get('model_name', '')\n else:\n model_str = cls._get_model_str(model)\n for models in cls.get_service_models().values():\n if model_str == cls._get_model_str(models['service']\n ) or model_str == cls._get_model_str(models['service_project_link']\n ):\n return models\n for resource_model in models['resources']:\n if model_str == cls._get_model_str(resource_model):\n return models\n",
"role": "user"
},
{
"content": "get_related_models",
"role": "assistant"
}
] |
def x(cls, model):
return '.'.join(model.__module__.split('.')[:2]
) in settings.INSTALLED_APPS or '.'.join(model.__module__.split('.'
)[:1]) in settings.INSTALLED_APPS
| is_active_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 return '.'.join(model.__module__.split('.')[:2]\n ) in settings.INSTALLED_APPS or '.'.join(model.__module__.split('.'\n )[:1]) in settings.INSTALLED_APPS\n",
"role": "user"
},
{
"content": "is_active_model",
"role": "assistant"
}
] |
def x(self, event):
conf = settings.WALDUR_CORE.get('GOOGLE_API') or {}
keys = conf.get(dict(self.Type.CHOICES)[self.type])
if not keys or not self.token:
return
endpoint = 'https://gcm-http.googleapis.com/gcm/send'
headers = {'Content-Type': 'application/json', 'Authorization':
'key=%s' % keys['server_key']}
payload = {'to': self.token, 'notification': {'body': event.get(
'message', 'New event'), 'title': conf.get('NOTIFICATION_TITLE',
'Waldur notification'), 'image': 'icon'}, 'data': {'event': event}}
if self.type == self.Type.IOS:
payload['content-available'] = '1'
logger.debug(
'Submitting GCM push notification with headers %s, payload: %s' % (
headers, payload))
requests.post(endpoint, json=payload, headers=headers)
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n conf = settings.WALDUR_CORE.get('GOOGLE_API') or {}\n keys = conf.get(dict(self.Type.CHOICES)[self.type])\n if not keys or not self.token:\n return\n endpoint = 'https://gcm-http.googleapis.com/gcm/send'\n headers = {'Content-Type': 'application/json', 'Authorization': \n 'key=%s' % keys['server_key']}\n payload = {'to': self.token, 'notification': {'body': event.get(\n 'message', 'New event'), 'title': conf.get('NOTIFICATION_TITLE',\n 'Waldur notification'), 'image': 'icon'}, 'data': {'event': event}}\n if self.type == self.Type.IOS:\n payload['content-available'] = '1'\n logger.debug(\n 'Submitting GCM push notification with headers %s, payload: %s' % (\n headers, payload))\n requests.post(endpoint, json=payload, headers=headers)\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(request, headers_schema):
if not headers_schema:
return None
env = request.parsed_data.xml.xpath('/soap:Envelope', namespaces=
SoapProtocol.namespaces)[0]
header = env.xpath('./soap:Header/*', namespaces=SoapProtocol.namespaces)
if len(header) < 1:
return None
return headers_schema.validate(xml2obj(header[0], headers_schema))
| get_context_data_from_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, headers_schema):\n if not headers_schema:\n return None\n env = request.parsed_data.xml.xpath('/soap:Envelope', namespaces=\n SoapProtocol.namespaces)[0]\n header = env.xpath('./soap:Header/*', namespaces=SoapProtocol.namespaces)\n if len(header) < 1:\n return None\n return headers_schema.validate(xml2obj(header[0], headers_schema))\n",
"role": "user"
},
{
"content": "get_context_data_from_headers",
"role": "assistant"
}
] |
def x(fn):
class NewLazyConstant(LazyConstant):
@functools.wraps(fn)
def x(self):
return self.get_value()
return NewLazyConstant(fn)
| lazy_constant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n\n\n class NewLazyConstant(LazyConstant):\n\n @functools.wraps(fn)\n def x(self):\n return self.get_value()\n return NewLazyConstant(fn)\n",
"role": "user"
},
{
"content": "lazy_constant",
"role": "assistant"
}
] |
def x(maxsize=128, key_fn=None):
def x(fn):
cache = LRUCache(maxsize)
argspec = inspect2.getfullargspec(fn)
arg_names = argspec.args[1:] + argspec.kwonlyargs
kwargs_defaults = get_kwargs_defaults(argspec)
cache_key = key_fn
if cache_key is None:
def x(args, kwargs):
return get_args_tuple(args, kwargs, arg_names, kwargs_defaults)
@functools.wraps(fn)
def x(*args, **kwargs):
key = cache_key(args, kwargs)
try:
return cache[key]
except KeyError:
value = fn(*args, **kwargs)
cache[key] = value
return value
wrapper.clear = cache.clear
return wrapper
return decorator
| lru_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(maxsize=128, key_fn=None):\n\n def x(fn):\n cache = LRUCache(maxsize)\n argspec = inspect2.getfullargspec(fn)\n arg_names = argspec.args[1:] + argspec.kwonlyargs\n kwargs_defaults = get_kwargs_defaults(argspec)\n cache_key = key_fn\n if cache_key is None:\n\n def x(args, kwargs):\n return get_args_tuple(args, kwargs, arg_names, kwargs_defaults)\n\n @functools.wraps(fn)\n def x(*args, **kwargs):\n key = cache_key(args, kwargs)\n try:\n return cache[key]\n except KeyError:\n value = fn(*args, **kwargs)\n cache[key] = value\n return value\n wrapper.clear = cache.clear\n return wrapper\n return decorator\n",
"role": "user"
},
{
"content": "lru_cache",
"role": "assistant"
}
] |
def x():
def x(fun):
argspec = inspect2.getfullargspec(fun)
arg_names = argspec.args[1:] + argspec.kwonlyargs
kwargs_defaults = get_kwargs_defaults(argspec)
cache = {}
def x(args, kwargs):
return get_args_tuple(args, kwargs, arg_names, kwargs_defaults)
def x(instance_key, ref):
del cache[instance_key]
@functools.wraps(fun)
def x(self, *args, **kwargs):
instance_key = id(self)
if instance_key not in cache:
ref = weakref.ref(self, functools.partial(clear_cache,
instance_key))
cache[instance_key] = ref, {}
instance_cache = cache[instance_key][1]
k = cache_key(args, kwargs)
if k not in instance_cache:
instance_cache[k] = fun(self, *args, **kwargs)
return instance_cache[k]
new_fun.__cached_per_instance_cache__ = cache
return new_fun
return cache_fun
| cached_per_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n def x(fun):\n argspec = inspect2.getfullargspec(fun)\n arg_names = argspec.args[1:] + argspec.kwonlyargs\n kwargs_defaults = get_kwargs_defaults(argspec)\n cache = {}\n\n def x(args, kwargs):\n return get_args_tuple(args, kwargs, arg_names, kwargs_defaults)\n\n def x(instance_key, ref):\n del cache[instance_key]\n\n @functools.wraps(fun)\n def x(self, *args, **kwargs):\n instance_key = id(self)\n if instance_key not in cache:\n ref = weakref.ref(self, functools.partial(clear_cache,\n instance_key))\n cache[instance_key] = ref, {}\n instance_cache = cache[instance_key][1]\n k = cache_key(args, kwargs)\n if k not in instance_cache:\n instance_cache[k] = fun(self, *args, **kwargs)\n return instance_cache[k]\n new_fun.__cached_per_instance_cache__ = cache\n return new_fun\n return cache_fun\n",
"role": "user"
},
{
"content": "cached_per_instance",
"role": "assistant"
}
] |
def x(args, kwargs, arg_names, kwargs_defaults):
args_list = list(args)
args_len = len(args)
all_args_len = len(arg_names)
try:
while args_len < all_args_len:
arg_name = arg_names[args_len]
if arg_name in kwargs_defaults:
args_list.append(kwargs.get(arg_name, kwargs_defaults[
arg_name]))
else:
args_list.append(kwargs[arg_name])
args_len += 1
except KeyError as e:
raise TypeError('Missing argument %r' % (e.args[0],))
return tuple(args_list)
| get_args_tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, kwargs, arg_names, kwargs_defaults):\n args_list = list(args)\n args_len = len(args)\n all_args_len = len(arg_names)\n try:\n while args_len < all_args_len:\n arg_name = arg_names[args_len]\n if arg_name in kwargs_defaults:\n args_list.append(kwargs.get(arg_name, kwargs_defaults[\n arg_name]))\n else:\n args_list.append(kwargs[arg_name])\n args_len += 1\n except KeyError as e:\n raise TypeError('Missing argument %r' % (e.args[0],))\n return tuple(args_list)\n",
"role": "user"
},
{
"content": "get_args_tuple",
"role": "assistant"
}
] |
def x(argspec):
arg_names = tuple(argspec.args)
defaults = argspec.defaults or ()
num_args = len(argspec.args) - len(defaults)
kwargs_defaults = {}
for i, default_value in enumerate(defaults):
kwargs_defaults[arg_names[num_args + i]] = default_value
if getattr(argspec, 'kwonlydefaults', None):
kwargs_defaults.update(argspec.kwonlydefaults)
return kwargs_defaults
| get_kwargs_defaults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argspec):\n arg_names = tuple(argspec.args)\n defaults = argspec.defaults or ()\n num_args = len(argspec.args) - len(defaults)\n kwargs_defaults = {}\n for i, default_value in enumerate(defaults):\n kwargs_defaults[arg_names[num_args + i]] = default_value\n if getattr(argspec, 'kwonlydefaults', None):\n kwargs_defaults.update(argspec.kwonlydefaults)\n return kwargs_defaults\n",
"role": "user"
},
{
"content": "get_kwargs_defaults",
"role": "assistant"
}
] |
def x(fun):
argspec = inspect2.getfullargspec(fun)
arg_names = argspec.args + argspec.kwonlyargs
kwargs_defaults = get_kwargs_defaults(argspec)
def x(args, kwargs):
return get_args_tuple(args, kwargs, arg_names, kwargs_defaults)
@functools.wraps(fun)
def x(*args, **kwargs):
k = cache_key(args, kwargs)
if k not in new_fun.__cache:
new_fun.__cache[k] = fun(*args, **kwargs)
return new_fun.__cache[k]
def x():
new_fun.__cache.clear()
new_fun.__cache = {}
new_fun.clear_cache = clear_cache
return new_fun
| memoize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fun):\n argspec = inspect2.getfullargspec(fun)\n arg_names = argspec.args + argspec.kwonlyargs\n kwargs_defaults = get_kwargs_defaults(argspec)\n\n def x(args, kwargs):\n return get_args_tuple(args, kwargs, arg_names, kwargs_defaults)\n\n @functools.wraps(fun)\n def x(*args, **kwargs):\n k = cache_key(args, kwargs)\n if k not in new_fun.__cache:\n new_fun.__cache[k] = fun(*args, **kwargs)\n return new_fun.__cache[k]\n\n def x():\n new_fun.__cache.clear()\n new_fun.__cache = {}\n new_fun.clear_cache = clear_cache\n return new_fun\n",
"role": "user"
},
{
"content": "memoize",
"role": "assistant"
}
] |
def x(ttl_secs=60 * 60 * 24):
error_msg = (
'Incorrect usage of qcore.caching.memoize_with_ttl: ttl_secs must be a positive integer.'
)
assert_is_instance(ttl_secs, six.integer_types, error_msg)
assert_gt(ttl_secs, 0, error_msg)
def x(fun):
argspec = inspect2.getfullargspec(fun)
arg_names = argspec.args + argspec.kwonlyargs
kwargs_defaults = get_kwargs_defaults(argspec)
def x(args, kwargs):
return repr(get_args_tuple(args, kwargs, arg_names,
kwargs_defaults))
@functools.wraps(fun)
def x(*args, **kwargs):
k = cache_key(args, kwargs)
current_time = int(time.time())
if k not in new_fun.__cache or k not in new_fun.__cache_times:
new_fun.__cache[k] = fun(*args, **kwargs)
new_fun.__cache_times[k] = current_time
return new_fun.__cache[k]
cache_time = new_fun.__cache_times[k]
if current_time - cache_time > ttl_secs:
new_fun.__cache[k] = fun(*args, **kwargs)
new_fun.__cache_times[k] = current_time
return new_fun.__cache[k]
def x():
new_fun.__cache.clear()
new_fun.__cache_times.clear()
def x(*args, **kwargs):
k = cache_key(args, kwargs)
new_fun.__cache.pop(k, None)
new_fun.__cache_times.pop(k, None)
new_fun.__cache = {}
new_fun.__cache_times = {}
new_fun.clear_cache = clear_cache
new_fun.dirty = dirty
return new_fun
return cache_fun
| memoize_with_ttl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ttl_secs=60 * 60 * 24):\n error_msg = (\n 'Incorrect usage of qcore.caching.memoize_with_ttl: ttl_secs must be a positive integer.'\n )\n assert_is_instance(ttl_secs, six.integer_types, error_msg)\n assert_gt(ttl_secs, 0, error_msg)\n\n def x(fun):\n argspec = inspect2.getfullargspec(fun)\n arg_names = argspec.args + argspec.kwonlyargs\n kwargs_defaults = get_kwargs_defaults(argspec)\n\n def x(args, kwargs):\n return repr(get_args_tuple(args, kwargs, arg_names,\n kwargs_defaults))\n\n @functools.wraps(fun)\n def x(*args, **kwargs):\n k = cache_key(args, kwargs)\n current_time = int(time.time())\n if k not in new_fun.__cache or k not in new_fun.__cache_times:\n new_fun.__cache[k] = fun(*args, **kwargs)\n new_fun.__cache_times[k] = current_time\n return new_fun.__cache[k]\n cache_time = new_fun.__cache_times[k]\n if current_time - cache_time > ttl_secs:\n new_fun.__cache[k] = fun(*args, **kwargs)\n new_fun.__cache_times[k] = current_time\n return new_fun.__cache[k]\n\n def x():\n new_fun.__cache.clear()\n new_fun.__cache_times.clear()\n\n def x(*args, **kwargs):\n k = cache_key(args, kwargs)\n new_fun.__cache.pop(k, None)\n new_fun.__cache_times.pop(k, None)\n new_fun.__cache = {}\n new_fun.__cache_times = {}\n new_fun.clear_cache = clear_cache\n new_fun.dirty = dirty\n return new_fun\n return cache_fun\n",
"role": "user"
},
{
"content": "memoize_with_ttl",
"role": "assistant"
}
] |
def x(self):
if self.value is not_computed:
self.value = self.value_provider()
if self.value is not_computed:
return None
return self.value
| get_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.value is not_computed:\n self.value = self.value_provider()\n if self.value is not_computed:\n return None\n return self.value\n",
"role": "user"
},
{
"content": "get_value",
"role": "assistant"
}
] |
def x(self):
self.value = self.value_provider()
if self.value is not_computed:
return None
else:
return self.value
| compute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.value = self.value_provider()\n if self.value is not_computed:\n return None\n else:\n return self.value\n",
"role": "user"
},
{
"content": "compute",
"role": "assistant"
}
] |
def x(self, key, default=miss):
if key not in self._dict:
return default
return self[key]
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=miss):\n if key not in self._dict:\n return default\n return self[key]\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, omit_item_evicted=False):
if not omit_item_evicted:
items = self._dict.items()
for key, value in items:
self._evict_item(key, value)
self._dict.clear()
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, omit_item_evicted=False):\n if not omit_item_evicted:\n items = self._dict.items()\n for key, value in items:\n self._evict_item(key, value)\n self._dict.clear()\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(loop):
if hasattr(loop, 'create_future'):
return loop.create_future()
return asyncio.Future(loop=loop)
| create_future | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(loop):\n if hasattr(loop, 'create_future'):\n return loop.create_future()\n return asyncio.Future(loop=loop)\n",
"role": "user"
},
{
"content": "create_future",
"role": "assistant"
}
] |
def x(coro, loop):
if hasattr(loop, 'create_task'):
return loop.create_task(coro)
return asyncio.Task(coro, loop=loop)
| create_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coro, loop):\n if hasattr(loop, 'create_task'):\n return loop.create_task(coro)\n return asyncio.Task(coro, loop=loop)\n",
"role": "user"
},
{
"content": "create_task",
"role": "assistant"
}
] |
def x(bind_attr, attrs):
def x(cls):
for attr_name in attrs:
setattr(cls, attr_name, _make_proxy_property(bind_attr, attr_name))
return cls
return cls_builder
| proxy_property_directly | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bind_attr, attrs):\n\n def x(cls):\n for attr_name in attrs:\n setattr(cls, attr_name, _make_proxy_property(bind_attr, attr_name))\n return cls\n return cls_builder\n",
"role": "user"
},
{
"content": "proxy_property_directly",
"role": "assistant"
}
] |
def x(cls, user):
uuids = filter_queryset_for_user(cls.objects.all(), user).values_list(
'uuid', flat=True)
key = core_utils.camel_case_to_underscore(cls.__name__) + '_uuid'
return {key: uuids}
| get_permitted_objects_uuids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, user):\n uuids = filter_queryset_for_user(cls.objects.all(), user).values_list(\n 'uuid', flat=True)\n key = core_utils.camel_case_to_underscore(cls.__name__) + '_uuid'\n return {key: uuids}\n",
"role": "user"
},
{
"content": "get_permitted_objects_uuids",
"role": "assistant"
}
] |
def x(self, user, role=None, timestamp=False):
permissions = self.permissions.filter(user=user, is_active=True)
if role is not None:
permissions = permissions.filter(role=role)
if timestamp is None:
permissions = permissions.filter(expiration_time=None)
elif timestamp:
permissions = permissions.filter(Q(expiration_time=None) | Q(
expiration_time__gte=timestamp))
return permissions.exists()
| has_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user, role=None, timestamp=False):\n permissions = self.permissions.filter(user=user, is_active=True)\n if role is not None:\n permissions = permissions.filter(role=role)\n if timestamp is None:\n permissions = permissions.filter(expiration_time=None)\n elif timestamp:\n permissions = permissions.filter(Q(expiration_time=None) | Q(\n expiration_time__gte=timestamp))\n return permissions.exists()\n",
"role": "user"
},
{
"content": "has_user",
"role": "assistant"
}
] |
def x(self, buf):
with self.lock:
try:
if isinstance(buf, str) and str != bytes:
buf = buf.encode('utf-8', errors='replace')
return maybe_decode(magic_buffer(self.cookie, buf))
except MagicException as e:
return self._handle509Bug(e)
| from_buffer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buf):\n with self.lock:\n try:\n if isinstance(buf, str) and str != bytes:\n buf = buf.encode('utf-8', errors='replace')\n return maybe_decode(magic_buffer(self.cookie, buf))\n except MagicException as e:\n return self._handle509Bug(e)\n",
"role": "user"
},
{
"content": "from_buffer",
"role": "assistant"
}
] |
def x(self, timeout=None, root_object=None):
if self._is_running:
return
if timeout:
self._timeout = timeout
self._start_time = int(time())
pushcenter_logger.debug(
'[NURESTPushCenter] Starting push center on url %s ...' % self.url)
self._is_running = True
self.__root_object = root_object
from .nurest_session import NURESTSession
current_session = NURESTSession.get_current_session()
args_session = {'session': current_session}
self._thread = StoppableThread(target=self._listen, name='push-center',
kwargs=args_session)
self._thread.daemon = True
self._thread.start()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None, root_object=None):\n if self._is_running:\n return\n if timeout:\n self._timeout = timeout\n self._start_time = int(time())\n pushcenter_logger.debug(\n '[NURESTPushCenter] Starting push center on url %s ...' % self.url)\n self._is_running = True\n self.__root_object = root_object\n from .nurest_session import NURESTSession\n current_session = NURESTSession.get_current_session()\n args_session = {'session': current_session}\n self._thread = StoppableThread(target=self._listen, name='push-center',\n kwargs=args_session)\n self._thread.daemon = True\n self._thread.start()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
if not self._is_running:
return
pushcenter_logger.debug('[NURESTPushCenter] Stopping...')
self._thread.stop()
self._thread.join()
self._is_running = False
self._current_connection = None
self._start_time = None
self._timeout = None
| stop | [
{
"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._is_running:\n return\n pushcenter_logger.debug('[NURESTPushCenter] Stopping...')\n self._thread.stop()\n self._thread.join()\n self._is_running = False\n self._current_connection = None\n self._start_time = None\n self._timeout = None\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
if self._timeout is None:
raise Exception(
'Thread will never exit. Use stop or specify timeout when starting it!'
)
self._thread.join()
self.stop()
| wait_until_exit | [
{
"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._timeout is None:\n raise Exception(\n 'Thread will never exit. Use stop or specify timeout when starting it!'\n )\n self._thread.join()\n self.stop()\n",
"role": "user"
},
{
"content": "wait_until_exit",
"role": "assistant"
}
] |
def x(self, connection):
if not self._is_running:
return
if connection.has_timeouted:
return
response = connection.response
data = None
if response.status_code != 200:
pushcenter_logger.error(
'[NURESTPushCenter]: Connection failure [%s] %s' % (response.
status_code, response.errors))
else:
data = response.data
if len(self._delegate_methods) > 0:
for m in self._delegate_methods:
try:
m(data)
except Exception as exc:
pushcenter_logger.error(
'[NURESTPushCenter] Delegate method %s failed:\n%s' %
(m, exc))
elif data:
events = data['events']
self.nb_events_received += len(events)
self.nb_push_received += 1
pushcenter_logger.info(
"""[NURESTPushCenter] Received Push #%s (total=%s, latest=%s)
%s"""
% (self.nb_push_received, self.nb_events_received, len(
events), json.dumps(events, indent=4)))
self._last_events.extend(events)
if self._is_running:
uuid = None
if data and 'uuid' in data:
uuid = data['uuid']
self._listen(uuid)
| did_receive_event | [
{
"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 not self._is_running:\n return\n if connection.has_timeouted:\n return\n response = connection.response\n data = None\n if response.status_code != 200:\n pushcenter_logger.error(\n '[NURESTPushCenter]: Connection failure [%s] %s' % (response.\n status_code, response.errors))\n else:\n data = response.data\n if len(self._delegate_methods) > 0:\n for m in self._delegate_methods:\n try:\n m(data)\n except Exception as exc:\n pushcenter_logger.error(\n '[NURESTPushCenter] Delegate method %s failed:\\n%s' %\n (m, exc))\n elif data:\n events = data['events']\n self.nb_events_received += len(events)\n self.nb_push_received += 1\n pushcenter_logger.info(\n \"\"\"[NURESTPushCenter] Received Push #%s (total=%s, latest=%s)\n%s\"\"\"\n % (self.nb_push_received, self.nb_events_received, len(\n events), json.dumps(events, indent=4)))\n self._last_events.extend(events)\n if self._is_running:\n uuid = None\n if data and 'uuid' in data:\n uuid = data['uuid']\n self._listen(uuid)\n",
"role": "user"
},
{
"content": "did_receive_event",
"role": "assistant"
}
] |
def x(self, callback):
if callback in self._delegate_methods:
return
self._delegate_methods.append(callback)
| add_delegate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback):\n if callback in self._delegate_methods:\n return\n self._delegate_methods.append(callback)\n",
"role": "user"
},
{
"content": "add_delegate",
"role": "assistant"
}
] |
def x(self, callback):
if callback not in self._delegate_methods:
return
self._delegate_methods.remove(callback)
| remove_delegate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback):\n if callback not in self._delegate_methods:\n return\n self._delegate_methods.remove(callback)\n",
"role": "user"
},
{
"content": "remove_delegate",
"role": "assistant"
}
] |
def x(cls):
cls._config_parser = configparser.ConfigParser()
cls._config_parser.read(cls.
_default_attribute_values_configuration_file_path)
| read_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n cls._config_parser = configparser.ConfigParser()\n cls._config_parser.read(cls.\n _default_attribute_values_configuration_file_path)\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
def x(cls, object_class, property_name, attr_type=str):
if not cls._default_attribute_values_configuration_file_path:
return None
if not cls._config_parser:
cls._read_config()
class_name = object_class.__name__
if not cls._config_parser.has_section(class_name):
return None
if not cls._config_parser.has_option(class_name, property_name):
return None
if sys.version_info < (3,):
integer_types = int, long
else:
integer_types = int,
if isinstance(attr_type, integer_types):
return cls._config_parser.getint(class_name, property_name)
elif attr_type is bool:
return cls._config_parser.getboolean(class_name, property_name)
else:
return cls._config_parser.get(class_name, property_name)
| get_default_attribute_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, object_class, property_name, attr_type=str):\n if not cls._default_attribute_values_configuration_file_path:\n return None\n if not cls._config_parser:\n cls._read_config()\n class_name = object_class.__name__\n if not cls._config_parser.has_section(class_name):\n return None\n if not cls._config_parser.has_option(class_name, property_name):\n return None\n if sys.version_info < (3,):\n integer_types = int, long\n else:\n integer_types = int,\n if isinstance(attr_type, integer_types):\n return cls._config_parser.getint(class_name, property_name)\n elif attr_type is bool:\n return cls._config_parser.getboolean(class_name, property_name)\n else:\n return cls._config_parser.get(class_name, property_name)\n",
"role": "user"
},
{
"content": "get_default_attribute_value",
"role": "assistant"
}
] |
def x(self, request, queryset, view):
summary_queryset = queryset
filtered_querysets = []
for queryset in summary_queryset.querysets:
filter_class = self._get_filter(queryset)
queryset = filter_class(request.query_params, queryset=queryset).qs
filtered_querysets.append(queryset)
summary_queryset.querysets = filtered_querysets
return summary_queryset
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset, view):\n summary_queryset = queryset\n filtered_querysets = []\n for queryset in summary_queryset.querysets:\n filter_class = self._get_filter(queryset)\n queryset = filter_class(request.query_params, queryset=queryset).qs\n filtered_querysets.append(queryset)\n summary_queryset.querysets = filtered_querysets\n return summary_queryset\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(type_):
if isinstance(type_, type) and issubclass(type_, Type):
return type_
for x in __types__:
if x.represents(type_):
return x.get(type_)
raise UnknownType(type_)
| TypeFactory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type_):\n if isinstance(type_, type) and issubclass(type_, Type):\n return type_\n for x in __types__:\n if x.represents(type_):\n return x.get(type_)\n raise UnknownType(type_)\n",
"role": "user"
},
{
"content": "TypeFactory",
"role": "assistant"
}
] |
def x(filetype='gif'):
GIF = 'R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7'
tmp_file = tempfile.NamedTemporaryFile(suffix='.%s' % filetype)
tmp_file.write(base64.b64decode(GIF))
return open(tmp_file.name, 'rb')
| dummy_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filetype='gif'):\n GIF = 'R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7'\n tmp_file = tempfile.NamedTemporaryFile(suffix='.%s' % filetype)\n tmp_file.write(base64.b64decode(GIF))\n return open(tmp_file.name, 'rb')\n",
"role": "user"
},
{
"content": "dummy_image",
"role": "assistant"
}
] |
def x(days=0, hours=0, minutes=0, seconds=0):
return days * DAY + hours * HOUR + minutes * MINUTE + seconds * SECOND
| utime_delta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(days=0, hours=0, minutes=0, seconds=0):\n return days * DAY + hours * HOUR + minutes * MINUTE + seconds * SECOND\n",
"role": "user"
},
{
"content": "utime_delta",
"role": "assistant"
}
] |
def x(fn, args=None, kwargs=None, timeout=None, fail_if_no_timer=True,
signal_type=_default_signal_type, timer_type=_default_timer_type,
timeout_exception_cls=TimeoutError):
if args is None:
args = empty_tuple
if kwargs is None:
kwargs = empty_dict
if (timeout is None or timeout == 0 or signal_type is None or
timer_type is None):
return fn(*args, **kwargs)
def x(signum, frame):
raise timeout_exception_cls(inspection.get_function_call_str(fn,
args, kwargs))
old_signal_handler = none
timer_is_set = False
try:
try:
old_signal_handler = signal.signal(signal_type, signal_handler)
signal.setitimer(timer_type, timeout)
timer_is_set = True
except ValueError:
if fail_if_no_timer:
raise NotSupportedError(
'Timer is not available; the code is probably invoked from outside the main thread.'
)
return fn(*args, **kwargs)
finally:
if timer_is_set:
signal.setitimer(timer_type, 0)
if old_signal_handler is not none:
signal.signal(signal_type, old_signal_handler)
| execute_with_timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, args=None, kwargs=None, timeout=None, fail_if_no_timer=True,\n signal_type=_default_signal_type, timer_type=_default_timer_type,\n timeout_exception_cls=TimeoutError):\n if args is None:\n args = empty_tuple\n if kwargs is None:\n kwargs = empty_dict\n if (timeout is None or timeout == 0 or signal_type is None or \n timer_type is None):\n return fn(*args, **kwargs)\n\n def x(signum, frame):\n raise timeout_exception_cls(inspection.get_function_call_str(fn,\n args, kwargs))\n old_signal_handler = none\n timer_is_set = False\n try:\n try:\n old_signal_handler = signal.signal(signal_type, signal_handler)\n signal.setitimer(timer_type, timeout)\n timer_is_set = True\n except ValueError:\n if fail_if_no_timer:\n raise NotSupportedError(\n 'Timer is not available; the code is probably invoked from outside the main thread.'\n )\n return fn(*args, **kwargs)\n finally:\n if timer_is_set:\n signal.setitimer(timer_type, 0)\n if old_signal_handler is not none:\n signal.signal(signal_type, old_signal_handler)\n",
"role": "user"
},
{
"content": "execute_with_timeout",
"role": "assistant"
}
] |
def x(fn):
fn_type = type(fn)
if fn_type is classmethod or fn_type is staticmethod:
return get_original_fn(fn.__func__)
if hasattr(fn, 'original_fn'):
return fn.original_fn
if hasattr(fn, 'fn'):
fn.original_fn = get_original_fn(fn.fn)
return fn.original_fn
return fn
| get_original_fn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n fn_type = type(fn)\n if fn_type is classmethod or fn_type is staticmethod:\n return get_original_fn(fn.__func__)\n if hasattr(fn, 'original_fn'):\n return fn.original_fn\n if hasattr(fn, 'fn'):\n fn.original_fn = get_original_fn(fn.fn)\n return fn.original_fn\n return fn\n",
"role": "user"
},
{
"content": "get_original_fn",
"role": "assistant"
}
] |
def x(src):
if hasattr(src, '_full_name_'):
return src._full_name_
if hasattr(src, 'is_decorator'):
if hasattr(src, 'decorator'):
_full_name_ = str(src.decorator)
else:
_full_name_ = str(src)
try:
src._full_name_ = _full_name_
except AttributeError:
pass
except TypeError:
pass
elif hasattr(src, 'im_class'):
cls = src.im_class
_full_name_ = get_full_name(cls) + '.' + src.__name__
elif hasattr(src, '__module__') and hasattr(src, '__name__'):
_full_name_ = ('<unknown module>' if src.__module__ is None else
src.__module__) + '.' + src.__name__
try:
src._full_name_ = _full_name_
except AttributeError:
pass
except TypeError:
pass
else:
_full_name_ = str(get_original_fn(src))
return _full_name_
| get_full_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n if hasattr(src, '_full_name_'):\n return src._full_name_\n if hasattr(src, 'is_decorator'):\n if hasattr(src, 'decorator'):\n _full_name_ = str(src.decorator)\n else:\n _full_name_ = str(src)\n try:\n src._full_name_ = _full_name_\n except AttributeError:\n pass\n except TypeError:\n pass\n elif hasattr(src, 'im_class'):\n cls = src.im_class\n _full_name_ = get_full_name(cls) + '.' + src.__name__\n elif hasattr(src, '__module__') and hasattr(src, '__name__'):\n _full_name_ = ('<unknown module>' if src.__module__ is None else\n src.__module__) + '.' + src.__name__\n try:\n src._full_name_ = _full_name_\n except AttributeError:\n pass\n except TypeError:\n pass\n else:\n _full_name_ = str(get_original_fn(src))\n return _full_name_\n",
"role": "user"
},
{
"content": "get_full_name",
"role": "assistant"
}
] |
def x(fn, args, kwargs):
def x(v):
try:
return str(v)
except Exception:
try:
return repr(v)
except Exception:
return '<n/a str raised>'
result = get_full_name(fn) + '('
first = True
for v in args:
if first:
first = False
else:
result += ','
result += str_converter(v)
for k, v in kwargs.items():
if first:
first = False
else:
result += ','
result += str(k) + '=' + str_converter(v)
result += ')'
return result
| get_function_call_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, args, kwargs):\n\n def x(v):\n try:\n return str(v)\n except Exception:\n try:\n return repr(v)\n except Exception:\n return '<n/a str raised>'\n result = get_full_name(fn) + '('\n first = True\n for v in args:\n if first:\n first = False\n else:\n result += ','\n result += str_converter(v)\n for k, v in kwargs.items():\n if first:\n first = False\n else:\n result += ','\n result += str(k) + '=' + str_converter(v)\n result += ')'\n return result\n",
"role": "user"
},
{
"content": "get_function_call_str",
"role": "assistant"
}
] |
def x(fn, args, kwargs):
result = get_full_name(fn) + '('
first = True
for v in args:
if first:
first = False
else:
result += ','
result += repr(v)
for k, v in kwargs.items():
if first:
first = False
else:
result += ','
result += str(k) + '=' + repr(v)
result += ')'
return result
| get_function_call_repr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, args, kwargs):\n result = get_full_name(fn) + '('\n first = True\n for v in args:\n if first:\n first = False\n else:\n result += ','\n result += repr(v)\n for k, v in kwargs.items():\n if first:\n first = False\n else:\n result += ','\n result += str(k) + '=' + repr(v)\n result += ')'\n return result\n",
"role": "user"
},
{
"content": "get_function_call_repr",
"role": "assistant"
}
] |
def x(func):
if inspect.ismethod(func):
func = func.__func__
try:
code = func.__code__
except AttributeError:
raise TypeError('{!r} is not a Python function'.format(func))
if hasattr(code, 'co_kwonlyargcount') and code.co_kwonlyargcount > 0:
raise ValueError(
'keyword-only arguments are not supported by getargspec()')
args, varargs, varkw = inspect.getargs(code)
return inspect.ArgSpec(args, varargs, varkw, func.__defaults__)
| getargspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n if inspect.ismethod(func):\n func = func.__func__\n try:\n code = func.__code__\n except AttributeError:\n raise TypeError('{!r} is not a Python function'.format(func))\n if hasattr(code, 'co_kwonlyargcount') and code.co_kwonlyargcount > 0:\n raise ValueError(\n 'keyword-only arguments are not supported by getargspec()')\n args, varargs, varkw = inspect.getargs(code)\n return inspect.ArgSpec(args, varargs, varkw, func.__defaults__)\n",
"role": "user"
},
{
"content": "getargspec",
"role": "assistant"
}
] |
def x(fn):
if hasattr(fn, '__func__'):
fn = fn.__func__
if inspect.isgeneratorfunction(fn):
return True
name = type(fn).__name__
return (name == 'generator' or name == 'method_descriptor' or name ==
'cython_function_or_method' or name == 'builtin_function_or_method')
| is_cython_or_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n if hasattr(fn, '__func__'):\n fn = fn.__func__\n if inspect.isgeneratorfunction(fn):\n return True\n name = type(fn).__name__\n return (name == 'generator' or name == 'method_descriptor' or name ==\n 'cython_function_or_method' or name == 'builtin_function_or_method')\n",
"role": "user"
},
{
"content": "is_cython_or_generator",
"role": "assistant"
}
] |
def x(fn):
if hasattr(fn, '__func__'):
fn = fn.__func__
name = type(fn).__name__
return (name == 'method_descriptor' or name ==
'cython_function_or_method' or name == 'builtin_function_or_method')
| is_cython_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n if hasattr(fn, '__func__'):\n fn = fn.__func__\n name = type(fn).__name__\n return (name == 'method_descriptor' or name ==\n 'cython_function_or_method' or name == 'builtin_function_or_method')\n",
"role": "user"
},
{
"content": "is_cython_function",
"role": "assistant"
}
] |
def x(fn):
if not inspect.ismethod(fn):
return False
if not hasattr(fn, '__self__'):
return False
im_self = fn.__self__
if im_self is None:
return False
return isinstance(im_self, six.class_types)
| is_classmethod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n if not inspect.ismethod(fn):\n return False\n if not hasattr(fn, '__self__'):\n return False\n im_self = fn.__self__\n if im_self is None:\n return False\n return isinstance(im_self, six.class_types)\n",
"role": "user"
},
{
"content": "is_classmethod",
"role": "assistant"
}
] |
def x(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS, updated=functools.
WRAPPER_UPDATES):
if not is_cython_function(wrapped):
return functools.wraps(wrapped, assigned, updated)
else:
return lambda wrapper: wrapper
| wraps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wrapped, assigned=functools.WRAPPER_ASSIGNMENTS, updated=functools.\n WRAPPER_UPDATES):\n if not is_cython_function(wrapped):\n return functools.wraps(wrapped, assigned, updated)\n else:\n return lambda wrapper: wrapper\n",
"role": "user"
},
{
"content": "wraps",
"role": "assistant"
}
] |
def x(cls, ensure_unique=True):
subclasses = []
for subcls in type.__subclasses__(cls):
subclasses.append(subcls)
subclasses.extend(get_subclass_tree(subcls, ensure_unique))
return list(set(subclasses)) if ensure_unique else subclasses
| get_subclass_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, ensure_unique=True):\n subclasses = []\n for subcls in type.__subclasses__(cls):\n subclasses.append(subcls)\n subclasses.extend(get_subclass_tree(subcls, ensure_unique))\n return list(set(subclasses)) if ensure_unique else subclasses\n",
"role": "user"
},
{
"content": "get_subclass_tree",
"role": "assistant"
}
] |
def x(name, *fields):
ret = type(name, (Dict,), {'fields': []})
ret.add_fields(*fields)
return ret
| DictOf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, *fields):\n ret = type(name, (Dict,), {'fields': []})\n ret.add_fields(*fields)\n return ret\n",
"role": "user"
},
{
"content": "DictOf",
"role": "assistant"
}
] |
def x(element_type, element_none_value=None):
from pyws.functions.args.types import TypeFactory
element_type = TypeFactory(element_type)
return type(element_type.__name__ + 'List', (List,), {'element_type':
element_type, 'element_none_value': element_none_value})
| ListOf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(element_type, element_none_value=None):\n from pyws.functions.args.types import TypeFactory\n element_type = TypeFactory(element_type)\n return type(element_type.__name__ + 'List', (List,), {'element_type':\n element_type, 'element_none_value': element_none_value})\n",
"role": "user"
},
{
"content": "ListOf",
"role": "assistant"
}
] |
def x(self, request, view):
metadata = OrderedDict()
actions = self.get_resource_actions(view)
resource = view.get_object()
for action_name, action in actions.items():
if action_name == 'update':
view.request = clone_request(request, 'PUT')
else:
view.action = action_name
data = ActionSerializer(action, action_name, request, view, resource)
metadata[action_name] = data.serialize()
if not metadata[action_name]['enabled']:
continue
fields = self.get_action_fields(view, action_name, resource)
if not fields:
metadata[action_name]['type'] = 'button'
else:
metadata[action_name]['type'] = 'form'
metadata[action_name]['fields'] = fields
view.action = None
view.request = request
return metadata
| get_actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, view):\n metadata = OrderedDict()\n actions = self.get_resource_actions(view)\n resource = view.get_object()\n for action_name, action in actions.items():\n if action_name == 'update':\n view.request = clone_request(request, 'PUT')\n else:\n view.action = action_name\n data = ActionSerializer(action, action_name, request, view, resource)\n metadata[action_name] = data.serialize()\n if not metadata[action_name]['enabled']:\n continue\n fields = self.get_action_fields(view, action_name, resource)\n if not fields:\n metadata[action_name]['type'] = 'button'\n else:\n metadata[action_name]['type'] = 'form'\n metadata[action_name]['fields'] = fields\n view.action = None\n view.request = request\n return metadata\n",
"role": "user"
},
{
"content": "get_actions",
"role": "assistant"
}
] |
def x(self, view, action_name, resource):
serializer = view.get_serializer(resource)
fields = OrderedDict()
if not isinstance(serializer, view.serializer_class
) or action_name == 'update':
fields = self.get_fields(serializer.fields)
return fields
| get_action_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view, action_name, resource):\n serializer = view.get_serializer(resource)\n fields = OrderedDict()\n if not isinstance(serializer, view.serializer_class\n ) or action_name == 'update':\n fields = self.get_fields(serializer.fields)\n return fields\n",
"role": "user"
},
{
"content": "get_action_fields",
"role": "assistant"
}
] |
def x(self, serializer):
if hasattr(serializer, 'child'):
serializer = serializer.child
return self.get_fields(serializer.fields)
| get_serializer_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serializer):\n if hasattr(serializer, 'child'):\n serializer = serializer.child\n return self.get_fields(serializer.fields)\n",
"role": "user"
},
{
"content": "get_serializer_info",
"role": "assistant"
}
] |
def x(self, serializer_fields):
fields = OrderedDict()
for field_name, field in serializer_fields.items():
if field_name == 'tags':
continue
info = self.get_field_info(field, field_name)
if info:
fields[field_name] = info
return fields
| get_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serializer_fields):\n fields = OrderedDict()\n for field_name, field in serializer_fields.items():\n if field_name == 'tags':\n continue\n info = self.get_field_info(field, field_name)\n if info:\n fields[field_name] = info\n return fields\n",
"role": "user"
},
{
"content": "get_fields",
"role": "assistant"
}
] |
def x(self, field, field_name):
field_info = OrderedDict()
field_info['type'] = self.label_lookup[field]
field_info['required'] = getattr(field, 'required', False)
attrs = ['label', 'help_text', 'default_value', 'placeholder',
'required', 'min_length', 'max_length', 'min_value', 'max_value',
'many']
if getattr(field, 'read_only', False):
return None
for attr in attrs:
value = getattr(field, attr, None)
if value is not None and value != '':
field_info[attr] = force_text(value, strings_only=True)
if 'label' not in field_info:
field_info['label'] = field_name.replace('_', ' ').title()
if hasattr(field, 'view_name'):
list_view = field.view_name.replace('-detail', '-list')
base_url = reverse(list_view, request=self.request)
field_info['type'] = 'select'
field_info['url'] = base_url
if hasattr(field, 'query_params'):
field_info['url'] += '?%s' % urlencode(field.query_params)
field_info['value_field'] = getattr(field, 'value_field', 'url')
field_info['display_name_field'] = getattr(field,
'display_name_field', 'display_name')
if hasattr(field, 'choices') and not hasattr(field, 'queryset'):
field_info['choices'] = [{'value': choice_value, 'display_name':
force_text(choice_name, strings_only=True)} for choice_value,
choice_name in field.choices.items()]
return field_info
| get_field_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field, field_name):\n field_info = OrderedDict()\n field_info['type'] = self.label_lookup[field]\n field_info['required'] = getattr(field, 'required', False)\n attrs = ['label', 'help_text', 'default_value', 'placeholder',\n 'required', 'min_length', 'max_length', 'min_value', 'max_value',\n 'many']\n if getattr(field, 'read_only', False):\n return None\n for attr in attrs:\n value = getattr(field, attr, None)\n if value is not None and value != '':\n field_info[attr] = force_text(value, strings_only=True)\n if 'label' not in field_info:\n field_info['label'] = field_name.replace('_', ' ').title()\n if hasattr(field, 'view_name'):\n list_view = field.view_name.replace('-detail', '-list')\n base_url = reverse(list_view, request=self.request)\n field_info['type'] = 'select'\n field_info['url'] = base_url\n if hasattr(field, 'query_params'):\n field_info['url'] += '?%s' % urlencode(field.query_params)\n field_info['value_field'] = getattr(field, 'value_field', 'url')\n field_info['display_name_field'] = getattr(field,\n 'display_name_field', 'display_name')\n if hasattr(field, 'choices') and not hasattr(field, 'queryset'):\n field_info['choices'] = [{'value': choice_value, 'display_name':\n force_text(choice_name, strings_only=True)} for choice_value,\n choice_name in field.choices.items()]\n return field_info\n",
"role": "user"
},
{
"content": "get_field_info",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.