source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, token):
url = self.rest_url + '/session/%s' % token
response = self._delete(url)
if not response.ok:
return None
return True
|
terminate_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token):\n url = self.rest_url + '/session/%s' % token\n response = self._delete(url)\n if not response.ok:\n return None\n return True\n",
"role": "user"
},
{
"content": "terminate_session",
"role": "assistant"
}
] |
def x(self, username, raise_on_error=False, **kwargs):
if 'password' not in kwargs:
raise ValueError('missing password')
if 'email' not in kwargs:
raise ValueError('missing email')
try:
data = {'name': username, 'first-name': username, 'last-name':
username, 'display-name': username, 'email': kwargs['email'],
'password': {'value': kwargs['password']}, 'active': True}
except KeyError:
return ValueError
del kwargs['password']
for k, v in kwargs.items():
new_k = k.replace('_', '-')
if new_k not in data:
raise ValueError('invalid argument %s' % k)
data[new_k] = v
response = self._post(self.rest_url + '/user', data=json.dumps(data))
if response.status_code == 201:
return True
if raise_on_error:
raise RuntimeError(response.json()['message'])
return False
|
add_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, raise_on_error=False, **kwargs):\n if 'password' not in kwargs:\n raise ValueError('missing password')\n if 'email' not in kwargs:\n raise ValueError('missing email')\n try:\n data = {'name': username, 'first-name': username, 'last-name':\n username, 'display-name': username, 'email': kwargs['email'],\n 'password': {'value': kwargs['password']}, 'active': True}\n except KeyError:\n return ValueError\n del kwargs['password']\n for k, v in kwargs.items():\n new_k = k.replace('_', '-')\n if new_k not in data:\n raise ValueError('invalid argument %s' % k)\n data[new_k] = v\n response = self._post(self.rest_url + '/user', data=json.dumps(data))\n if response.status_code == 201:\n return True\n if raise_on_error:\n raise RuntimeError(response.json()['message'])\n return False\n",
"role": "user"
},
{
"content": "add_user",
"role": "assistant"
}
] |
def x(self, username):
response = self._get(self.rest_url + '/user', params={'username':
username, 'expand': 'attributes'})
if not response.ok:
return None
return response.json()
|
get_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n response = self._get(self.rest_url + '/user', params={'username':\n username, 'expand': 'attributes'})\n if not response.ok:\n return None\n return response.json()\n",
"role": "user"
},
{
"content": "get_user",
"role": "assistant"
}
] |
def x(self, username, active_state):
if active_state not in (True, False):
raise ValueError('active_state must be True or False')
user = self.get_user(username)
if user is None:
return None
if user['active'] is active_state:
return True
user['active'] = active_state
response = self._put(self.rest_url + '/user', params={'username':
username}, data=json.dumps(user))
if response.status_code == 204:
return True
return None
|
set_active
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, active_state):\n if active_state not in (True, False):\n raise ValueError('active_state must be True or False')\n user = self.get_user(username)\n if user is None:\n return None\n if user['active'] is active_state:\n return True\n user['active'] = active_state\n response = self._put(self.rest_url + '/user', params={'username':\n username}, data=json.dumps(user))\n if response.status_code == 204:\n return True\n return None\n",
"role": "user"
},
{
"content": "set_active",
"role": "assistant"
}
] |
def x(self, username, attribute, value, raise_on_error=False):
data = {'attributes': [{'name': attribute, 'values': [value]}]}
response = self._post(self.rest_url + '/user/attribute', params={
'username': username}, data=json.dumps(data))
if response.status_code == 204:
return True
if raise_on_error:
raise RuntimeError(response.json()['message'])
return False
|
set_user_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, attribute, value, raise_on_error=False):\n data = {'attributes': [{'name': attribute, 'values': [value]}]}\n response = self._post(self.rest_url + '/user/attribute', params={\n 'username': username}, data=json.dumps(data))\n if response.status_code == 204:\n return True\n if raise_on_error:\n raise RuntimeError(response.json()['message'])\n return False\n",
"role": "user"
},
{
"content": "set_user_attribute",
"role": "assistant"
}
] |
def x(self, username, groupname, raise_on_error=False):
data = {'name': groupname}
response = self._post(self.rest_url + '/user/group/direct', params={
'username': username}, data=json.dumps(data))
if response.status_code == 201:
return True
if raise_on_error:
raise RuntimeError(response.json()['message'])
return False
|
add_user_to_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, groupname, raise_on_error=False):\n data = {'name': groupname}\n response = self._post(self.rest_url + '/user/group/direct', params={\n 'username': username}, data=json.dumps(data))\n if response.status_code == 201:\n return True\n if raise_on_error:\n raise RuntimeError(response.json()['message'])\n return False\n",
"role": "user"
},
{
"content": "add_user_to_group",
"role": "assistant"
}
] |
def x(self, username, groupname, raise_on_error=False):
response = self._delete(self.rest_url + '/group/user/direct', params={
'username': username, 'groupname': groupname})
if response.status_code == 204:
return True
if raise_on_error:
raise RuntimeError(response.json()['message'])
return False
|
remove_user_from_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, groupname, raise_on_error=False):\n response = self._delete(self.rest_url + '/group/user/direct', params={\n 'username': username, 'groupname': groupname})\n if response.status_code == 204:\n return True\n if raise_on_error:\n raise RuntimeError(response.json()['message'])\n return False\n",
"role": "user"
},
{
"content": "remove_user_from_group",
"role": "assistant"
}
] |
def x(self, username, newpassword, raise_on_error=False):
response = self._put(self.rest_url + '/user/password', data=json.dumps(
{'value': newpassword}), params={'username': username})
if response.ok:
return True
if raise_on_error:
raise RuntimeError(response.json()['message'])
return False
|
change_password
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, newpassword, raise_on_error=False):\n response = self._put(self.rest_url + '/user/password', data=json.dumps(\n {'value': newpassword}), params={'username': username})\n if response.ok:\n return True\n if raise_on_error:\n raise RuntimeError(response.json()['message'])\n return False\n",
"role": "user"
},
{
"content": "change_password",
"role": "assistant"
}
] |
def x(self, username):
response = self._post(self.rest_url + '/user/mail/password', params={
'username': username})
if response.ok:
return True
return False
|
send_password_reset_link
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n response = self._post(self.rest_url + '/user/mail/password', params={\n 'username': username})\n if response.ok:\n return True\n return False\n",
"role": "user"
},
{
"content": "send_password_reset_link",
"role": "assistant"
}
] |
def x(self, username):
response = self._get(self.rest_url + '/user/group/nested', params={
'username': username})
if not response.ok:
return None
return [g['name'] for g in response.json()['groups']]
|
get_nested_groups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n response = self._get(self.rest_url + '/user/group/nested', params={\n 'username': username})\n if not response.ok:\n return None\n return [g['name'] for g in response.json()['groups']]\n",
"role": "user"
},
{
"content": "get_nested_groups",
"role": "assistant"
}
] |
def x(self, groupname):
response = self._get(self.rest_url + '/group/user/nested', params={
'groupname': groupname, 'start-index': 0, 'max-results': 99999})
if not response.ok:
return None
return [u['name'] for u in response.json()['users']]
|
get_nested_group_users
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, groupname):\n response = self._get(self.rest_url + '/group/user/nested', params={\n 'groupname': groupname, 'start-index': 0, 'max-results': 99999})\n if not response.ok:\n return None\n return [u['name'] for u in response.json()['users']]\n",
"role": "user"
},
{
"content": "get_nested_group_users",
"role": "assistant"
}
] |
def x(self, username):
response = self._get(self.rest_url + '/user', params={'username': username}
)
if not response.ok:
return None
return True
|
user_exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username):\n response = self._get(self.rest_url + '/user', params={'username': username}\n )\n if not response.ok:\n return None\n return True\n",
"role": "user"
},
{
"content": "user_exists",
"role": "assistant"
}
] |
def x(self):
response = self._get_xml(self.rest_url + '/group/membership')
if not response.ok:
return None
xmltree = etree.fromstring(response.content)
memberships = {}
for mg in xmltree.findall('membership'):
group = u'{}'.format(mg.get('group'))
users = [u'{}'.format(u.get('name')) for u in mg.find('users').
findall('user')]
groups = [u'{}'.format(g.get('name')) for g in mg.find('groups').
findall('group')]
memberships[group] = {u'users': users, u'groups': groups}
return memberships
|
get_memberships
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self._get_xml(self.rest_url + '/group/membership')\n if not response.ok:\n return None\n xmltree = etree.fromstring(response.content)\n memberships = {}\n for mg in xmltree.findall('membership'):\n group = u'{}'.format(mg.get('group'))\n users = [u'{}'.format(u.get('name')) for u in mg.find('users').\n findall('user')]\n groups = [u'{}'.format(g.get('name')) for g in mg.find('groups').\n findall('group')]\n memberships[group] = {u'users': users, u'groups': groups}\n return memberships\n",
"role": "user"
},
{
"content": "get_memberships",
"role": "assistant"
}
] |
def x(self, entity_type, property_name, search_string, start_index=0,
max_results=99999):
params = {'entity-type': entity_type, 'expand': entity_type,
'property-search-restriction': {'property': {'name': property_name,
'type': 'STRING'}, 'match-mode': 'CONTAINS', 'value': search_string}}
params = {'entity-type': entity_type, 'expand': entity_type,
'start-index': start_index, 'max-results': max_results}
root = etree.Element('property-search-restriction')
property_ = etree.Element('property')
prop_name = etree.Element('name')
prop_name.text = property_name
property_.append(prop_name)
prop_type = etree.Element('type')
prop_type.text = 'STRING'
property_.append(prop_type)
root.append(property_)
match_mode = etree.Element('match-mode')
match_mode.text = 'CONTAINS'
root.append(match_mode)
value = etree.Element('value')
value.text = search_string
root.append(value)
payload = '<?xml version="1.0" encoding="UTF-8"?>\n' + etree.tostring(root
).decode('utf-8')
session = self._build_session(content_type='xml')
session.headers.update({'Accept': 'application/json'})
response = session.post(self.rest_url + '/search', params=params, data=
payload, timeout=self.timeout)
if not response.ok:
return None
return response.json()
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_type, property_name, search_string, start_index=0,\n max_results=99999):\n params = {'entity-type': entity_type, 'expand': entity_type,\n 'property-search-restriction': {'property': {'name': property_name,\n 'type': 'STRING'}, 'match-mode': 'CONTAINS', 'value': search_string}}\n params = {'entity-type': entity_type, 'expand': entity_type,\n 'start-index': start_index, 'max-results': max_results}\n root = etree.Element('property-search-restriction')\n property_ = etree.Element('property')\n prop_name = etree.Element('name')\n prop_name.text = property_name\n property_.append(prop_name)\n prop_type = etree.Element('type')\n prop_type.text = 'STRING'\n property_.append(prop_type)\n root.append(property_)\n match_mode = etree.Element('match-mode')\n match_mode.text = 'CONTAINS'\n root.append(match_mode)\n value = etree.Element('value')\n value.text = search_string\n root.append(value)\n payload = '<?xml version=\"1.0\" encoding=\"UTF-8\"?>\\n' + etree.tostring(root\n ).decode('utf-8')\n session = self._build_session(content_type='xml')\n session.headers.update({'Accept': 'application/json'})\n response = session.post(self.rest_url + '/search', params=params, data=\n payload, timeout=self.timeout)\n if not response.ok:\n return None\n return response.json()\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self) ->List(BlenderVersion):
return [BlenderVersion(tag) for tag in self.git_repo.tags] + [
BlenderVersion(BLENDER_VERSION_MASTER)]
|
versions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List(BlenderVersion):\n return [BlenderVersion(tag) for tag in self.git_repo.tags] + [\n BlenderVersion(BLENDER_VERSION_MASTER)]\n",
"role": "user"
},
{
"content": "versions",
"role": "assistant"
}
] |
def x(self):
self.announce('Moving library files', level=3)
self.skip_build = True
bin_dir = self.distribution.bin_dir
libs = [os.path.join(bin_dir, _lib) for _lib in os.listdir(bin_dir) if
os.path.isfile(os.path.join(bin_dir, _lib)) and os.path.splitext(
_lib)[1] in ['.dll', '.so'] and not (_lib.startswith('python') or
_lib.startswith('bpy'))]
for lib in libs:
shutil.move(lib, os.path.join(self.build_dir, os.path.basename(lib)))
self.distribution.data_files = [os.path.join(self.install_dir, os.path.
basename(lib)) for lib in libs]
self.distribution.run_command('install_data')
super().run()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.announce('Moving library files', level=3)\n self.skip_build = True\n bin_dir = self.distribution.bin_dir\n libs = [os.path.join(bin_dir, _lib) for _lib in os.listdir(bin_dir) if \n os.path.isfile(os.path.join(bin_dir, _lib)) and os.path.splitext(\n _lib)[1] in ['.dll', '.so'] and not (_lib.startswith('python') or\n _lib.startswith('bpy'))]\n for lib in libs:\n shutil.move(lib, os.path.join(self.build_dir, os.path.basename(lib)))\n self.distribution.data_files = [os.path.join(self.install_dir, os.path.\n basename(lib)) for lib in libs]\n self.distribution.run_command('install_data')\n super().run()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
self.announce('Moving scripts files', level=3)
self.skip_build = True
bin_dir = self.distribution.bin_dir
scripts_dirs = [os.path.join(bin_dir, _dir) for _dir in os.listdir(
bin_dir) if os.path.isdir(os.path.join(bin_dir, _dir))]
for scripts_dir in scripts_dirs:
dst_dir = os.path.join(self.build_dir, os.path.basename(scripts_dir))
if os.path.exists(dst_dir):
if os.path.isdir(dst_dir):
shutil.rmtree(dst_dir)
elif os.path.isfile(dst_dir):
os.remove(dst_dir)
shutil.move(scripts_dir, os.path.join(self.build_dir, os.path.
basename(scripts_dir)))
self.distribution.scripts = scripts_dirs
super().run()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.announce('Moving scripts files', level=3)\n self.skip_build = True\n bin_dir = self.distribution.bin_dir\n scripts_dirs = [os.path.join(bin_dir, _dir) for _dir in os.listdir(\n bin_dir) if os.path.isdir(os.path.join(bin_dir, _dir))]\n for scripts_dir in scripts_dirs:\n dst_dir = os.path.join(self.build_dir, os.path.basename(scripts_dir))\n if os.path.exists(dst_dir):\n if os.path.isdir(dst_dir):\n shutil.rmtree(dst_dir)\n elif os.path.isfile(dst_dir):\n os.remove(dst_dir)\n shutil.move(scripts_dir, os.path.join(self.build_dir, os.path.\n basename(scripts_dir)))\n self.distribution.scripts = scripts_dirs\n super().run()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
for extension in self.extensions:
if extension.name == 'bpy':
self.build_cmake(extension)
super().run()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for extension in self.extensions:\n if extension.name == 'bpy':\n self.build_cmake(extension)\n super().run()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, addresses):
request = self._call(GetReverseDns.GetReverseDns, IPs=addresses)
response = request.commit()
return response['Value']
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addresses):\n request = self._call(GetReverseDns.GetReverseDns, IPs=addresses)\n response = request.commit()\n return response['Value']\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, address, host_name):
request = self._call(SetEnqueueSetReverseDns.SetEnqueueSetReverseDns,
IP=address, Hosts=host_name)
response = request.commit()
return response['Success']
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address, host_name):\n request = self._call(SetEnqueueSetReverseDns.SetEnqueueSetReverseDns,\n IP=address, Hosts=host_name)\n response = request.commit()\n return response['Success']\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, addresses):
request = self._call(SetEnqueueResetReverseDns.
SetEnqueueResetReverseDns, IPs=addresses)
response = request.commit()
return response['Success']
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addresses):\n request = self._call(SetEnqueueResetReverseDns.\n SetEnqueueResetReverseDns, IPs=addresses)\n response = request.commit()\n return response['Success']\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, healthCheckNotification, instance, ipAddressResourceId, name,
notificationContacts, rules, loadBalancerClassOfServiceID=1, *args, **
kwargs):
response = self._call(*args, method=SetEnqueueLoadBalancerCreation,
healthCheckNotification=healthCheckNotification, instance=instance,
ipAddressResourceId=ipAddressResourceId, name=name,
notificationContacts=notificationContacts, rules=rules,
loadBalancerClassOfServiceID=loadBalancerClassOfServiceID, **kwargs)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, healthCheckNotification, instance, ipAddressResourceId, name,\n notificationContacts, rules, loadBalancerClassOfServiceID=1, *args, **\n kwargs):\n response = self._call(*args, method=SetEnqueueLoadBalancerCreation,\n healthCheckNotification=healthCheckNotification, instance=instance,\n ipAddressResourceId=ipAddressResourceId, name=name,\n notificationContacts=notificationContacts, rules=rules,\n loadBalancerClassOfServiceID=loadBalancerClassOfServiceID, **kwargs)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, startDate, endDate, loadBalancerID, loadBalancerRuleID):
return self._call(GetLoadBalancerNotifications, startDate=startDate,
endDate=endDate, loadBalancerID=loadBalancerID, loadBalancerRuleID=
loadBalancerRuleID)
|
get_notifications
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, startDate, endDate, loadBalancerID, loadBalancerRuleID):\n return self._call(GetLoadBalancerNotifications, startDate=startDate,\n endDate=endDate, loadBalancerID=loadBalancerID, loadBalancerRuleID=\n loadBalancerRuleID)\n",
"role": "user"
},
{
"content": "get_notifications",
"role": "assistant"
}
] |
def x(authcfg_id=AUTHCFG_ID):
if not authcfg_id:
authcfg_id = AUTHCFG_ID
configs = auth_manager().availableAuthMethodConfigs()
if authcfg_id in configs and configs[authcfg_id].isValid() and configs[
authcfg_id].method() == 'OAuth2':
return configs[authcfg_id]
return None
|
get_oauth_authcfg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authcfg_id=AUTHCFG_ID):\n if not authcfg_id:\n authcfg_id = AUTHCFG_ID\n configs = auth_manager().availableAuthMethodConfigs()\n if authcfg_id in configs and configs[authcfg_id].isValid() and configs[\n authcfg_id].method() == 'OAuth2':\n return configs[authcfg_id]\n return None\n",
"role": "user"
},
{
"content": "get_oauth_authcfg",
"role": "assistant"
}
] |
def x(username, password, basemaps_token_uri, authcfg_id=AUTHCFG_ID,
authcfg_name=AUTHCFG_NAME):
cfgjson = {'accessMethod': 0, 'apiKey': '', 'clientId': '',
'clientSecret': '', 'configType': 1, 'grantFlow': 2, 'password':
password, 'persistToken': False, 'redirectPort': '7070',
'redirectUrl': '', 'refreshTokenUrl': '', 'requestTimeout': '30',
'requestUrl': '', 'scope': '', 'state': '', 'tokenUrl':
basemaps_token_uri, 'username': username, 'version': 1}
if authcfg_id not in auth_manager().availableAuthMethodConfigs():
authConfig = QgsAuthMethodConfig('OAuth2')
authConfig.setId(authcfg_id)
authConfig.setName(authcfg_name)
authConfig.setConfig('oauth2config', json.dumps(cfgjson))
if auth_manager().storeAuthenticationConfig(authConfig):
return authcfg_id
else:
authConfig = QgsAuthMethodConfig()
auth_manager().loadAuthenticationConfig(authcfg_id, authConfig, True)
authConfig.setName(authcfg_name)
authConfig.setConfig('oauth2config', json.dumps(cfgjson))
if auth_manager().updateAuthenticationConfig(authConfig):
return authcfg_id
return None
|
setup_oauth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password, basemaps_token_uri, authcfg_id=AUTHCFG_ID,\n authcfg_name=AUTHCFG_NAME):\n cfgjson = {'accessMethod': 0, 'apiKey': '', 'clientId': '',\n 'clientSecret': '', 'configType': 1, 'grantFlow': 2, 'password':\n password, 'persistToken': False, 'redirectPort': '7070',\n 'redirectUrl': '', 'refreshTokenUrl': '', 'requestTimeout': '30',\n 'requestUrl': '', 'scope': '', 'state': '', 'tokenUrl':\n basemaps_token_uri, 'username': username, 'version': 1}\n if authcfg_id not in auth_manager().availableAuthMethodConfigs():\n authConfig = QgsAuthMethodConfig('OAuth2')\n authConfig.setId(authcfg_id)\n authConfig.setName(authcfg_name)\n authConfig.setConfig('oauth2config', json.dumps(cfgjson))\n if auth_manager().storeAuthenticationConfig(authConfig):\n return authcfg_id\n else:\n authConfig = QgsAuthMethodConfig()\n auth_manager().loadAuthenticationConfig(authcfg_id, authConfig, True)\n authConfig.setName(authcfg_name)\n authConfig.setConfig('oauth2config', json.dumps(cfgjson))\n if auth_manager().updateAuthenticationConfig(authConfig):\n return authcfg_id\n return None\n",
"role": "user"
},
{
"content": "setup_oauth",
"role": "assistant"
}
] |
def x(search, search_terms='', user=None, reference='', save=True,
query_type=SearchQuery.QUERY_TYPE_SEARCH):
start = time.time()
if query_type == SearchQuery.QUERY_TYPE_SEARCH:
response = search.execute()
hits = [h.meta.to_dict() for h in response.hits]
total_hits = response.hits.total
elif query_type == SearchQuery.QUERY_TYPE_COUNT:
response = total_hits = search.count()
hits = []
else:
raise ValueError(
f"Invalid SearchQuery.query_type value: '{query_type}'")
duration = time.time() - start
search_query = SearchQuery(user=user, search_terms=search_terms, index=
', '.join(search._index or ['_all'])[:100], query=search.to_dict(),
query_type=query_type, hits=hits, total_hits=total_hits, reference=
reference or '', executed_at=tz_now(), duration=duration)
search_query.response = response
return search_query.save() if save else search_query
|
execute_search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(search, search_terms='', user=None, reference='', save=True,\n query_type=SearchQuery.QUERY_TYPE_SEARCH):\n start = time.time()\n if query_type == SearchQuery.QUERY_TYPE_SEARCH:\n response = search.execute()\n hits = [h.meta.to_dict() for h in response.hits]\n total_hits = response.hits.total\n elif query_type == SearchQuery.QUERY_TYPE_COUNT:\n response = total_hits = search.count()\n hits = []\n else:\n raise ValueError(\n f\"Invalid SearchQuery.query_type value: '{query_type}'\")\n duration = time.time() - start\n search_query = SearchQuery(user=user, search_terms=search_terms, index=\n ', '.join(search._index or ['_all'])[:100], query=search.to_dict(),\n query_type=query_type, hits=hits, total_hits=total_hits, reference=\n reference or '', executed_at=tz_now(), duration=duration)\n search_query.response = response\n return search_query.save() if save else search_query\n",
"role": "user"
},
{
"content": "execute_search",
"role": "assistant"
}
] |
def x(self, instance_id, index='_all'):
return self.get_search_queryset(index=index).filter(pk=instance_id).exists(
)
|
in_search_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance_id, index='_all'):\n return self.get_search_queryset(index=index).filter(pk=instance_id).exists(\n )\n",
"role": "user"
},
{
"content": "in_search_queryset",
"role": "assistant"
}
] |
def x(self, search_query):
hits = search_query.hits
score_sql = self._raw_sql([(h['id'], h['score'] or 0) for h in hits])
rank_sql = self._raw_sql([(hits[i]['id'], i) for i in range(len(hits))])
return self.get_queryset().filter(pk__in=[h['id'] for h in hits]).annotate(
search_score=RawSQL(score_sql, ())).annotate(search_rank=RawSQL(
rank_sql, ())).order_by('search_rank')
|
from_search_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, search_query):\n hits = search_query.hits\n score_sql = self._raw_sql([(h['id'], h['score'] or 0) for h in hits])\n rank_sql = self._raw_sql([(hits[i]['id'], i) for i in range(len(hits))])\n return self.get_queryset().filter(pk__in=[h['id'] for h in hits]).annotate(\n search_score=RawSQL(score_sql, ())).annotate(search_rank=RawSQL(\n rank_sql, ())).order_by('search_rank')\n",
"role": "user"
},
{
"content": "from_search_query",
"role": "assistant"
}
] |
def x(self, values):
if isinstance(self.model._meta.pk, CharField):
when_clauses = ' '.join([self._when("'{}'".format(x), y) for x, y in
values])
else:
when_clauses = ' '.join([self._when(x, y) for x, y in values])
table_name = self.model._meta.db_table
primary_key = self.model._meta.pk.column
return 'SELECT CASE {}."{}" {} ELSE 0 END'.format(table_name,
primary_key, when_clauses)
|
raw_sql
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values):\n if isinstance(self.model._meta.pk, CharField):\n when_clauses = ' '.join([self._when(\"'{}'\".format(x), y) for x, y in\n values])\n else:\n when_clauses = ' '.join([self._when(x, y) for x, y in values])\n table_name = self.model._meta.db_table\n primary_key = self.model._meta.pk.column\n return 'SELECT CASE {}.\"{}\" {} ELSE 0 END'.format(table_name,\n primary_key, when_clauses)\n",
"role": "user"
},
{
"content": "raw_sql",
"role": "assistant"
}
] |
def x(self):
return 'elasticsearch_django:{}.{}.{}'.format(self._meta.app_label,
self._meta.model_name, self.pk)
|
search_document_cache_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return 'elasticsearch_django:{}.{}.{}'.format(self._meta.app_label,\n self._meta.model_name, self.pk)\n",
"role": "user"
},
{
"content": "search_document_cache_key",
"role": "assistant"
}
] |
def x(self, field_name):
return self._meta.get_field(field_name).get_internal_type(
) in self.SIMPLE_UPDATE_FIELD_TYPES
|
is_field_serializable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name):\n return self._meta.get_field(field_name).get_internal_type(\n ) in self.SIMPLE_UPDATE_FIELD_TYPES\n",
"role": "user"
},
{
"content": "is_field_serializable",
"role": "assistant"
}
] |
def x(self, index, update_fields):
search_fields = get_model_index_properties(self, index)
clean_fields = [f for f in update_fields if f in search_fields]
ignore = [f for f in update_fields if f not in search_fields]
if ignore:
logger.debug('Ignoring fields from partial update: %s', [f for f in
update_fields if f not in search_fields])
for f in clean_fields:
if not self._is_field_serializable(f):
raise ValueError(
"'%s' cannot be automatically serialized into a search document property. Please override as_search_document_update."
, f)
return clean_fields
|
clean_update_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, update_fields):\n search_fields = get_model_index_properties(self, index)\n clean_fields = [f for f in update_fields if f in search_fields]\n ignore = [f for f in update_fields if f not in search_fields]\n if ignore:\n logger.debug('Ignoring fields from partial update: %s', [f for f in\n update_fields if f not in search_fields])\n for f in clean_fields:\n if not self._is_field_serializable(f):\n raise ValueError(\n \"'%s' cannot be automatically serialized into a search document property. Please override as_search_document_update.\"\n , f)\n return clean_fields\n",
"role": "user"
},
{
"content": "clean_update_fields",
"role": "assistant"
}
] |
def x(self, *, index, update_fields):
if UPDATE_STRATEGY == UPDATE_STRATEGY_FULL:
return self.as_search_document(index=index)
if UPDATE_STRATEGY == UPDATE_STRATEGY_PARTIAL:
return {k: getattr(self, k) for k in self.clean_update_fields(index
=index, update_fields=update_fields)}
|
as_search_document_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, index, update_fields):\n if UPDATE_STRATEGY == UPDATE_STRATEGY_FULL:\n return self.as_search_document(index=index)\n if UPDATE_STRATEGY == UPDATE_STRATEGY_PARTIAL:\n return {k: getattr(self, k) for k in self.clean_update_fields(index\n =index, update_fields=update_fields)}\n",
"role": "user"
},
{
"content": "as_search_document_update",
"role": "assistant"
}
] |
def x(self, *, index, action):
if action not in ('index', 'update', 'delete'):
raise ValueError("Action must be 'index', 'update' or 'delete'.")
document = {'_index': index, '_type': self.search_doc_type, '_op_type':
action, '_id': self.pk}
if action == 'index':
document['_source'] = self.as_search_document(index=index)
elif action == 'update':
document['doc'] = self.as_search_document(index=index)
return document
|
as_search_action
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, index, action):\n if action not in ('index', 'update', 'delete'):\n raise ValueError(\"Action must be 'index', 'update' or 'delete'.\")\n document = {'_index': index, '_type': self.search_doc_type, '_op_type':\n action, '_id': self.pk}\n if action == 'index':\n document['_source'] = self.as_search_document(index=index)\n elif action == 'update':\n document['doc'] = self.as_search_document(index=index)\n return document\n",
"role": "user"
},
{
"content": "as_search_action",
"role": "assistant"
}
] |
def x(self, *, index):
assert self.pk, 'Object must have a primary key before being indexed.'
client = get_client()
return client.get(index=index, doc_type=self.search_doc_type, id=self.pk)
|
fetch_search_document
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, index):\n assert self.pk, 'Object must have a primary key before being indexed.'\n client = get_client()\n return client.get(index=index, doc_type=self.search_doc_type, id=self.pk)\n",
"role": "user"
},
{
"content": "fetch_search_document",
"role": "assistant"
}
] |
def x(self, *, index):
cache_key = self.search_document_cache_key
new_doc = self.as_search_document(index=index)
cached_doc = cache.get(cache_key)
if new_doc == cached_doc:
logger.debug('Search document for %r is unchanged, ignoring update.',
self)
return []
cache.set(cache_key, new_doc, timeout=get_setting('cache_expiry', 60))
get_client().index(index=index, doc_type=self.search_doc_type, body=
new_doc, id=self.pk)
|
index_search_document
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, index):\n cache_key = self.search_document_cache_key\n new_doc = self.as_search_document(index=index)\n cached_doc = cache.get(cache_key)\n if new_doc == cached_doc:\n logger.debug('Search document for %r is unchanged, ignoring update.',\n self)\n return []\n cache.set(cache_key, new_doc, timeout=get_setting('cache_expiry', 60))\n get_client().index(index=index, doc_type=self.search_doc_type, body=\n new_doc, id=self.pk)\n",
"role": "user"
},
{
"content": "index_search_document",
"role": "assistant"
}
] |
def x(self, *, index, update_fields):
doc = self.as_search_document_update(index=index, update_fields=
update_fields)
if not doc:
logger.debug('Ignoring object update as document is empty.')
return
get_client().update(index=index, doc_type=self.search_doc_type, body={
'doc': doc}, id=self.pk)
|
update_search_document
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, index, update_fields):\n doc = self.as_search_document_update(index=index, update_fields=\n update_fields)\n if not doc:\n logger.debug('Ignoring object update as document is empty.')\n return\n get_client().update(index=index, doc_type=self.search_doc_type, body={\n 'doc': doc}, id=self.pk)\n",
"role": "user"
},
{
"content": "update_search_document",
"role": "assistant"
}
] |
def x(self, *, index):
cache.delete(self.search_document_cache_key)
get_client().delete(index=index, doc_type=self.search_doc_type, id=self.pk)
|
delete_search_document
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, index):\n cache.delete(self.search_document_cache_key)\n get_client().delete(index=index, doc_type=self.search_doc_type, id=self.pk)\n",
"role": "user"
},
{
"content": "delete_search_document",
"role": "assistant"
}
] |
def x(cls, search, search_terms='', user=None, reference=None, save=True):
warnings.warn(
'Pending deprecation - please use `execute_search` function instead.',
PendingDeprecationWarning)
return execute_search(search, search_terms=search_terms, user=user,
reference=reference, save=save)
|
execute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, search, search_terms='', user=None, reference=None, save=True):\n warnings.warn(\n 'Pending deprecation - please use `execute_search` function instead.',\n PendingDeprecationWarning)\n return execute_search(search, search_terms=search_terms, user=user,\n reference=reference, save=save)\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(self, **kwargs):
if self.search_terms is None:
self.search_terms = ''
super().save(**kwargs)
return self
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if self.search_terms is None:\n self.search_terms = ''\n super().save(**kwargs)\n return self\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self):
return None if self.query is None else (self.query.get('from', 0), self
.query.get('size', 10))
|
page_slice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return None if self.query is None else (self.query.get('from', 0), self\n .query.get('size', 10))\n",
"role": "user"
},
{
"content": "page_slice",
"role": "assistant"
}
] |
def x(name, value, namespace=None):
namespace = namespace or _callerName().split('.')[0]
settings.setValue(namespace + '/' + name, value)
|
setPluginSetting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, value, namespace=None):\n namespace = namespace or _callerName().split('.')[0]\n settings.setValue(namespace + '/' + name, value)\n",
"role": "user"
},
{
"content": "setPluginSetting",
"role": "assistant"
}
] |
def x(name, namespace=None, typ=None):
def x(name, key):
for setting in _settings[namespace]:
if setting['name'] == name:
return setting[key]
return None
def x(t):
if t == BOOL:
return bool
elif t == NUMBER:
return float
else:
return unicode
namespace = namespace or _callerName().split('.')[0]
full_name = namespace + '/' + name
if settings.contains(full_name):
if typ is None:
typ = _type_map(_find_in_cache(name, 'type'))
v = settings.value(full_name, None, type=typ)
try:
if isinstance(v, QPyNullVariant):
v = None
except:
pass
return v
else:
return _find_in_cache(name, 'default')
|
pluginSetting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, namespace=None, typ=None):\n\n def x(name, key):\n for setting in _settings[namespace]:\n if setting['name'] == name:\n return setting[key]\n return None\n\n def x(t):\n if t == BOOL:\n return bool\n elif t == NUMBER:\n return float\n else:\n return unicode\n namespace = namespace or _callerName().split('.')[0]\n full_name = namespace + '/' + name\n if settings.contains(full_name):\n if typ is None:\n typ = _type_map(_find_in_cache(name, 'type'))\n v = settings.value(full_name, None, type=typ)\n try:\n if isinstance(v, QPyNullVariant):\n v = None\n except:\n pass\n return v\n else:\n return _find_in_cache(name, 'default')\n",
"role": "user"
},
{
"content": "pluginSetting",
"role": "assistant"
}
] |
def x(settings_path=None):
global _settings
"""
Reads the settings corresponding to the plugin from where the method is called.
This function has to be called in the __init__ method of the plugin class.
Settings are stored in a settings.json file in the plugin folder.
Here is an eample of such a file:
[
{"name":"mysetting",
"label": "My setting",
"description": "A setting to customize my plugin",
"type": "string",
"default": "dummy string",
"group": "Group 1"
"onEdit": "def f():\\n\\tprint "Value edited in settings dialog"
"onChange": "def f():\\n\\tprint "New settings value has been saved"
},
{"name":"anothersetting",
"label": "Another setting",
"description": "Another setting to customize my plugin",
"type": "number",
"default": 0,
"group": "Group 2"
},
{"name":"achoicesetting",
"label": "A choice setting",
"description": "A setting to select from a set of possible options",
"type": "choice",
"default": "option 1",
"options":["option 1", "option 2", "option 3"],
"group": "Group 2"
}
]
Available types for settings are: string, bool, number, choice, crs and text (a multiline string)
The onEdit property contains a function that will be executed when the user edits the value
in the settings dialog. It shouldl return false if, after it has been executed, the setting
should not be modified and should recover its original value.
The onEdit property contains a function that will be executed when the setting is changed after
closing the settings dialog, or programatically by callin the setPluginSetting method
Both onEdit and onChange are optional properties
"""
namespace = _callerName().split('.')[0]
settings_path = settings_path or os.path.join(os.path.dirname(
_callerPath()), 'settings.json')
with open(settings_path) as f:
_settings[namespace] = json.load(f)
|
readSettings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(settings_path=None):\n global _settings\n \"\"\"\n Reads the settings corresponding to the plugin from where the method is called.\n This function has to be called in the __init__ method of the plugin class.\n Settings are stored in a settings.json file in the plugin folder.\n Here is an eample of such a file:\n\n [\n {\"name\":\"mysetting\",\n \"label\": \"My setting\",\n \"description\": \"A setting to customize my plugin\",\n \"type\": \"string\",\n \"default\": \"dummy string\",\n \"group\": \"Group 1\"\n \"onEdit\": \"def f():\\\\n\\\\tprint \"Value edited in settings dialog\"\n \"onChange\": \"def f():\\\\n\\\\tprint \"New settings value has been saved\"\n },\n {\"name\":\"anothersetting\",\n \"label\": \"Another setting\",\n \"description\": \"Another setting to customize my plugin\",\n \"type\": \"number\",\n \"default\": 0,\n \"group\": \"Group 2\"\n },\n {\"name\":\"achoicesetting\",\n \"label\": \"A choice setting\",\n \"description\": \"A setting to select from a set of possible options\",\n \"type\": \"choice\",\n \"default\": \"option 1\",\n \"options\":[\"option 1\", \"option 2\", \"option 3\"],\n \"group\": \"Group 2\"\n }\n ]\n\n Available types for settings are: string, bool, number, choice, crs and text (a multiline string)\n\n The onEdit property contains a function that will be executed when the user edits the value\n in the settings dialog. It shouldl return false if, after it has been executed, the setting\n should not be modified and should recover its original value.\n\n The onEdit property contains a function that will be executed when the setting is changed after\n closing the settings dialog, or programatically by callin the setPluginSetting method\n\n Both onEdit and onChange are optional properties\n\n \"\"\"\n namespace = _callerName().split('.')[0]\n settings_path = settings_path or os.path.join(os.path.dirname(\n _callerPath()), 'settings.json')\n with open(settings_path) as f:\n _settings[namespace] = json.load(f)\n",
"role": "user"
},
{
"content": "readSettings",
"role": "assistant"
}
] |
def x(self, index, **options):
if options['interactive']:
logger.warning("This will permanently delete the index '%s'.", index)
if not self._confirm_action():
logger.warning("Aborting deletion of index '%s' at user's request."
, index)
return
return delete_index(index)
|
do_index_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, **options):\n if options['interactive']:\n logger.warning(\"This will permanently delete the index '%s'.\", index)\n if not self._confirm_action():\n logger.warning(\"Aborting deletion of index '%s' at user's request.\"\n , index)\n return\n return delete_index(index)\n",
"role": "user"
},
{
"content": "do_index_command",
"role": "assistant"
}
] |
def x(index):
logger.info("Creating search index: '%s'", index)
client = get_client()
return client.indices.create(index=index, body=get_index_mapping(index))
|
create_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n logger.info(\"Creating search index: '%s'\", index)\n client = get_client()\n return client.indices.create(index=index, body=get_index_mapping(index))\n",
"role": "user"
},
{
"content": "create_index",
"role": "assistant"
}
] |
def x(index):
logger.info("Updating search index: '%s'", index)
client = get_client()
responses = []
for model in get_index_models(index):
logger.info("Updating search index model: '%s'", model.search_doc_type)
objects = model.objects.get_search_queryset(index).iterator()
actions = bulk_actions(objects, index=index, action='index')
response = helpers.bulk(client, actions, chunk_size=get_setting(
'chunk_size'))
responses.append(response)
return responses
|
update_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n logger.info(\"Updating search index: '%s'\", index)\n client = get_client()\n responses = []\n for model in get_index_models(index):\n logger.info(\"Updating search index model: '%s'\", model.search_doc_type)\n objects = model.objects.get_search_queryset(index).iterator()\n actions = bulk_actions(objects, index=index, action='index')\n response = helpers.bulk(client, actions, chunk_size=get_setting(\n 'chunk_size'))\n responses.append(response)\n return responses\n",
"role": "user"
},
{
"content": "update_index",
"role": "assistant"
}
] |
def x(index):
logger.info("Deleting search index: '%s'", index)
client = get_client()
return client.indices.delete(index=index)
|
delete_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n logger.info(\"Deleting search index: '%s'\", index)\n client = get_client()\n return client.indices.delete(index=index)\n",
"role": "user"
},
{
"content": "delete_index",
"role": "assistant"
}
] |
def x(index):
logger.info("Pruning missing objects from index '%s'", index)
prunes = []
responses = []
client = get_client()
for model in get_index_models(index):
for hit in scan_index(index, model):
obj = _prune_hit(hit, model)
if obj:
prunes.append(obj)
logger.info("Found %s objects of type '%s' for deletion from '%s'.",
len(prunes), model, index)
if len(prunes) > 0:
actions = bulk_actions(prunes, index, 'delete')
response = helpers.bulk(client, actions, chunk_size=get_setting
('chunk_size'))
responses.append(response)
return responses
|
prune_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n logger.info(\"Pruning missing objects from index '%s'\", index)\n prunes = []\n responses = []\n client = get_client()\n for model in get_index_models(index):\n for hit in scan_index(index, model):\n obj = _prune_hit(hit, model)\n if obj:\n prunes.append(obj)\n logger.info(\"Found %s objects of type '%s' for deletion from '%s'.\",\n len(prunes), model, index)\n if len(prunes) > 0:\n actions = bulk_actions(prunes, index, 'delete')\n response = helpers.bulk(client, actions, chunk_size=get_setting\n ('chunk_size'))\n responses.append(response)\n return responses\n",
"role": "user"
},
{
"content": "prune_index",
"role": "assistant"
}
] |
def x(hit, model):
hit_id = hit['_id']
hit_index = hit['_index']
if model.objects.in_search_queryset(hit_id, index=hit_index):
logger.debug("%s with id=%s exists in the '%s' index queryset.",
model, hit_id, hit_index)
return None
else:
logger.debug(
"%s with id=%s does not exist in the '%s' index queryset and will be pruned."
, model, hit_id, hit_index)
return model(pk=hit_id)
|
prune_hit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hit, model):\n hit_id = hit['_id']\n hit_index = hit['_index']\n if model.objects.in_search_queryset(hit_id, index=hit_index):\n logger.debug(\"%s with id=%s exists in the '%s' index queryset.\",\n model, hit_id, hit_index)\n return None\n else:\n logger.debug(\n \"%s with id=%s does not exist in the '%s' index queryset and will be pruned.\"\n , model, hit_id, hit_index)\n return model(pk=hit_id)\n",
"role": "user"
},
{
"content": "prune_hit",
"role": "assistant"
}
] |
def x(index, model):
query = {'query': {'type': {'value': model._meta.model_name}}}
client = get_client()
for hit in helpers.scan(client, index=index, query=query):
yield hit
|
scan_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index, model):\n query = {'query': {'type': {'value': model._meta.model_name}}}\n client = get_client()\n for hit in helpers.scan(client, index=index, query=query):\n yield hit\n",
"role": "user"
},
{
"content": "scan_index",
"role": "assistant"
}
] |
def x(objects, index, action):
assert index != '_all', "index arg must be a valid index name. '_all' is a reserved term."
logger.info("Creating bulk '%s' actions for '%s'", action, index)
for obj in objects:
try:
logger.debug("Appending '%s' action for '%r'", action, obj)
yield obj.as_search_action(index=index, action=action)
except Exception:
logger.exception('Unable to create search action for %s', obj)
|
bulk_actions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(objects, index, action):\n assert index != '_all', \"index arg must be a valid index name. '_all' is a reserved term.\"\n logger.info(\"Creating bulk '%s' actions for '%s'\", action, index)\n for obj in objects:\n try:\n logger.debug(\"Appending '%s' action for '%r'\", action, obj)\n yield obj.as_search_action(index=index, action=action)\n except Exception:\n logger.exception('Unable to create search action for %s', obj)\n",
"role": "user"
},
{
"content": "bulk_actions",
"role": "assistant"
}
] |
def x(strict=False):
for index in settings.get_index_names():
_validate_mapping(index, strict=strict)
for model in settings.get_index_models(index):
_validate_model(model)
if settings.get_setting('update_strategy', 'full') not in ['full',
'partial']:
raise ImproperlyConfigured(
"Invalid SEARCH_SETTINGS: 'update_strategy' value must be 'full' or 'partial'."
)
|
validate_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(strict=False):\n for index in settings.get_index_names():\n _validate_mapping(index, strict=strict)\n for model in settings.get_index_models(index):\n _validate_model(model)\n if settings.get_setting('update_strategy', 'full') not in ['full',\n 'partial']:\n raise ImproperlyConfigured(\n \"Invalid SEARCH_SETTINGS: 'update_strategy' value must be 'full' or 'partial'.\"\n )\n",
"role": "user"
},
{
"content": "validate_config",
"role": "assistant"
}
] |
def x(index, strict=False):
try:
settings.get_index_mapping(index)
except IOError:
if strict:
raise ImproperlyConfigured("Index '%s' has no mapping file." %
index)
else:
logger.warning("Index '%s' has no mapping, relying on ES instead.",
index)
|
validate_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index, strict=False):\n try:\n settings.get_index_mapping(index)\n except IOError:\n if strict:\n raise ImproperlyConfigured(\"Index '%s' has no mapping file.\" %\n index)\n else:\n logger.warning(\"Index '%s' has no mapping, relying on ES instead.\",\n index)\n",
"role": "user"
},
{
"content": "validate_mapping",
"role": "assistant"
}
] |
def x(model):
if not hasattr(model, 'as_search_document'):
raise ImproperlyConfigured(
"'%s' must implement `as_search_document`." % model)
if not hasattr(model.objects, 'get_search_queryset'):
raise ImproperlyConfigured(
"'%s.objects must implement `get_search_queryset`." % model)
|
validate_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n if not hasattr(model, 'as_search_document'):\n raise ImproperlyConfigured(\n \"'%s' must implement `as_search_document`.\" % model)\n if not hasattr(model.objects, 'get_search_queryset'):\n raise ImproperlyConfigured(\n \"'%s.objects must implement `get_search_queryset`.\" % model)\n",
"role": "user"
},
{
"content": "validate_model",
"role": "assistant"
}
] |
def x():
for index in settings.get_index_names():
for model in settings.get_index_models(index):
_connect_model_signals(model)
|
connect_signals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for index in settings.get_index_names():\n for model in settings.get_index_models(index):\n _connect_model_signals(model)\n",
"role": "user"
},
{
"content": "connect_signals",
"role": "assistant"
}
] |
def x(model):
dispatch_uid = '%s.post_save' % model._meta.model_name
logger.debug('Connecting search index model post_save signal: %s',
dispatch_uid)
signals.post_save.connect(_on_model_save, sender=model, dispatch_uid=
dispatch_uid)
dispatch_uid = '%s.post_delete' % model._meta.model_name
logger.debug('Connecting search index model post_delete signal: %s',
dispatch_uid)
signals.post_delete.connect(_on_model_delete, sender=model,
dispatch_uid=dispatch_uid)
|
connect_model_signals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n dispatch_uid = '%s.post_save' % model._meta.model_name\n logger.debug('Connecting search index model post_save signal: %s',\n dispatch_uid)\n signals.post_save.connect(_on_model_save, sender=model, dispatch_uid=\n dispatch_uid)\n dispatch_uid = '%s.post_delete' % model._meta.model_name\n logger.debug('Connecting search index model post_delete signal: %s',\n dispatch_uid)\n signals.post_delete.connect(_on_model_delete, sender=model,\n dispatch_uid=dispatch_uid)\n",
"role": "user"
},
{
"content": "connect_model_signals",
"role": "assistant"
}
] |
def x(sender, **kwargs):
instance = kwargs.pop('instance')
update_fields = kwargs.pop('update_fields')
for index in instance.search_indexes:
try:
_update_search_index(instance=instance, index=index,
update_fields=update_fields)
except Exception:
logger.exception("Error handling 'on_save' signal for %s", instance
)
|
on_model_save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, **kwargs):\n instance = kwargs.pop('instance')\n update_fields = kwargs.pop('update_fields')\n for index in instance.search_indexes:\n try:\n _update_search_index(instance=instance, index=index,\n update_fields=update_fields)\n except Exception:\n logger.exception(\"Error handling 'on_save' signal for %s\", instance\n )\n",
"role": "user"
},
{
"content": "on_model_save",
"role": "assistant"
}
] |
def x(sender, **kwargs):
instance = kwargs.pop('instance')
for index in instance.search_indexes:
try:
_delete_from_search_index(instance=instance, index=index)
except Exception:
logger.exception("Error handling 'on_delete' signal for %s",
instance)
|
on_model_delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, **kwargs):\n instance = kwargs.pop('instance')\n for index in instance.search_indexes:\n try:\n _delete_from_search_index(instance=instance, index=index)\n except Exception:\n logger.exception(\"Error handling 'on_delete' signal for %s\",\n instance)\n",
"role": "user"
},
{
"content": "on_model_delete",
"role": "assistant"
}
] |
def x(*, instance, index) ->bool:
try:
return instance.__class__.objects.in_search_queryset(instance.id,
index=index)
except Exception:
logger.exception('Error checking object in_search_queryset.')
return False
|
in_search_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, instance, index) ->bool:\n try:\n return instance.__class__.objects.in_search_queryset(instance.id,\n index=index)\n except Exception:\n logger.exception('Error checking object in_search_queryset.')\n return False\n",
"role": "user"
},
{
"content": "in_search_queryset",
"role": "assistant"
}
] |
def x(*, instance, index, update_fields):
if not _in_search_queryset(instance=instance, index=index):
logger.debug('Object (%r) is not in search queryset, ignoring update.',
instance)
return
try:
if update_fields:
pre_update.send(sender=instance.__class__, instance=instance,
index=index, update_fields=update_fields)
if settings.auto_sync(instance):
instance.update_search_document(index=index, update_fields=
update_fields)
else:
pre_index.send(sender=instance.__class__, instance=instance,
index=index)
if settings.auto_sync(instance):
instance.index_search_document(index=index)
except Exception:
logger.exception("Error handling 'post_save' signal for %s", instance)
|
update_search_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, instance, index, update_fields):\n if not _in_search_queryset(instance=instance, index=index):\n logger.debug('Object (%r) is not in search queryset, ignoring update.',\n instance)\n return\n try:\n if update_fields:\n pre_update.send(sender=instance.__class__, instance=instance,\n index=index, update_fields=update_fields)\n if settings.auto_sync(instance):\n instance.update_search_document(index=index, update_fields=\n update_fields)\n else:\n pre_index.send(sender=instance.__class__, instance=instance,\n index=index)\n if settings.auto_sync(instance):\n instance.index_search_document(index=index)\n except Exception:\n logger.exception(\"Error handling 'post_save' signal for %s\", instance)\n",
"role": "user"
},
{
"content": "update_search_index",
"role": "assistant"
}
] |
def x(*, instance, index):
pre_delete.send(sender=instance.__class__, instance=instance, index=index)
if settings.auto_sync(instance):
instance.delete_search_document(index=index)
|
delete_from_search_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, instance, index):\n pre_delete.send(sender=instance.__class__, instance=instance, index=index)\n if settings.auto_sync(instance):\n instance.delete_search_document(index=index)\n",
"role": "user"
},
{
"content": "delete_from_search_index",
"role": "assistant"
}
] |
def x(self):
super(ElasticAppConfig, self).ready()
_validate_config(settings.get_setting('strict_validation'))
_connect_signals()
|
ready
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(ElasticAppConfig, self).ready()\n _validate_config(settings.get_setting('strict_validation'))\n _connect_signals()\n",
"role": "user"
},
{
"content": "ready",
"role": "assistant"
}
] |
def x(key, *default):
if default:
return get_settings().get(key, default[0])
else:
return get_settings()[key]
|
get_setting
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, *default):\n if default:\n return get_settings().get(key, default[0])\n else:\n return get_settings()[key]\n",
"role": "user"
},
{
"content": "get_setting",
"role": "assistant"
}
] |
def x(index):
mappings_dir = get_setting('mappings_dir')
filename = '%s.json' % index
path = os.path.join(mappings_dir, filename)
with open(path, 'r') as f:
return json.load(f)
|
get_index_mapping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n mappings_dir = get_setting('mappings_dir')\n filename = '%s.json' % index\n path = os.path.join(mappings_dir, filename)\n with open(path, 'r') as f:\n return json.load(f)\n",
"role": "user"
},
{
"content": "get_index_mapping",
"role": "assistant"
}
] |
def x(instance, index):
mapping = get_index_mapping(index)
doc_type = instance._meta.model_name.lower()
return list(mapping['mappings'][doc_type]['properties'].keys())
|
get_model_index_properties
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, index):\n mapping = get_index_mapping(index)\n doc_type = instance._meta.model_name.lower()\n return list(mapping['mappings'][doc_type]['properties'].keys())\n",
"role": "user"
},
{
"content": "get_model_index_properties",
"role": "assistant"
}
] |
def x(index):
models = []
for app_model in get_index_config(index).get('models'):
app, model = app_model.split('.')
models.append(apps.get_model(app, model))
return models
|
get_index_models
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index):\n models = []\n for app_model in get_index_config(index).get('models'):\n app, model = app_model.split('.')\n models.append(apps.get_model(app, model))\n return models\n",
"role": "user"
},
{
"content": "get_index_models",
"role": "assistant"
}
] |
def x(model):
indexes = []
for index in get_index_names():
for app_model in get_index_models(index):
if app_model == model:
indexes.append(index)
return indexes
|
get_model_indexes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model):\n indexes = []\n for index in get_index_names():\n for app_model in get_index_models(index):\n if app_model == model:\n indexes.append(index)\n return indexes\n",
"role": "user"
},
{
"content": "get_model_indexes",
"role": "assistant"
}
] |
def x():
mappings = {}
for i in get_index_names():
for m in get_index_models(i):
key = '%s.%s' % (i, m._meta.model_name)
mappings[key] = m
return mappings
|
get_document_models
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n mappings = {}\n for i in get_index_names():\n for m in get_index_models(i):\n key = '%s.%s' % (i, m._meta.model_name)\n mappings[key] = m\n return mappings\n",
"role": "user"
},
{
"content": "get_document_models",
"role": "assistant"
}
] |
def x(instance):
if not get_setting('auto_sync'):
return False
model_name = '{}.{}'.format(instance._meta.app_label, instance._meta.
model_name)
if model_name in get_setting('never_auto_sync', []):
return False
return True
|
auto_sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance):\n if not get_setting('auto_sync'):\n return False\n model_name = '{}.{}'.format(instance._meta.app_label, instance._meta.\n model_name)\n if model_name in get_setting('never_auto_sync', []):\n return False\n return True\n",
"role": "user"
},
{
"content": "auto_sync",
"role": "assistant"
}
] |
def x(data):
pretty = json.dumps(data, sort_keys=True, indent=4, separators=(',', ': '))
html = pretty.replace(' ', ' ').replace('\n', '<br>')
return mark_safe('<code>%s</code>' % html)
|
pprint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n pretty = json.dumps(data, sort_keys=True, indent=4, separators=(',', ': '))\n html = pretty.replace(' ', ' ').replace('\\n', '<br>')\n return mark_safe('<code>%s</code>' % html)\n",
"role": "user"
},
{
"content": "pprint",
"role": "assistant"
}
] |
def x(menuName, parentMenuFunction=None):
parentMenuFunction = parentMenuFunction or iface.addPluginToMenu
namespace = _callerName().split('.')[0]
path = 'file://{}'.format(os.path.join(os.path.dirname(_callerPath()),
'docs', 'html', 'index.html'))
helpAction = QtWidgets.QAction(QgsApplication.getThemeIcon(
'/mActionHelpContents.svg'), 'Plugin help...', iface.mainWindow())
helpAction.setObjectName(namespace + 'help')
helpAction.triggered.connect(lambda : openHelp(path))
parentMenuFunction(menuName, helpAction)
global _helpActions
_helpActions[menuName] = helpAction
|
addHelpMenu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(menuName, parentMenuFunction=None):\n parentMenuFunction = parentMenuFunction or iface.addPluginToMenu\n namespace = _callerName().split('.')[0]\n path = 'file://{}'.format(os.path.join(os.path.dirname(_callerPath()),\n 'docs', 'html', 'index.html'))\n helpAction = QtWidgets.QAction(QgsApplication.getThemeIcon(\n '/mActionHelpContents.svg'), 'Plugin help...', iface.mainWindow())\n helpAction.setObjectName(namespace + 'help')\n helpAction.triggered.connect(lambda : openHelp(path))\n parentMenuFunction(menuName, helpAction)\n global _helpActions\n _helpActions[menuName] = helpAction\n",
"role": "user"
},
{
"content": "addHelpMenu",
"role": "assistant"
}
] |
def x(menuName, parentMenuFunction=None):
parentMenuFunction = parentMenuFunction or iface.addPluginToMenu
namespace = _callerName().split('.')[0]
icon = QtGui.QIcon(os.path.join(os.path.dirname(os.path.dirname(
__file__)), 'icons', 'help.png'))
aboutAction = QtWidgets.QAction(icon, 'About...', iface.mainWindow())
aboutAction.setObjectName(namespace + 'about')
aboutAction.triggered.connect(lambda : openAboutDialog(namespace))
parentMenuFunction(menuName, aboutAction)
global _aboutActions
_aboutActions[menuName] = aboutAction
|
addAboutMenu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(menuName, parentMenuFunction=None):\n parentMenuFunction = parentMenuFunction or iface.addPluginToMenu\n namespace = _callerName().split('.')[0]\n icon = QtGui.QIcon(os.path.join(os.path.dirname(os.path.dirname(\n __file__)), 'icons', 'help.png'))\n aboutAction = QtWidgets.QAction(icon, 'About...', iface.mainWindow())\n aboutAction.setObjectName(namespace + 'about')\n aboutAction.triggered.connect(lambda : openAboutDialog(namespace))\n parentMenuFunction(menuName, aboutAction)\n global _aboutActions\n _aboutActions[menuName] = aboutAction\n",
"role": "user"
},
{
"content": "addAboutMenu",
"role": "assistant"
}
] |
def x(title, text):
dlg = QgsMessageOutput.createMessageOutput()
dlg.setTitle(title)
dlg.setMessage(text, QgsMessageOutput.MessageHtml)
dlg.showMessage()
|
showMessageDialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, text):\n dlg = QgsMessageOutput.createMessageOutput()\n dlg.setTitle(title)\n dlg.setMessage(text, QgsMessageOutput.MessageHtml)\n dlg.showMessage()\n",
"role": "user"
},
{
"content": "showMessageDialog",
"role": "assistant"
}
] |
def x(parent, msg=None, isSave=False, allowMultiple=False, exts='*'):
msg = msg or 'Select file'
caller = _callerName().split('.')
name = '/'.join([LAST_PATH, caller[-1]])
namespace = caller[0]
path = pluginSetting(name, namespace)
f = None
if not isinstance(exts, list):
exts = [exts]
extString = ';; '.join([(' %s files (*.%s)' % (e.upper(), e) if e !=
'*' else 'All files (*.*)') for e in exts])
if allowMultiple:
ret = QtWidgets.QFileDialog.getOpenFileNames(parent, msg, path,
'*.' + extString)
if ret:
f = ret[0]
else:
f = ret = None
else:
if isSave:
ret = QtWidgets.QFileDialog.getSaveFileName(parent, msg, path,
'*.' + extString) or None
if ret is not None and not ret.endswith(exts[0]):
ret += '.' + exts[0]
else:
ret = QtWidgets.QFileDialog.getOpenFileName(parent, msg, path,
'*.' + extString) or None
f = ret
if f is not None:
setPluginSetting(name, os.path.dirname(f), namespace)
return ret
|
askForFiles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent, msg=None, isSave=False, allowMultiple=False, exts='*'):\n msg = msg or 'Select file'\n caller = _callerName().split('.')\n name = '/'.join([LAST_PATH, caller[-1]])\n namespace = caller[0]\n path = pluginSetting(name, namespace)\n f = None\n if not isinstance(exts, list):\n exts = [exts]\n extString = ';; '.join([(' %s files (*.%s)' % (e.upper(), e) if e !=\n '*' else 'All files (*.*)') for e in exts])\n if allowMultiple:\n ret = QtWidgets.QFileDialog.getOpenFileNames(parent, msg, path, \n '*.' + extString)\n if ret:\n f = ret[0]\n else:\n f = ret = None\n else:\n if isSave:\n ret = QtWidgets.QFileDialog.getSaveFileName(parent, msg, path, \n '*.' + extString) or None\n if ret is not None and not ret.endswith(exts[0]):\n ret += '.' + exts[0]\n else:\n ret = QtWidgets.QFileDialog.getOpenFileName(parent, msg, path, \n '*.' + extString) or None\n f = ret\n if f is not None:\n setPluginSetting(name, os.path.dirname(f), namespace)\n return ret\n",
"role": "user"
},
{
"content": "askForFiles",
"role": "assistant"
}
] |
def x(parent, msg=None):
msg = msg or 'Select folder'
caller = _callerName().split('.')
name = '/'.join([LAST_PATH, caller[-1]])
namespace = caller[0]
path = pluginSetting(name, namespace)
folder = QtWidgets.QFileDialog.getExistingDirectory(parent, msg, path)
if folder:
setPluginSetting(name, folder, namespace)
return folder
|
askForFolder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent, msg=None):\n msg = msg or 'Select folder'\n caller = _callerName().split('.')\n name = '/'.join([LAST_PATH, caller[-1]])\n namespace = caller[0]\n path = pluginSetting(name, namespace)\n folder = QtWidgets.QFileDialog.getExistingDirectory(parent, msg, path)\n if folder:\n setPluginSetting(name, folder, namespace)\n return folder\n",
"role": "user"
},
{
"content": "askForFolder",
"role": "assistant"
}
] |
def x(func, message=None):
global _dialog
cursor = QtWidgets.QApplication.overrideCursor()
waitCursor = cursor is not None and cursor.shape() == QtCore.Qt.WaitCursor
dialogCreated = False
try:
QtCore.QCoreApplication.processEvents()
if not waitCursor:
QtWidgets.QApplication.setOverrideCursor(QtGui.QCursor(QtCore.
Qt.WaitCursor))
if message is not None:
t = ExecutorThread(func)
loop = QtCore.QEventLoop()
t.finished.connect(loop.exit, QtCore.Qt.QueuedConnection)
if _dialog is None:
dialogCreated = True
_dialog = QtGui.QProgressDialog(message, 'Running', 0, 0,
iface.mainWindow())
_dialog.setWindowTitle('Running')
_dialog.setWindowModality(QtCore.Qt.WindowModal)
_dialog.setMinimumDuration(1000)
_dialog.setMaximum(100)
_dialog.setValue(0)
_dialog.setMaximum(0)
_dialog.setCancelButton(None)
else:
oldText = _dialog.labelText()
_dialog.setLabelText(message)
QtWidgets.QApplication.processEvents()
t.start()
loop.exec_(flags=QtCore.QEventLoop.ExcludeUserInputEvents)
if t.exception is not None:
raise t.exception
return t.returnValue
else:
return func()
finally:
if message is not None:
if dialogCreated:
_dialog.reset()
_dialog = None
else:
_dialog.setLabelText(oldText)
if not waitCursor:
QtWidgets.QApplication.restoreOverrideCursor()
QtCore.QCoreApplication.processEvents()
|
execute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, message=None):\n global _dialog\n cursor = QtWidgets.QApplication.overrideCursor()\n waitCursor = cursor is not None and cursor.shape() == QtCore.Qt.WaitCursor\n dialogCreated = False\n try:\n QtCore.QCoreApplication.processEvents()\n if not waitCursor:\n QtWidgets.QApplication.setOverrideCursor(QtGui.QCursor(QtCore.\n Qt.WaitCursor))\n if message is not None:\n t = ExecutorThread(func)\n loop = QtCore.QEventLoop()\n t.finished.connect(loop.exit, QtCore.Qt.QueuedConnection)\n if _dialog is None:\n dialogCreated = True\n _dialog = QtGui.QProgressDialog(message, 'Running', 0, 0,\n iface.mainWindow())\n _dialog.setWindowTitle('Running')\n _dialog.setWindowModality(QtCore.Qt.WindowModal)\n _dialog.setMinimumDuration(1000)\n _dialog.setMaximum(100)\n _dialog.setValue(0)\n _dialog.setMaximum(0)\n _dialog.setCancelButton(None)\n else:\n oldText = _dialog.labelText()\n _dialog.setLabelText(message)\n QtWidgets.QApplication.processEvents()\n t.start()\n loop.exec_(flags=QtCore.QEventLoop.ExcludeUserInputEvents)\n if t.exception is not None:\n raise t.exception\n return t.returnValue\n else:\n return func()\n finally:\n if message is not None:\n if dialogCreated:\n _dialog.reset()\n _dialog = None\n else:\n _dialog.setLabelText(oldText)\n if not waitCursor:\n QtWidgets.QApplication.restoreOverrideCursor()\n QtCore.QCoreApplication.processEvents()\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x():
_receivers = signals.post_save.receivers.copy()
signals.post_save.receivers = _strip_on_model_save()
yield
signals.post_save.receivers = _receivers
|
disable_search_updates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _receivers = signals.post_save.receivers.copy()\n signals.post_save.receivers = _strip_on_model_save()\n yield\n signals.post_save.receivers = _receivers\n",
"role": "user"
},
{
"content": "disable_search_updates",
"role": "assistant"
}
] |
def x(self, url, method='GET', body=None, headers=None, redirections=
DEFAULT_MAX_REDIRECTS, connection_type=None, blocking=True):
self.msg_log(u'http_call request: {0}'.format(url))
self.blocking_mode = blocking
req = QNetworkRequest()
url = urllib.parse.unquote(url)
req.setUrl(QUrl(url))
if headers is not None:
try:
del headers['Accept-Encoding']
except KeyError:
pass
for k, v in list(headers.items()):
self.msg_log('Setting header %s to %s' % (k, v))
req.setRawHeader(k.encode(), v.encode())
if self.authid:
self.msg_log('Update request w/ authid: {0}'.format(self.authid))
self.auth_manager().updateNetworkRequest(req, self.authid)
if self.reply is not None and self.reply.isRunning():
self.reply.close()
if method.lower() == 'delete':
func = getattr(QgsNetworkAccessManager.instance(), 'deleteResource')
else:
func = getattr(QgsNetworkAccessManager.instance(), method.lower())
self.msg_log('Sending %s request to %s' % (method.upper(), req.url().
toString()))
self.on_abort = False
headers = {str(h): str(req.rawHeader(h)) for h in req.rawHeaderList()}
for k, v in list(headers.items()):
self.msg_log('%s: %s' % (k, v))
if method.lower() in ['post', 'put']:
if isinstance(body, io.IOBase):
body = body.read()
if isinstance(body, str):
body = body.encode()
self.reply = func(req, body)
else:
self.reply = func(req)
if self.authid:
self.msg_log('Update reply w/ authid: {0}'.format(self.authid))
self.auth_manager().updateNetworkReply(self.reply, self.authid)
QgsNetworkAccessManager.instance().requestTimedOut.connect(self.
requestTimedOut)
self.reply.sslErrors.connect(self.sslErrors)
self.reply.finished.connect(self.replyFinished)
self.reply.downloadProgress.connect(self.downloadProgress)
if not self.blocking_mode:
return None, None
self.el = QEventLoop()
self.reply.finished.connect(self.el.quit)
try:
self.el.exec_(QEventLoop.ExcludeUserInputEvents)
except Exception as e:
raise e
if self.reply:
self.reply.finished.disconnect(self.el.quit)
if not self.http_call_result.ok:
if self.http_call_result.exception and not self.exception_class:
raise self.http_call_result.exception
else:
raise self.exception_class(self.http_call_result.reason)
return self.http_call_result, self.http_call_result.content
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method='GET', body=None, headers=None, redirections=\n DEFAULT_MAX_REDIRECTS, connection_type=None, blocking=True):\n self.msg_log(u'http_call request: {0}'.format(url))\n self.blocking_mode = blocking\n req = QNetworkRequest()\n url = urllib.parse.unquote(url)\n req.setUrl(QUrl(url))\n if headers is not None:\n try:\n del headers['Accept-Encoding']\n except KeyError:\n pass\n for k, v in list(headers.items()):\n self.msg_log('Setting header %s to %s' % (k, v))\n req.setRawHeader(k.encode(), v.encode())\n if self.authid:\n self.msg_log('Update request w/ authid: {0}'.format(self.authid))\n self.auth_manager().updateNetworkRequest(req, self.authid)\n if self.reply is not None and self.reply.isRunning():\n self.reply.close()\n if method.lower() == 'delete':\n func = getattr(QgsNetworkAccessManager.instance(), 'deleteResource')\n else:\n func = getattr(QgsNetworkAccessManager.instance(), method.lower())\n self.msg_log('Sending %s request to %s' % (method.upper(), req.url().\n toString()))\n self.on_abort = False\n headers = {str(h): str(req.rawHeader(h)) for h in req.rawHeaderList()}\n for k, v in list(headers.items()):\n self.msg_log('%s: %s' % (k, v))\n if method.lower() in ['post', 'put']:\n if isinstance(body, io.IOBase):\n body = body.read()\n if isinstance(body, str):\n body = body.encode()\n self.reply = func(req, body)\n else:\n self.reply = func(req)\n if self.authid:\n self.msg_log('Update reply w/ authid: {0}'.format(self.authid))\n self.auth_manager().updateNetworkReply(self.reply, self.authid)\n QgsNetworkAccessManager.instance().requestTimedOut.connect(self.\n requestTimedOut)\n self.reply.sslErrors.connect(self.sslErrors)\n self.reply.finished.connect(self.replyFinished)\n self.reply.downloadProgress.connect(self.downloadProgress)\n if not self.blocking_mode:\n return None, None\n self.el = QEventLoop()\n self.reply.finished.connect(self.el.quit)\n try:\n self.el.exec_(QEventLoop.ExcludeUserInputEvents)\n except Exception as e:\n raise e\n if self.reply:\n self.reply.finished.disconnect(self.el.quit)\n if not self.http_call_result.ok:\n if self.http_call_result.exception and not self.exception_class:\n raise self.http_call_result.exception\n else:\n raise self.exception_class(self.http_call_result.reason)\n return self.http_call_result, self.http_call_result.content\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, reply):
self.exception_class = RequestsExceptionTimeout
self.http_call_result.exception = RequestsExceptionTimeout('Timeout error')
|
requestTimedOut
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reply):\n self.exception_class = RequestsExceptionTimeout\n self.http_call_result.exception = RequestsExceptionTimeout('Timeout error')\n",
"role": "user"
},
{
"content": "requestTimedOut",
"role": "assistant"
}
] |
def x(self, ssl_errors):
if ssl_errors:
for v in ssl_errors:
self.msg_log('SSL Error: %s' % v.errorString())
if self.disable_ssl_certificate_validation:
self.reply.ignoreSslErrors()
|
sslErrors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ssl_errors):\n if ssl_errors:\n for v in ssl_errors:\n self.msg_log('SSL Error: %s' % v.errorString())\n if self.disable_ssl_certificate_validation:\n self.reply.ignoreSslErrors()\n",
"role": "user"
},
{
"content": "sslErrors",
"role": "assistant"
}
] |
def x(self):
if self.reply and self.reply.isRunning():
self.on_abort = True
self.reply.abort()
|
abort
|
[
{
"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.reply and self.reply.isRunning():\n self.on_abort = True\n self.reply.abort()\n",
"role": "user"
},
{
"content": "abort",
"role": "assistant"
}
] |
def x(name=None, types=None):
if types is not None and not isinstance(types, list):
types = [types]
layers = _layerreg.mapLayers().values()
_layers = []
if name or types:
if name:
_layers = [layer for layer in layers if re.match(name, layer.
name())]
if types:
_layers += [layer for layer in layers if layer.type() in types]
return _layers
else:
return layers
|
mapLayers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None, types=None):\n if types is not None and not isinstance(types, list):\n types = [types]\n layers = _layerreg.mapLayers().values()\n _layers = []\n if name or types:\n if name:\n _layers = [layer for layer in layers if re.match(name, layer.\n name())]\n if types:\n _layers += [layer for layer in layers if layer.type() in types]\n return _layers\n else:\n return layers\n",
"role": "user"
},
{
"content": "mapLayers",
"role": "assistant"
}
] |
def x(layer, loadInLegend=True):
if not hasattr(layer, '__iter__'):
layer = [layer]
_layerreg.addMapLayers(layer, loadInLegend)
return layer
|
addLayer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(layer, loadInLegend=True):\n if not hasattr(layer, '__iter__'):\n layer = [layer]\n _layerreg.addMapLayers(layer, loadInLegend)\n return layer\n",
"role": "user"
},
{
"content": "addLayer",
"role": "assistant"
}
] |
def x(layer, loadInLegend=True):
settings = QSettings()
prjSetting = settings.value('/Projections/defaultBehaviour')
settings.setValue('/Projections/defaultBehaviour', '')
prjSetting3 = settings.value('/Projections/defaultBehavior')
settings.setValue('/Projections/defaultBehavior', '')
layer = addLayer(layer, loadInLegend)
settings.setValue('/Projections/defaultBehaviour', prjSetting)
settings.setValue('/Projections/defaultBehavior', prjSetting3)
return layer
|
addLayerNoCrsDialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(layer, loadInLegend=True):\n settings = QSettings()\n prjSetting = settings.value('/Projections/defaultBehaviour')\n settings.setValue('/Projections/defaultBehaviour', '')\n prjSetting3 = settings.value('/Projections/defaultBehavior')\n settings.setValue('/Projections/defaultBehavior', '')\n layer = addLayer(layer, loadInLegend)\n settings.setValue('/Projections/defaultBehaviour', prjSetting)\n settings.setValue('/Projections/defaultBehavior', prjSetting3)\n return layer\n",
"role": "user"
},
{
"content": "addLayerNoCrsDialog",
"role": "assistant"
}
] |
def x(filename, fields, geometryType, crs, encoding='utf-8'):
if isinstance(crs, basestring):
crs = QgsCoordinateReferenceSystem(crs)
if filename is None:
uri = GEOM_TYPE_MAP[geometryType]
if crs.isValid():
uri += '?crs=' + crs.authid() + '&'
fieldsdesc = [('field=' + f) for f in fields]
fieldsstring = '&'.join(fieldsdesc)
uri += fieldsstring
layer = QgsVectorLayer(uri, 'mem_layer', 'memory')
else:
formats = QgsVectorFileWriter.supportedFiltersAndFormats()
OGRCodes = {}
for key, value in formats.items():
extension = unicode(key)
extension = extension[extension.find('*.') + 2:]
extension = extension[:extension.find(' ')]
OGRCodes[extension] = value
extension = os.path.splitext(filename)[1][1:]
if extension not in OGRCodes:
extension = 'shp'
filename = filename + '.shp'
if isinstance(fields, QgsFields):
qgsfields = fields
else:
qgsfields = QgsFields()
for field in fields:
qgsfields.append(_toQgsField(field))
QgsVectorFileWriter(filename, encoding, qgsfields, geometryType,
crs, OGRCodes[extension])
layer = QgsVectorLayer(filename, os.path.basename(filename), 'ogr')
return layer
|
newVectorLayer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, fields, geometryType, crs, encoding='utf-8'):\n if isinstance(crs, basestring):\n crs = QgsCoordinateReferenceSystem(crs)\n if filename is None:\n uri = GEOM_TYPE_MAP[geometryType]\n if crs.isValid():\n uri += '?crs=' + crs.authid() + '&'\n fieldsdesc = [('field=' + f) for f in fields]\n fieldsstring = '&'.join(fieldsdesc)\n uri += fieldsstring\n layer = QgsVectorLayer(uri, 'mem_layer', 'memory')\n else:\n formats = QgsVectorFileWriter.supportedFiltersAndFormats()\n OGRCodes = {}\n for key, value in formats.items():\n extension = unicode(key)\n extension = extension[extension.find('*.') + 2:]\n extension = extension[:extension.find(' ')]\n OGRCodes[extension] = value\n extension = os.path.splitext(filename)[1][1:]\n if extension not in OGRCodes:\n extension = 'shp'\n filename = filename + '.shp'\n if isinstance(fields, QgsFields):\n qgsfields = fields\n else:\n qgsfields = QgsFields()\n for field in fields:\n qgsfields.append(_toQgsField(field))\n QgsVectorFileWriter(filename, encoding, qgsfields, geometryType,\n crs, OGRCodes[extension])\n layer = QgsVectorLayer(filename, os.path.basename(filename), 'ogr')\n return layer\n",
"role": "user"
},
{
"content": "newVectorLayer",
"role": "assistant"
}
] |
def x(name):
layers = _layerreg.mapLayers().values()
for layer in layers:
if layer.name() == name:
return layer
raise WrongLayerNameException()
|
layerFromName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n layers = _layerreg.mapLayers().values()\n for layer in layers:\n if layer.name() == name:\n return layer\n raise WrongLayerNameException()\n",
"role": "user"
},
{
"content": "layerFromName",
"role": "assistant"
}
] |
def x(source):
layers = _layerreg.mapLayers().values()
for layer in layers:
if layer.source() == source:
return layer
raise WrongLayerSourceException()
|
layerFromSource
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source):\n layers = _layerreg.mapLayers().values()\n for layer in layers:\n if layer.source() == source:\n return layer\n raise WrongLayerSourceException()\n",
"role": "user"
},
{
"content": "layerFromSource",
"role": "assistant"
}
] |
def x(filename, name=None, provider=None):
name = name or os.path.splitext(os.path.basename(filename))[0]
if provider != 'gdal':
qgslayer = QgsVectorLayer(filename, name, provider or 'ogr')
if provider == 'gdal' or not qgslayer.isValid():
qgslayer = QgsRasterLayer(filename, name, provider or 'gdal')
if not qgslayer.isValid():
raise RuntimeError('Could not load layer: ' + unicode(filename))
return qgslayer
|
loadLayer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, name=None, provider=None):\n name = name or os.path.splitext(os.path.basename(filename))[0]\n if provider != 'gdal':\n qgslayer = QgsVectorLayer(filename, name, provider or 'ogr')\n if provider == 'gdal' or not qgslayer.isValid():\n qgslayer = QgsRasterLayer(filename, name, provider or 'gdal')\n if not qgslayer.isValid():\n raise RuntimeError('Could not load layer: ' + unicode(filename))\n return qgslayer\n",
"role": "user"
},
{
"content": "loadLayer",
"role": "assistant"
}
] |
def x(filename, name=None, provider=None):
settings = QSettings()
prjSetting = settings.value('/Projections/defaultBehaviour')
settings.setValue('/Projections/defaultBehaviour', '')
prjSetting3 = settings.value('/Projections/defaultBehavior')
settings.setValue('/Projections/defaultBehavior', '')
layer = loadLayer(filename, name, provider)
settings.setValue('/Projections/defaultBehaviour', prjSetting)
settings.setValue('/Projections/defaultBehavior', prjSetting3)
return layer
|
loadLayerNoCrsDialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, name=None, provider=None):\n settings = QSettings()\n prjSetting = settings.value('/Projections/defaultBehaviour')\n settings.setValue('/Projections/defaultBehaviour', '')\n prjSetting3 = settings.value('/Projections/defaultBehavior')\n settings.setValue('/Projections/defaultBehavior', '')\n layer = loadLayer(filename, name, provider)\n settings.setValue('/Projections/defaultBehaviour', prjSetting)\n settings.setValue('/Projections/defaultBehavior', prjSetting3)\n return layer\n",
"role": "user"
},
{
"content": "loadLayerNoCrsDialog",
"role": "assistant"
}
] |
def x(menuName, parentMenuFunction=None):
parentMenuFunction = parentMenuFunction or iface.addPluginToMenu
namespace = _callerName().split('.')[0]
settingsAction = QAction(QgsApplication.getThemeIcon(
'/mActionOptions.svg'), 'Plugin Settings...', iface.mainWindow())
settingsAction.setObjectName(namespace + 'settings')
settingsAction.triggered.connect(lambda : openSettingsDialog(namespace))
parentMenuFunction(menuName, settingsAction)
global _settingActions
_settingActions[menuName] = settingsAction
|
addSettingsMenu
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(menuName, parentMenuFunction=None):\n parentMenuFunction = parentMenuFunction or iface.addPluginToMenu\n namespace = _callerName().split('.')[0]\n settingsAction = QAction(QgsApplication.getThemeIcon(\n '/mActionOptions.svg'), 'Plugin Settings...', iface.mainWindow())\n settingsAction.setObjectName(namespace + 'settings')\n settingsAction.triggered.connect(lambda : openSettingsDialog(namespace))\n parentMenuFunction(menuName, settingsAction)\n global _settingActions\n _settingActions[menuName] = settingsAction\n",
"role": "user"
},
{
"content": "addSettingsMenu",
"role": "assistant"
}
] |
def x(params, title=None):
QApplication.setOverrideCursor(QCursor(Qt.ArrowCursor))
dlg = ParametersDialog(params, title)
dlg.exec_()
QApplication.restoreOverrideCursor()
return dlg.values
|
openParametersDialog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, title=None):\n QApplication.setOverrideCursor(QCursor(Qt.ArrowCursor))\n dlg = ParametersDialog(params, title)\n dlg.exec_()\n QApplication.restoreOverrideCursor()\n return dlg.values\n",
"role": "user"
},
{
"content": "openParametersDialog",
"role": "assistant"
}
] |
def x(self, index, **options):
if options['interactive']:
logger.warning("This will permanently delete the index '%s'.", index)
if not self._confirm_action():
logger.warning("Aborting rebuild of index '%s' at user's request.",
index)
return
try:
delete = delete_index(index)
except TransportError:
delete = {}
logger.info('Index %s does not exist, cannot be deleted.', index)
create = create_index(index)
update = update_index(index)
return {'delete': delete, 'create': create, 'update': update}
|
do_index_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, **options):\n if options['interactive']:\n logger.warning(\"This will permanently delete the index '%s'.\", index)\n if not self._confirm_action():\n logger.warning(\"Aborting rebuild of index '%s' at user's request.\",\n index)\n return\n try:\n delete = delete_index(index)\n except TransportError:\n delete = {}\n logger.info('Index %s does not exist, cannot be deleted.', index)\n create = create_index(index)\n update = update_index(index)\n return {'delete': delete, 'create': create, 'update': update}\n",
"role": "user"
},
{
"content": "do_index_command",
"role": "assistant"
}
] |
def x(self, *args, **options):
for index in options.pop('indexes'):
data = {}
try:
data = self.do_index_command(index, **options)
except TransportError as ex:
logger.warning('ElasticSearch threw an error: %s', ex)
data = {'index': index, 'status': ex.status_code, 'reason': ex.
error}
finally:
logger.info(data)
|
handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **options):\n for index in options.pop('indexes'):\n data = {}\n try:\n data = self.do_index_command(index, **options)\n except TransportError as ex:\n logger.warning('ElasticSearch threw an error: %s', ex)\n data = {'index': index, 'status': ex.status_code, 'reason': ex.\n error}\n finally:\n logger.info(data)\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(self, Name, Subject, HtmlBody=None, TextBody=None, Alias=None):
assert TextBody or HtmlBody, 'Provide either email TextBody or HtmlBody or both'
data = {'Name': Name, 'Subject': Subject, 'HtmlBody': HtmlBody,
'TextBody': TextBody, 'Alias': Alias}
return self._init_instance(self.call('POST', '/templates', data=data))
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Name, Subject, HtmlBody=None, TextBody=None, Alias=None):\n assert TextBody or HtmlBody, 'Provide either email TextBody or HtmlBody or both'\n data = {'Name': Name, 'Subject': Subject, 'HtmlBody': HtmlBody,\n 'TextBody': TextBody, 'Alias': Alias}\n return self._init_instance(self.call('POST', '/templates', data=data))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(name, verbosity, stream):
logger = logging.getLogger(name)
logger.setLevel({(0): DEFAULT_LOGGING_LEVEL, (1): logging.INFO, (2):
logging.DEBUG}.get(min(2, verbosity), DEFAULT_LOGGING_LEVEL))
logger.handlers = []
handler = logging.StreamHandler(stream)
handler.setLevel(logging.DEBUG)
handler.setFormatter(logging.Formatter(LOG_FORMAT))
logger.addHandler(handler)
return logger
|
get_logger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, verbosity, stream):\n logger = logging.getLogger(name)\n logger.setLevel({(0): DEFAULT_LOGGING_LEVEL, (1): logging.INFO, (2):\n logging.DEBUG}.get(min(2, verbosity), DEFAULT_LOGGING_LEVEL))\n logger.handlers = []\n handler = logging.StreamHandler(stream)\n handler.setLevel(logging.DEBUG)\n handler.setFormatter(logging.Formatter(LOG_FORMAT))\n logger.addHandler(handler)\n return logger\n",
"role": "user"
},
{
"content": "get_logger",
"role": "assistant"
}
] |
def x(cls, config, prefix='postmark_', is_uppercase=False):
kwargs = {}
for arg in get_args(cls):
key = prefix + arg
if is_uppercase:
key = key.upper()
else:
key = key.lower()
if key in config:
kwargs[arg] = config[key]
return cls(**kwargs)
|
from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config, prefix='postmark_', is_uppercase=False):\n kwargs = {}\n for arg in get_args(cls):\n key = prefix + arg\n if is_uppercase:\n key = key.upper()\n else:\n key = key.lower()\n if key in config:\n kwargs[arg] = config[key]\n return cls(**kwargs)\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x(container, n):
for i in range(0, len(container), n):
yield container[i:i + n]
|
chunks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container, n):\n for i in range(0, len(container), n):\n yield container[i:i + n]\n",
"role": "user"
},
{
"content": "chunks",
"role": "assistant"
}
] |
def x(count, offset=0, max_chunk=500):
if count is None:
chunk = max_chunk
while True:
yield chunk, offset
offset += chunk
else:
while count:
chunk = min(count, max_chunk)
count = max(0, count - max_chunk)
yield chunk, offset
offset += chunk
|
sizes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(count, offset=0, max_chunk=500):\n if count is None:\n chunk = max_chunk\n while True:\n yield chunk, offset\n offset += chunk\n else:\n while count:\n chunk = min(count, max_chunk)\n count = max(0, count - max_chunk)\n yield chunk, offset\n offset += chunk\n",
"role": "user"
},
{
"content": "sizes",
"role": "assistant"
}
] |
def x(self, responses):
exception_messages = [self.client.format_exception_message(response) for
response in responses]
if len(exception_messages) == 1:
message = exception_messages[0]
else:
message = '[%s]' % ', '.join(exception_messages)
raise PostmarkerException(message)
|
raise_for_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, responses):\n exception_messages = [self.client.format_exception_message(response) for\n response in responses]\n if len(exception_messages) == 1:\n message = exception_messages[0]\n else:\n message = '[%s]' % ', '.join(exception_messages)\n raise PostmarkerException(message)\n",
"role": "user"
},
{
"content": "raise_for_response",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.