source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(resource_id, table):
v1_utils.verify_existence_and_get(resource_id, table)
if table.name == 'jobs':
JJI = models.JOIN_JOBS_ISSUES
JJC = models.JOIN_JOBS_COMPONENTS
JCI = models.JOIN_COMPONENTS_ISSUES
j1 = sql.join(_TABLE, sql.join(JCI, JJC, sql.and_(JCI.c.
component_id == JJC.c.component_id, JJC.c.job_id == resource_id
)), _TABLE.c.id == JCI.c.issue_id)
query = sql.select([_TABLE]).select_from(j1)
rows = flask.g.db_conn.execute(query)
rows = [dict(row) for row in rows]
j2 = sql.join(_TABLE, JJI, sql.and_(_TABLE.c.id == JJI.c.issue_id,
JJI.c.job_id == resource_id))
query2 = sql.select([_TABLE]).select_from(j2)
rows2 = flask.g.db_conn.execute(query2)
rows += [dict(row) for row in rows2]
else:
JCI = models.JOIN_COMPONENTS_ISSUES
query = sql.select([_TABLE]).select_from(JCI.join(_TABLE)).where(
JCI.c.component_id == resource_id)
rows = flask.g.db_conn.execute(query)
rows = [dict(row) for row in rows]
for row in rows:
if row['tracker'] == 'github':
l_tracker = github.Github(row['url'])
elif row['tracker'] == 'bugzilla':
l_tracker = bugzilla.Bugzilla(row['url'])
row.update(l_tracker.dump())
return flask.jsonify({'issues': rows, '_meta': {'count': len(rows)}})
| get_issues_by_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource_id, table):\n v1_utils.verify_existence_and_get(resource_id, table)\n if table.name == 'jobs':\n JJI = models.JOIN_JOBS_ISSUES\n JJC = models.JOIN_JOBS_COMPONENTS\n JCI = models.JOIN_COMPONENTS_ISSUES\n j1 = sql.join(_TABLE, sql.join(JCI, JJC, sql.and_(JCI.c.\n component_id == JJC.c.component_id, JJC.c.job_id == resource_id\n )), _TABLE.c.id == JCI.c.issue_id)\n query = sql.select([_TABLE]).select_from(j1)\n rows = flask.g.db_conn.execute(query)\n rows = [dict(row) for row in rows]\n j2 = sql.join(_TABLE, JJI, sql.and_(_TABLE.c.id == JJI.c.issue_id, \n JJI.c.job_id == resource_id))\n query2 = sql.select([_TABLE]).select_from(j2)\n rows2 = flask.g.db_conn.execute(query2)\n rows += [dict(row) for row in rows2]\n else:\n JCI = models.JOIN_COMPONENTS_ISSUES\n query = sql.select([_TABLE]).select_from(JCI.join(_TABLE)).where(\n JCI.c.component_id == resource_id)\n rows = flask.g.db_conn.execute(query)\n rows = [dict(row) for row in rows]\n for row in rows:\n if row['tracker'] == 'github':\n l_tracker = github.Github(row['url'])\n elif row['tracker'] == 'bugzilla':\n l_tracker = bugzilla.Bugzilla(row['url'])\n row.update(l_tracker.dump())\n return flask.jsonify({'issues': rows, '_meta': {'count': len(rows)}})\n",
"role": "user"
},
{
"content": "get_issues_by_resource",
"role": "assistant"
}
] |
def x(resource_id, issue_id, table):
v1_utils.verify_existence_and_get(issue_id, _TABLE)
if table.name == 'jobs':
join_table = models.JOIN_JOBS_ISSUES
where_clause = sql.and_(join_table.c.job_id == resource_id,
join_table.c.issue_id == issue_id)
else:
join_table = models.JOIN_COMPONENTS_ISSUES
where_clause = sql.and_(join_table.c.component_id == resource_id,
join_table.c.issue_id == issue_id)
query = join_table.delete().where(where_clause)
result = flask.g.db_conn.execute(query)
if not result.rowcount:
raise dci_exc.DCIConflict('%s_issues' % table.name, issue_id)
return flask.Response(None, 204, content_type='application/json')
| unattach_issue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource_id, issue_id, table):\n v1_utils.verify_existence_and_get(issue_id, _TABLE)\n if table.name == 'jobs':\n join_table = models.JOIN_JOBS_ISSUES\n where_clause = sql.and_(join_table.c.job_id == resource_id, \n join_table.c.issue_id == issue_id)\n else:\n join_table = models.JOIN_COMPONENTS_ISSUES\n where_clause = sql.and_(join_table.c.component_id == resource_id, \n join_table.c.issue_id == issue_id)\n query = join_table.delete().where(where_clause)\n result = flask.g.db_conn.execute(query)\n if not result.rowcount:\n raise dci_exc.DCIConflict('%s_issues' % table.name, issue_id)\n return flask.Response(None, 204, content_type='application/json')\n",
"role": "user"
},
{
"content": "unattach_issue",
"role": "assistant"
}
] |
def x(resource_id, table, user_id):
data = schemas.issue.post(flask.request.json)
issue = _get_or_create_issue(data)
if table.name == 'jobs':
join_table = models.JOIN_JOBS_ISSUES
else:
join_table = models.JOIN_COMPONENTS_ISSUES
key = '%s_id' % table.name[0:-1]
query = join_table.insert().values({'user_id': user_id, 'issue_id':
issue['id'], key: resource_id})
try:
flask.g.db_conn.execute(query)
except sa_exc.IntegrityError:
raise dci_exc.DCICreationConflict(join_table.name, '%s, issue_id' % key
)
result = json.dumps({'issue': dict(issue)})
return flask.Response(result, 201, content_type='application/json')
| attach_issue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resource_id, table, user_id):\n data = schemas.issue.post(flask.request.json)\n issue = _get_or_create_issue(data)\n if table.name == 'jobs':\n join_table = models.JOIN_JOBS_ISSUES\n else:\n join_table = models.JOIN_COMPONENTS_ISSUES\n key = '%s_id' % table.name[0:-1]\n query = join_table.insert().values({'user_id': user_id, 'issue_id':\n issue['id'], key: resource_id})\n try:\n flask.g.db_conn.execute(query)\n except sa_exc.IntegrityError:\n raise dci_exc.DCICreationConflict(join_table.name, '%s, issue_id' % key\n )\n result = json.dumps({'issue': dict(issue)})\n return flask.Response(result, 201, content_type='application/json')\n",
"role": "user"
},
{
"content": "attach_issue",
"role": "assistant"
}
] |
def x(app, blueprints):
collect_root = app.extensions['collect'].static_root
return [bp for bp in blueprints if bp.has_static_folder and bp.
static_folder != collect_root]
| collect_staticroot_removal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, blueprints):\n collect_root = app.extensions['collect'].static_root\n return [bp for bp in blueprints if bp.has_static_folder and bp.\n static_folder != collect_root]\n",
"role": "user"
},
{
"content": "collect_staticroot_removal",
"role": "assistant"
}
] |
def x(user, job_id):
args = schemas.args(flask.request.args.to_dict())
job = v1_utils.verify_existence_and_get(job_id, models.JOBS)
if user.is_not_super_admin() and user.is_not_read_only_user():
if job['team_id'] not in user.teams_ids and job['team_id'
] not in user.child_teams_ids:
raise dci_exc.Unauthorized()
query = v1_utils.QueryBuilder(_TABLE, args, _JS_COLUMNS)
query.add_extra_condition(_TABLE.c.job_id == job_id)
nb_rows = query.get_number_of_rows()
rows = query.execute(fetchall=True)
rows = v1_utils.format_result(rows, _TABLE.name, args['embed'], _EMBED_MANY
)
return flask.jsonify({'jobstates': rows, '_meta': {'count': nb_rows}})
| get_all_jobstates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id):\n args = schemas.args(flask.request.args.to_dict())\n job = v1_utils.verify_existence_and_get(job_id, models.JOBS)\n if user.is_not_super_admin() and user.is_not_read_only_user():\n if job['team_id'] not in user.teams_ids and job['team_id'\n ] not in user.child_teams_ids:\n raise dci_exc.Unauthorized()\n query = v1_utils.QueryBuilder(_TABLE, args, _JS_COLUMNS)\n query.add_extra_condition(_TABLE.c.job_id == job_id)\n nb_rows = query.get_number_of_rows()\n rows = query.execute(fetchall=True)\n rows = v1_utils.format_result(rows, _TABLE.name, args['embed'], _EMBED_MANY\n )\n return flask.jsonify({'jobstates': rows, '_meta': {'count': nb_rows}})\n",
"role": "user"
},
{
"content": "get_all_jobstates",
"role": "assistant"
}
] |
def x(access_token):
url = 'http://keycloak:8080/auth/admin/realms/dci-test/clients'
r = requests.post(url, data=json.dumps(client_data), headers=
get_auth_headers(access_token))
if r.status_code in (201, 409):
print('Keycloak client dci created successfully.')
else:
raise Exception(
'Error while creating Keycloak client dci:\nstatus code %s\nerror: %s'
% (r.status_code, r.content))
| create_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_token):\n url = 'http://keycloak:8080/auth/admin/realms/dci-test/clients'\n r = requests.post(url, data=json.dumps(client_data), headers=\n get_auth_headers(access_token))\n if r.status_code in (201, 409):\n print('Keycloak client dci created successfully.')\n else:\n raise Exception(\n 'Error while creating Keycloak client dci:\\nstatus code %s\\nerror: %s'\n % (r.status_code, r.content))\n",
"role": "user"
},
{
"content": "create_client",
"role": "assistant"
}
] |
def x(access_token):
user_data = {'username': 'dci', 'email': 'dci@distributed-ci.io',
'enabled': True, 'emailVerified': True, 'credentials': [{'type':
'password', 'value': 'dci'}]}
r = requests.post('http://keycloak:8080/auth/admin/realms/dci-test/users',
data=json.dumps(user_data), headers=get_auth_headers(access_token))
if r.status_code in (201, 409):
print('Keycloak user dci created successfully.')
else:
raise Exception(
'Error while creating user dci:\nstatus code %s\nerror: %s' % (
r.status_code, r.content))
| create_user_dci | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_token):\n user_data = {'username': 'dci', 'email': 'dci@distributed-ci.io',\n 'enabled': True, 'emailVerified': True, 'credentials': [{'type':\n 'password', 'value': 'dci'}]}\n r = requests.post('http://keycloak:8080/auth/admin/realms/dci-test/users',\n data=json.dumps(user_data), headers=get_auth_headers(access_token))\n if r.status_code in (201, 409):\n print('Keycloak user dci created successfully.')\n else:\n raise Exception(\n 'Error while creating user dci:\\nstatus code %s\\nerror: %s' % (\n r.status_code, r.content))\n",
"role": "user"
},
{
"content": "create_user_dci",
"role": "assistant"
}
] |
def x(self, name=None, dbname=None, base=None, generator=None, case=None,
namespaces=None):
self.name = none_or(name, str)
"""
The name of the site. : str | `None`
"""
self.dbname = none_or(dbname, str)
"""
The dbname of the site. : str | `None`
"""
self.base = none_or(base, str)
"""
TODO: ??? : str | `None`
"""
self.generator = none_or(generator, str)
"""
TODO: ??? : str | `None`
"""
self.case = none_or(case, str)
"""
TODO: ??? : str | `None`
"""
self.namespaces = none_or(namespaces, list)
"""
A list of :class:`mwtypes.Namespace` | `None`
"""
| initialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, dbname=None, base=None, generator=None, case=None,\n namespaces=None):\n self.name = none_or(name, str)\n \"\"\"\n The name of the site. : str | `None`\n \"\"\"\n self.dbname = none_or(dbname, str)\n \"\"\"\n The dbname of the site. : str | `None`\n \"\"\"\n self.base = none_or(base, str)\n \"\"\"\n TODO: ??? : str | `None`\n \"\"\"\n self.generator = none_or(generator, str)\n \"\"\"\n TODO: ??? : str | `None`\n \"\"\"\n self.case = none_or(case, str)\n \"\"\"\n TODO: ??? : str | `None`\n \"\"\"\n self.namespaces = none_or(namespaces, list)\n \"\"\"\n A list of :class:`mwtypes.Namespace` | `None`\n \"\"\"\n",
"role": "user"
},
{
"content": "initialize",
"role": "assistant"
}
] |
def x(params):
serialized = {}
for name, value in params.items():
if value is True:
value = 'true'
elif value is False:
value = 'false'
serialized[name] = value
return serialized
for k, v in params.items():
if isinstance(v, bool):
params[k] = str(v).lower()
| serializeBooleans | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params):\n serialized = {}\n for name, value in params.items():\n if value is True:\n value = 'true'\n elif value is False:\n value = 'false'\n serialized[name] = value\n return serialized\n for k, v in params.items():\n if isinstance(v, bool):\n params[k] = str(v).lower()\n",
"role": "user"
},
{
"content": "serializeBooleans",
"role": "assistant"
}
] |
def x(self, method, url, parameters=dict()):
parameters = self._serializeBooleans(parameters)
headers = {'App-Key': self.apikey}
if self.accountemail:
headers.update({'Account-Email': self.accountemail})
if method.upper() == 'GET':
response = requests.get(self.url + url, params=parameters, auth=(
self.username, self.password), headers=headers)
elif method.upper() == 'POST':
response = requests.post(self.url + url, data=parameters, auth=(
self.username, self.password), headers=headers)
elif method.upper() == 'PUT':
response = requests.put(self.url + url, data=parameters, auth=(self
.username, self.password), headers=headers)
elif method.upper() == 'DELETE':
response = requests.delete(self.url + url, params=parameters, auth=
(self.username, self.password), headers=headers)
else:
raise Exception('Invalid method in pingdom request')
self.shortlimit = response.headers.get('Req-Limit-Short', self.shortlimit)
self.longlimit = response.headers.get('Req-Limit-Long', self.longlimit)
if response.status_code != 200:
sys.stderr.write('ERROR from %s: %d' % (response.url, response.
status_code))
sys.stderr.write('Returned data: %s\n' % response.json())
response.raise_for_status()
return response
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, parameters=dict()):\n parameters = self._serializeBooleans(parameters)\n headers = {'App-Key': self.apikey}\n if self.accountemail:\n headers.update({'Account-Email': self.accountemail})\n if method.upper() == 'GET':\n response = requests.get(self.url + url, params=parameters, auth=(\n self.username, self.password), headers=headers)\n elif method.upper() == 'POST':\n response = requests.post(self.url + url, data=parameters, auth=(\n self.username, self.password), headers=headers)\n elif method.upper() == 'PUT':\n response = requests.put(self.url + url, data=parameters, auth=(self\n .username, self.password), headers=headers)\n elif method.upper() == 'DELETE':\n response = requests.delete(self.url + url, params=parameters, auth=\n (self.username, self.password), headers=headers)\n else:\n raise Exception('Invalid method in pingdom request')\n self.shortlimit = response.headers.get('Req-Limit-Short', self.shortlimit)\n self.longlimit = response.headers.get('Req-Limit-Long', self.longlimit)\n if response.status_code != 200:\n sys.stderr.write('ERROR from %s: %d' % (response.url, response.\n status_code))\n sys.stderr.write('Returned data: %s\\n' % response.json())\n response.raise_for_status()\n return response\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, **parameters):
for key in parameters:
if key not in ['from', 'to', 'limit', 'offset', 'checkids',
'contactids', 'status', 'via']:
sys.stderr.write('%s not a valid argument for actions()\n' % key)
response = self.request('GET', 'actions', parameters)
return response.json()['actions']
| actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **parameters):\n for key in parameters:\n if key not in ['from', 'to', 'limit', 'offset', 'checkids',\n 'contactids', 'status', 'via']:\n sys.stderr.write('%s not a valid argument for actions()\\n' % key)\n response = self.request('GET', 'actions', parameters)\n return response.json()['actions']\n",
"role": "user"
},
{
"content": "actions",
"role": "assistant"
}
] |
def x(self, **parameters):
for key in parameters:
if key not in ['limit', 'offset', 'tags']:
sys.stderr.write('%s not a valid argument for getChecks()\n' % key)
response = self.request('GET', 'checks', parameters)
return [PingdomCheck(self, x) for x in response.json()['checks']]
| getChecks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **parameters):\n for key in parameters:\n if key not in ['limit', 'offset', 'tags']:\n sys.stderr.write('%s not a valid argument for getChecks()\\n' % key)\n response = self.request('GET', 'checks', parameters)\n return [PingdomCheck(self, x) for x in response.json()['checks']]\n",
"role": "user"
},
{
"content": "getChecks",
"role": "assistant"
}
] |
def x(self, checkid):
check = PingdomCheck(self, {'id': checkid})
check.getDetails()
return check
| getCheck | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, checkid):\n check = PingdomCheck(self, {'id': checkid})\n check.getDetails()\n return check\n",
"role": "user"
},
{
"content": "getCheck",
"role": "assistant"
}
] |
def x(self, **kwargs):
for key in kwargs:
if key not in ['limit', 'offset', 'onlyactive', 'includedeleted']:
sys.stderr.write("'%s'" % key + ' is not a valid argument ' +
'of probes()\n')
return self.request('GET', 'probes', kwargs).json()['probes']
| probes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key in kwargs:\n if key not in ['limit', 'offset', 'onlyactive', 'includedeleted']:\n sys.stderr.write(\"'%s'\" % key + ' is not a valid argument ' +\n 'of probes()\\n')\n return self.request('GET', 'probes', kwargs).json()['probes']\n",
"role": "user"
},
{
"content": "probes",
"role": "assistant"
}
] |
def x(self, host, probeid):
response = self.request('GET', 'traceroute', {'host': host, 'probeid':
probeid})
return response.json()['traceroute']
| traceroute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, host, probeid):\n response = self.request('GET', 'traceroute', {'host': host, 'probeid':\n probeid})\n return response.json()['traceroute']\n",
"role": "user"
},
{
"content": "traceroute",
"role": "assistant"
}
] |
def x(self, **kwargs):
for key in kwargs:
if key not in ['limit', 'offset']:
sys.stderr.write("'%s'" % key + ' is not a valid argument ' +
'of getContacts()\n')
return [PingdomContact(self, x) for x in self.request('GET',
'notification_contacts', kwargs).json()['contacts']]
| getContacts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key in kwargs:\n if key not in ['limit', 'offset']:\n sys.stderr.write(\"'%s'\" % key + ' is not a valid argument ' +\n 'of getContacts()\\n')\n return [PingdomContact(self, x) for x in self.request('GET',\n 'notification_contacts', kwargs).json()['contacts']]\n",
"role": "user"
},
{
"content": "getContacts",
"role": "assistant"
}
] |
def x(self, name, **kwargs):
for key in kwargs:
if key not in ['email', 'cellphone', 'countrycode', 'countryiso',
'defaultsmsprovider', 'directtwitter', 'twitteruser']:
sys.stderr.write("'%s'" % key + ' is not a valid argument ' +
'of newContact()\n')
kwargs['name'] = name
contactinfo = self.request('POST', 'notification_contacts', kwargs).json()[
'contact']
return PingdomContact(self, contactinfo)
| newContact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, **kwargs):\n for key in kwargs:\n if key not in ['email', 'cellphone', 'countrycode', 'countryiso',\n 'defaultsmsprovider', 'directtwitter', 'twitteruser']:\n sys.stderr.write(\"'%s'\" % key + ' is not a valid argument ' +\n 'of newContact()\\n')\n kwargs['name'] = name\n contactinfo = self.request('POST', 'notification_contacts', kwargs).json()[\n 'contact']\n return PingdomContact(self, contactinfo)\n",
"role": "user"
},
{
"content": "newContact",
"role": "assistant"
}
] |
def x(self, contactids, paused):
response = self.request('PUT', 'notification_contacts', {'contactids':
contactids, 'paused': paused})
return response.json()['message']
| modifyContacts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, contactids, paused):\n response = self.request('PUT', 'notification_contacts', {'contactids':\n contactids, 'paused': paused})\n return response.json()['message']\n",
"role": "user"
},
{
"content": "modifyContacts",
"role": "assistant"
}
] |
def x(self):
reports = [PingdomEmailReport(self, x) for x in self.request('GET',
'reports.email').json()['subscriptions']]
return reports
| getEmailReports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n reports = [PingdomEmailReport(self, x) for x in self.request('GET',\n 'reports.email').json()['subscriptions']]\n return reports\n",
"role": "user"
},
{
"content": "getEmailReports",
"role": "assistant"
}
] |
def x(self, name, **kwargs):
for key in kwargs:
if key not in ['checkid', 'frequency', 'contactids', 'additionalemails'
]:
sys.stderr.write("'%s'" % key + ' is not a valid argument ' +
'of newEmailReport()\n')
parameters = {'name': name}
for key, value in kwargs.iteritems():
parameters[key] = value
return self.request('POST', 'reports.email', parameters).json()['message']
| newEmailReport | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, **kwargs):\n for key in kwargs:\n if key not in ['checkid', 'frequency', 'contactids', 'additionalemails'\n ]:\n sys.stderr.write(\"'%s'\" % key + ' is not a valid argument ' +\n 'of newEmailReport()\\n')\n parameters = {'name': name}\n for key, value in kwargs.iteritems():\n parameters[key] = value\n return self.request('POST', 'reports.email', parameters).json()['message']\n",
"role": "user"
},
{
"content": "newEmailReport",
"role": "assistant"
}
] |
def x(self):
response = self.request('GET', 'reports.shared').json()['shared']['banners'
]
reports = [PingdomSharedReport(self, x) for x in response]
return reports
| getSharedReports | [
{
"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.request('GET', 'reports.shared').json()['shared']['banners'\n ]\n reports = [PingdomSharedReport(self, x) for x in response]\n return reports\n",
"role": "user"
},
{
"content": "getSharedReports",
"role": "assistant"
}
] |
def x(self, checkid, **kwargs):
for key in kwargs:
if key not in ['auto', 'type', 'fromyear', 'frommonth', 'fromday',
'toyear', 'tomonth', 'today', 'sharedtype']:
sys.stderr.write("'%s'" % key + ' is not a valid argument ' +
'of newSharedReport()\n')
parameters = {'checkid': checkid, 'sharedtype': 'banner'}
for key, value in kwargs.iteritems():
parameters[key] = value
return self.request('POST', 'reports.shared', parameters).json()['message']
| newSharedReport | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, checkid, **kwargs):\n for key in kwargs:\n if key not in ['auto', 'type', 'fromyear', 'frommonth', 'fromday',\n 'toyear', 'tomonth', 'today', 'sharedtype']:\n sys.stderr.write(\"'%s'\" % key + ' is not a valid argument ' +\n 'of newSharedReport()\\n')\n parameters = {'checkid': checkid, 'sharedtype': 'banner'}\n for key, value in kwargs.iteritems():\n parameters[key] = value\n return self.request('POST', 'reports.shared', parameters).json()['message']\n",
"role": "user"
},
{
"content": "newSharedReport",
"role": "assistant"
}
] |
def x(data, masterkey, bool_encry, assoc_data):
engine1 = botan.cipher(algo='Serpent/GCM', encrypt=bool_encry)
engine2 = botan.cipher(algo='AES-256/GCM', encrypt=bool_encry)
engine3 = botan.cipher(algo='Twofish/GCM', encrypt=bool_encry)
hash1 = botan.hash_function(algo='SHA-256')
hash1.update(masterkey)
hashed1 = hash1.final()
hash2 = botan.hash_function(algo='SHA-256')
hash2.update(hashed1)
hashed2 = hash2.final()
engine1.set_key(key=masterkey)
engine1.set_assoc_data(assoc_data)
engine2.set_key(key=hashed1)
engine2.set_assoc_data(assoc_data)
engine3.set_key(key=hashed2)
engine3.set_assoc_data(assoc_data)
if bool_encry is True:
nonce1 = generate_nonce_timestamp()
nonce2 = generate_nonce_timestamp()
nonce3 = generate_nonce_timestamp()
engine1.start(nonce=nonce1)
engine2.start(nonce=nonce2)
engine3.start(nonce=nonce3)
cipher1 = engine1.finish(data)
cipher2 = engine2.finish(cipher1)
cipher3 = engine3.finish(cipher2)
return nonce1 + nonce2 + nonce3 + cipher3
else:
nonce1 = data[:__nonce_length__]
nonce2 = data[__nonce_length__:__nonce_length__ * 2]
nonce3 = data[__nonce_length__ * 2:__nonce_length__ * 3]
encrypteddata = data[__nonce_length__ * 3:]
engine1.start(nonce=nonce1)
engine2.start(nonce=nonce2)
engine3.start(nonce=nonce3)
decrypteddata1 = engine3.finish(encrypteddata)
if decrypteddata1 == b'':
raise Exception(
'Integrity failure: Invalid passphrase or corrupted data')
decrypteddata2 = engine2.finish(decrypteddata1)
if decrypteddata2 == b'':
raise Exception(
'Integrity failure: Invalid passphrase or corrupted data')
decrypteddata3 = engine1.finish(decrypteddata2)
if decrypteddata3 == b'':
raise Exception(
'Integrity failure: Invalid passphrase or corrupted data')
else:
return decrypteddata3
| encry_decry_cascade | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, masterkey, bool_encry, assoc_data):\n engine1 = botan.cipher(algo='Serpent/GCM', encrypt=bool_encry)\n engine2 = botan.cipher(algo='AES-256/GCM', encrypt=bool_encry)\n engine3 = botan.cipher(algo='Twofish/GCM', encrypt=bool_encry)\n hash1 = botan.hash_function(algo='SHA-256')\n hash1.update(masterkey)\n hashed1 = hash1.final()\n hash2 = botan.hash_function(algo='SHA-256')\n hash2.update(hashed1)\n hashed2 = hash2.final()\n engine1.set_key(key=masterkey)\n engine1.set_assoc_data(assoc_data)\n engine2.set_key(key=hashed1)\n engine2.set_assoc_data(assoc_data)\n engine3.set_key(key=hashed2)\n engine3.set_assoc_data(assoc_data)\n if bool_encry is True:\n nonce1 = generate_nonce_timestamp()\n nonce2 = generate_nonce_timestamp()\n nonce3 = generate_nonce_timestamp()\n engine1.start(nonce=nonce1)\n engine2.start(nonce=nonce2)\n engine3.start(nonce=nonce3)\n cipher1 = engine1.finish(data)\n cipher2 = engine2.finish(cipher1)\n cipher3 = engine3.finish(cipher2)\n return nonce1 + nonce2 + nonce3 + cipher3\n else:\n nonce1 = data[:__nonce_length__]\n nonce2 = data[__nonce_length__:__nonce_length__ * 2]\n nonce3 = data[__nonce_length__ * 2:__nonce_length__ * 3]\n encrypteddata = data[__nonce_length__ * 3:]\n engine1.start(nonce=nonce1)\n engine2.start(nonce=nonce2)\n engine3.start(nonce=nonce3)\n decrypteddata1 = engine3.finish(encrypteddata)\n if decrypteddata1 == b'':\n raise Exception(\n 'Integrity failure: Invalid passphrase or corrupted data')\n decrypteddata2 = engine2.finish(decrypteddata1)\n if decrypteddata2 == b'':\n raise Exception(\n 'Integrity failure: Invalid passphrase or corrupted data')\n decrypteddata3 = engine1.finish(decrypteddata2)\n if decrypteddata3 == b'':\n raise Exception(\n 'Integrity failure: Invalid passphrase or corrupted data')\n else:\n return decrypteddata3\n",
"role": "user"
},
{
"content": "encry_decry_cascade",
"role": "assistant"
}
] |
def x(self, request_class: Request, handler_factory: Callable[[], Handler]
) ->None:
key = request_class.__name__
is_command = request_class.is_command()
is_event = request_class.is_event()
is_present = key in self._registry
if is_command and is_present:
raise ConfigurationException(
'A handler for this request has already been registered')
elif is_event and is_present:
self._registry[key].append(handler_factory)
elif is_command or is_event:
self._registry[key] = [handler_factory]
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_class: Request, handler_factory: Callable[[], Handler]\n ) ->None:\n key = request_class.__name__\n is_command = request_class.is_command()\n is_event = request_class.is_event()\n is_present = key in self._registry\n if is_command and is_present:\n raise ConfigurationException(\n 'A handler for this request has already been registered')\n elif is_event and is_present:\n self._registry[key].append(handler_factory)\n elif is_command or is_event:\n self._registry[key] = [handler_factory]\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, request: Request) ->List[Callable[[], Handler]]:
key = request.__class__.__name__
if key not in self._registry:
if request.is_command():
raise ConfigurationException(
'There is no handler registered for this request')
elif request.is_event():
return []
return self._registry[key]
| lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request: Request) ->List[Callable[[], Handler]]:\n key = request.__class__.__name__\n if key not in self._registry:\n if request.is_command():\n raise ConfigurationException(\n 'There is no handler registered for this request')\n elif request.is_event():\n return []\n return self._registry[key]\n",
"role": "user"
},
{
"content": "lookup",
"role": "assistant"
}
] |
def x(self, request_class: Request, mapper_func: Callable[[Request],
BrightsideMessage]) ->None:
key = request_class.__name__
if key not in self._registry:
self._registry[key] = mapper_func
else:
raise ConfigurationException(
'There is already a message mapper defined for this key; there can be only one'
)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_class: Request, mapper_func: Callable[[Request],\n BrightsideMessage]) ->None:\n key = request_class.__name__\n if key not in self._registry:\n self._registry[key] = mapper_func\n else:\n raise ConfigurationException(\n 'There is already a message mapper defined for this key; there can be only one'\n )\n",
"role": "user"
},
{
"content": "register",
"role": "assistant"
}
] |
def x(self, request_class: Request) ->Callable[[Request], BrightsideMessage]:
key = request_class.__class__.__name__
if key not in self._registry:
raise ConfigurationException(
'There is no message mapper associated with this key; we require a mapper'
)
else:
return self._registry[key]
| lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_class: Request) ->Callable[[Request], BrightsideMessage]:\n key = request_class.__class__.__name__\n if key not in self._registry:\n raise ConfigurationException(\n 'There is no message mapper associated with this key; we require a mapper'\n )\n else:\n return self._registry[key]\n",
"role": "user"
},
{
"content": "lookup",
"role": "assistant"
}
] |
def x(*args):
if len(args) == 2:
value, ref_type = args
if not isinstance(ref_type, set):
if isinstance(value, ref_type):
return True
else:
raise HasWrongType(wrong_value=value, ref_type=ref_type)
else:
match = False
for ref in ref_type:
if isinstance(value, ref):
match = True
break
if match:
return True
else:
raise HasWrongType(wrong_value=value, ref_type=ref_type,
help_msg='Value should be an instance of any of {ref_type}'
)
elif len(args) == 1:
ref_type = args[0]
if not isinstance(ref_type, set):
def x(x):
if isinstance(x, ref_type):
return True
else:
raise HasWrongType(wrong_value=x, ref_type=ref_type)
else:
def x(x):
match = False
for ref in ref_type:
if isinstance(x, ref):
match = True
break
if match:
return True
else:
raise HasWrongType(wrong_value=x, ref_type=ref_type,
help_msg=
'Value should be an instance of any of {ref_type}')
instance_of_ref.__name__ = 'instance_of_{}'.format(ref_type)
return instance_of_ref
else:
raise TypeError(
'instance_of expected 2 (normal) or 1 (function generator) arguments, got '
+ str(len(args)))
| instance_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if len(args) == 2:\n value, ref_type = args\n if not isinstance(ref_type, set):\n if isinstance(value, ref_type):\n return True\n else:\n raise HasWrongType(wrong_value=value, ref_type=ref_type)\n else:\n match = False\n for ref in ref_type:\n if isinstance(value, ref):\n match = True\n break\n if match:\n return True\n else:\n raise HasWrongType(wrong_value=value, ref_type=ref_type,\n help_msg='Value should be an instance of any of {ref_type}'\n )\n elif len(args) == 1:\n ref_type = args[0]\n if not isinstance(ref_type, set):\n\n def x(x):\n if isinstance(x, ref_type):\n return True\n else:\n raise HasWrongType(wrong_value=x, ref_type=ref_type)\n else:\n\n def x(x):\n match = False\n for ref in ref_type:\n if isinstance(x, ref):\n match = True\n break\n if match:\n return True\n else:\n raise HasWrongType(wrong_value=x, ref_type=ref_type,\n help_msg=\n 'Value should be an instance of any of {ref_type}')\n instance_of_ref.__name__ = 'instance_of_{}'.format(ref_type)\n return instance_of_ref\n else:\n raise TypeError(\n 'instance_of expected 2 (normal) or 1 (function generator) arguments, got '\n + str(len(args)))\n",
"role": "user"
},
{
"content": "instance_of",
"role": "assistant"
}
] |
def x(*args):
if len(args) == 2:
typ, ref_type = args
if not isinstance(ref_type, set):
if issubclass(typ, ref_type):
return True
else:
raise IsWrongType(wrong_value=typ, ref_type=ref_type)
else:
match = False
for ref in ref_type:
if issubclass(typ, ref):
match = True
break
if match:
return True
else:
raise IsWrongType(wrong_value=typ, ref_type=ref_type,
help_msg='Value should be a subclass of any of {ref_type}')
elif len(args) == 1:
ref_type = args[0]
if not isinstance(ref_type, set):
def x(x):
if issubclass(x, ref_type):
return True
else:
raise IsWrongType(wrong_value=x, ref_type=ref_type)
else:
def x(x):
match = False
for ref in ref_type:
if issubclass(x, ref):
match = True
break
if match:
return True
else:
raise IsWrongType(wrong_value=x, ref_type=ref_type,
help_msg=
'Value should be a subclass of any of {ref_type}')
subclass_of_ref.__name__ = 'subclass_of_{}'.format(ref_type)
return subclass_of_ref
else:
raise TypeError(
'subclass_of expected 2 (normal) or 1 (function generator) arguments, got '
+ str(len(args)))
| subclass_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if len(args) == 2:\n typ, ref_type = args\n if not isinstance(ref_type, set):\n if issubclass(typ, ref_type):\n return True\n else:\n raise IsWrongType(wrong_value=typ, ref_type=ref_type)\n else:\n match = False\n for ref in ref_type:\n if issubclass(typ, ref):\n match = True\n break\n if match:\n return True\n else:\n raise IsWrongType(wrong_value=typ, ref_type=ref_type,\n help_msg='Value should be a subclass of any of {ref_type}')\n elif len(args) == 1:\n ref_type = args[0]\n if not isinstance(ref_type, set):\n\n def x(x):\n if issubclass(x, ref_type):\n return True\n else:\n raise IsWrongType(wrong_value=x, ref_type=ref_type)\n else:\n\n def x(x):\n match = False\n for ref in ref_type:\n if issubclass(x, ref):\n match = True\n break\n if match:\n return True\n else:\n raise IsWrongType(wrong_value=x, ref_type=ref_type,\n help_msg=\n 'Value should be a subclass of any of {ref_type}')\n subclass_of_ref.__name__ = 'subclass_of_{}'.format(ref_type)\n return subclass_of_ref\n else:\n raise TypeError(\n 'subclass_of expected 2 (normal) or 1 (function generator) arguments, got '\n + str(len(args)))\n",
"role": "user"
},
{
"content": "subclass_of",
"role": "assistant"
}
] |
def x(basename, directory, method=False):
directory = os.path.expanduser(directory)
ensure_directory(directory)
def x(func):
@functools.wraps(func)
def x(*args, **kwargs):
key = tuple(args), tuple(kwargs.items())
if method and key:
key = key[1:]
filename = '{}-{}.pickle'.format(basename, hash(key))
filepath = os.path.join(directory, filename)
if os.path.isfile(filepath):
with open(filepath, 'rb') as handle:
return pickle.load(handle)
result = func(*args, **kwargs)
with open(filepath, 'wb') as handle:
pickle.dump(result, handle)
return result
return wrapped
return wrapper
| disk_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(basename, directory, method=False):\n directory = os.path.expanduser(directory)\n ensure_directory(directory)\n\n def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n key = tuple(args), tuple(kwargs.items())\n if method and key:\n key = key[1:]\n filename = '{}-{}.pickle'.format(basename, hash(key))\n filepath = os.path.join(directory, filename)\n if os.path.isfile(filepath):\n with open(filepath, 'rb') as handle:\n return pickle.load(handle)\n result = func(*args, **kwargs)\n with open(filepath, 'wb') as handle:\n pickle.dump(result, handle)\n return result\n return wrapped\n return wrapper\n",
"role": "user"
},
{
"content": "disk_cache",
"role": "assistant"
}
] |
def x(url, directory, filename=None):
if not filename:
_, filename = os.path.split(url)
directory = os.path.expanduser(directory)
ensure_directory(directory)
filepath = os.path.join(directory, filename)
if os.path.isfile(filepath):
return filepath
print('Download', filepath)
with urlopen(url) as response, open(filepath, 'wb') as file_:
shutil.copyfileobj(response, file_)
return filepath
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, directory, filename=None):\n if not filename:\n _, filename = os.path.split(url)\n directory = os.path.expanduser(directory)\n ensure_directory(directory)\n filepath = os.path.join(directory, filename)\n if os.path.isfile(filepath):\n return filepath\n print('Download', filepath)\n with urlopen(url) as response, open(filepath, 'wb') as file_:\n shutil.copyfileobj(response, file_)\n return filepath\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(directory):
directory = os.path.expanduser(directory)
try:
os.makedirs(directory)
except OSError as e:
if e.errno != errno.EEXIST:
raise e
| ensure_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory):\n directory = os.path.expanduser(directory)\n try:\n os.makedirs(directory)\n except OSError as e:\n if e.errno != errno.EEXIST:\n raise e\n",
"role": "user"
},
{
"content": "ensure_directory",
"role": "assistant"
}
] |
def x(validation_func, auto_and_wrapper=True):
if validation_func is None:
raise ValueError('mandatory validation_func is None')
elif not isinstance(validation_func, list):
validation_func = [validation_func]
elif len(validation_func) == 0:
raise ValueError('provided validation_func list is empty')
final_list = []
for v in validation_func:
v = as_function(v)
if isinstance(v, tuple):
if len(v) == 2:
if isinstance(v[1], str):
final_list.append(_failure_raiser(v[0], help_msg=v[1]))
elif isinstance(v[1], type) and issubclass(v[1],
WrappingFailure):
final_list.append(_failure_raiser(v[0], failure_type=v[1]))
else:
raise TypeError(
'base validation function(s) not compliant with the allowed syntax. Base validation function(s) can be {}. Found [{}].'
.format(supported_syntax, str(v)))
else:
raise TypeError(
'base validation function(s) not compliant with the allowed syntax. Base validation function(s) can be {}. Found [{}].'
.format(supported_syntax, str(v)))
elif callable(v):
final_list.append(v)
elif isinstance(v, list):
final_list.append(and_(*v))
else:
raise TypeError(
'base validation function(s) not compliant with the allowed syntax. Base validation function(s) can be {}. Found [{}].'
.format(supported_syntax, str(v)))
if auto_and_wrapper:
return and_(*final_list)
else:
return final_list
| process_validation_function_s | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validation_func, auto_and_wrapper=True):\n if validation_func is None:\n raise ValueError('mandatory validation_func is None')\n elif not isinstance(validation_func, list):\n validation_func = [validation_func]\n elif len(validation_func) == 0:\n raise ValueError('provided validation_func list is empty')\n final_list = []\n for v in validation_func:\n v = as_function(v)\n if isinstance(v, tuple):\n if len(v) == 2:\n if isinstance(v[1], str):\n final_list.append(_failure_raiser(v[0], help_msg=v[1]))\n elif isinstance(v[1], type) and issubclass(v[1],\n WrappingFailure):\n final_list.append(_failure_raiser(v[0], failure_type=v[1]))\n else:\n raise TypeError(\n 'base validation function(s) not compliant with the allowed syntax. Base validation function(s) can be {}. Found [{}].'\n .format(supported_syntax, str(v)))\n else:\n raise TypeError(\n 'base validation function(s) not compliant with the allowed syntax. Base validation function(s) can be {}. Found [{}].'\n .format(supported_syntax, str(v)))\n elif callable(v):\n final_list.append(v)\n elif isinstance(v, list):\n final_list.append(and_(*v))\n else:\n raise TypeError(\n 'base validation function(s) not compliant with the allowed syntax. Base validation function(s) can be {}. Found [{}].'\n .format(supported_syntax, str(v)))\n if auto_and_wrapper:\n return and_(*final_list)\n else:\n return final_list\n",
"role": "user"
},
{
"content": "process_validation_function_s",
"role": "assistant"
}
] |
def x(*validation_func):
validation_func = _process_validation_function_s(list(validation_func),
auto_and_wrapper=False)
if len(validation_func) == 1:
return validation_func[0]
else:
def x(x):
for validator in validation_func:
try:
res = validator(x)
except Exception as e:
raise AtLeastOneFailed(validation_func, x, cause=e)
if not result_is_success(res):
raise AtLeastOneFailed(validation_func, x)
return True
and_v_.__name__ = 'and({})'.format(get_callable_names(validation_func))
return and_v_
| and_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func):\n validation_func = _process_validation_function_s(list(validation_func),\n auto_and_wrapper=False)\n if len(validation_func) == 1:\n return validation_func[0]\n else:\n\n def x(x):\n for validator in validation_func:\n try:\n res = validator(x)\n except Exception as e:\n raise AtLeastOneFailed(validation_func, x, cause=e)\n if not result_is_success(res):\n raise AtLeastOneFailed(validation_func, x)\n return True\n and_v_.__name__ = 'and({})'.format(get_callable_names(validation_func))\n return and_v_\n",
"role": "user"
},
{
"content": "and_",
"role": "assistant"
}
] |
def x(validation_func, catch_all=False):
def x(x):
try:
res = validation_func(x)
if not result_is_success(res):
return True
except Failure:
return True
except Exception as e:
if not catch_all:
raise e
else:
return True
raise DidNotFail(wrapped_func=validation_func, wrong_value=x,
validation_outcome=res)
not_v_.__name__ = 'not({})'.format(get_callable_name(validation_func))
return not_v_
| not_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(validation_func, catch_all=False):\n\n def x(x):\n try:\n res = validation_func(x)\n if not result_is_success(res):\n return True\n except Failure:\n return True\n except Exception as e:\n if not catch_all:\n raise e\n else:\n return True\n raise DidNotFail(wrapped_func=validation_func, wrong_value=x,\n validation_outcome=res)\n not_v_.__name__ = 'not({})'.format(get_callable_name(validation_func))\n return not_v_\n",
"role": "user"
},
{
"content": "not_",
"role": "assistant"
}
] |
def x(*validation_func):
validation_func = _process_validation_function_s(list(validation_func),
auto_and_wrapper=False)
if len(validation_func) == 1:
return validation_func[0]
else:
def x(x):
for validator in validation_func:
try:
res = validator(x)
if result_is_success(res):
return True
except Exception:
pass
raise AllValidatorsFailed(validation_func, x)
or_v_.__name__ = 'or({})'.format(get_callable_names(validation_func))
return or_v_
| or_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func):\n validation_func = _process_validation_function_s(list(validation_func),\n auto_and_wrapper=False)\n if len(validation_func) == 1:\n return validation_func[0]\n else:\n\n def x(x):\n for validator in validation_func:\n try:\n res = validator(x)\n if result_is_success(res):\n return True\n except Exception:\n pass\n raise AllValidatorsFailed(validation_func, x)\n or_v_.__name__ = 'or({})'.format(get_callable_names(validation_func))\n return or_v_\n",
"role": "user"
},
{
"content": "or_",
"role": "assistant"
}
] |
def x(*validation_func):
validation_func = _process_validation_function_s(list(validation_func),
auto_and_wrapper=False)
if len(validation_func) == 1:
return validation_func[0]
else:
def x(x):
ok_validators = []
for val_func in validation_func:
try:
res = val_func(x)
if result_is_success(res):
ok_validators.append(val_func)
except Exception:
pass
if len(ok_validators) == 1:
return True
elif len(ok_validators) > 1:
raise XorTooManySuccess(validation_func, x)
else:
raise AllValidatorsFailed(validation_func, x)
xor_v_.__name__ = 'xor({})'.format(get_callable_names(validation_func))
return xor_v_
| xor_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func):\n validation_func = _process_validation_function_s(list(validation_func),\n auto_and_wrapper=False)\n if len(validation_func) == 1:\n return validation_func[0]\n else:\n\n def x(x):\n ok_validators = []\n for val_func in validation_func:\n try:\n res = val_func(x)\n if result_is_success(res):\n ok_validators.append(val_func)\n except Exception:\n pass\n if len(ok_validators) == 1:\n return True\n elif len(ok_validators) > 1:\n raise XorTooManySuccess(validation_func, x)\n else:\n raise AllValidatorsFailed(validation_func, x)\n xor_v_.__name__ = 'xor({})'.format(get_callable_names(validation_func))\n return xor_v_\n",
"role": "user"
},
{
"content": "xor_",
"role": "assistant"
}
] |
def x(*validation_func, **kwargs):
catch_all = pop_kwargs(kwargs, [('catch_all', False)])
main_validator = and_(*validation_func)
return not_(main_validator, catch_all=catch_all)
| not_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func, **kwargs):\n catch_all = pop_kwargs(kwargs, [('catch_all', False)])\n main_validator = and_(*validation_func)\n return not_(main_validator, catch_all=catch_all)\n",
"role": "user"
},
{
"content": "not_all",
"role": "assistant"
}
] |
def x(*validation_func, **kwargs):
failure_type, help_msg = pop_kwargs(kwargs, [('failure_type', None), (
'help_msg', None)], allow_others=True)
kw_context_args = kwargs
main_func = _process_validation_function_s(list(validation_func))
return _failure_raiser(main_func, failure_type=failure_type, help_msg=
help_msg, **kw_context_args)
| failure_raiser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func, **kwargs):\n failure_type, help_msg = pop_kwargs(kwargs, [('failure_type', None), (\n 'help_msg', None)], allow_others=True)\n kw_context_args = kwargs\n main_func = _process_validation_function_s(list(validation_func))\n return _failure_raiser(main_func, failure_type=failure_type, help_msg=\n help_msg, **kw_context_args)\n",
"role": "user"
},
{
"content": "failure_raiser",
"role": "assistant"
}
] |
def x(kwargs, names_with_defaults, allow_others=False):
all_arguments = []
for name, default_ in names_with_defaults:
try:
val = kwargs.pop(name)
except KeyError:
val = default_
all_arguments.append(val)
if not allow_others and len(kwargs) > 0:
raise ValueError('Unsupported arguments: %s' % kwargs)
if len(names_with_defaults) == 1:
return all_arguments[0]
else:
return all_arguments
| pop_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kwargs, names_with_defaults, allow_others=False):\n all_arguments = []\n for name, default_ in names_with_defaults:\n try:\n val = kwargs.pop(name)\n except KeyError:\n val = default_\n all_arguments.append(val)\n if not allow_others and len(kwargs) > 0:\n raise ValueError('Unsupported arguments: %s' % kwargs)\n if len(names_with_defaults) == 1:\n return all_arguments[0]\n else:\n return all_arguments\n",
"role": "user"
},
{
"content": "pop_kwargs",
"role": "assistant"
}
] |
def x(self):
need_to_print_value = True
failures_for_print = OrderedDict()
for validator, failure in self.failures.items():
name = get_callable_name(validator)
if isinstance(failure, Exception):
if isinstance(failure, WrappingFailure) or isinstance(failure,
CompositionFailure):
need_to_print_value = False
failures_for_print[name] = '{exc_type}: {msg}'.format(exc_type=
type(failure).__name__, msg=str(failure))
else:
failures_for_print[name] = str(failure)
if need_to_print_value:
value_str = ' for value [{val}]'.format(val=self.wrong_value)
else:
value_str = ''
key_values_str = [(repr(key) + ': ' + repr(val)) for key, val in
failures_for_print.items()]
failures_for_print_str = '{' + ', '.join(key_values_str) + '}'
msg = ('{what}{possibly_value}. Successes: {success} / Failures: {fails}'
.format(what=self.get_what(), possibly_value=value_str, success=
self.successes, fails=failures_for_print_str))
return msg
| get_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n need_to_print_value = True\n failures_for_print = OrderedDict()\n for validator, failure in self.failures.items():\n name = get_callable_name(validator)\n if isinstance(failure, Exception):\n if isinstance(failure, WrappingFailure) or isinstance(failure,\n CompositionFailure):\n need_to_print_value = False\n failures_for_print[name] = '{exc_type}: {msg}'.format(exc_type=\n type(failure).__name__, msg=str(failure))\n else:\n failures_for_print[name] = str(failure)\n if need_to_print_value:\n value_str = ' for value [{val}]'.format(val=self.wrong_value)\n else:\n value_str = ''\n key_values_str = [(repr(key) + ': ' + repr(val)) for key, val in\n failures_for_print.items()]\n failures_for_print_str = '{' + ', '.join(key_values_str) + '}'\n msg = ('{what}{possibly_value}. Successes: {success} / Failures: {fails}'\n .format(what=self.get_what(), possibly_value=value_str, success=\n self.successes, fails=failures_for_print_str))\n return msg\n",
"role": "user"
},
{
"content": "get_details",
"role": "assistant"
}
] |
def x(self, validators, value):
successes = list()
failures = OrderedDict()
for validator in validators:
name = get_callable_name(validator)
try:
res = validator(value)
if result_is_success(res):
successes.append(name)
else:
failures[validator] = res
except Exception as exc:
failures[validator] = exc
return successes, failures
| play_all_validators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, validators, value):\n successes = list()\n failures = OrderedDict()\n for validator in validators:\n name = get_callable_name(validator)\n try:\n res = validator(value)\n if result_is_success(res):\n successes.append(name)\n else:\n failures[validator] = res\n except Exception as exc:\n failures[validator] = exc\n return successes, failures\n",
"role": "user"
},
{
"content": "play_all_validators",
"role": "assistant"
}
] |
def x(length=64):
charset = string.ascii_letters + string.digits
return ''.join(random.SystemRandom().choice(charset) for _ in range(length)
)
| gen_secret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length=64):\n charset = string.ascii_letters + string.digits\n return ''.join(random.SystemRandom().choice(charset) for _ in range(length)\n )\n",
"role": "user"
},
{
"content": "gen_secret",
"role": "assistant"
}
] |
def x(filename, passphrase, algo='srp'):
try:
if algo == 'srp':
header = b'Cryptoshop srp ' + b_version
crypto_algo = 'Serpent/GCM'
if algo == 'aes':
header = b'Cryptoshop aes ' + b_version
crypto_algo = 'AES-256/GCM'
if algo == 'twf':
header = b'Cryptoshop twf ' + b_version
crypto_algo = 'Twofish/GCM'
if algo != 'srp' and algo != 'aes' and algo != 'twf':
return "No valid algo. Use 'srp' 'aes' or 'twf'"
outname = filename + '.cryptoshop'
internal_key = botan.rng().get(internal_key_length)
salt = botan.rng().get(__salt_size__)
masterkey = calc_derivation(passphrase=passphrase, salt=salt)
encrypted_key = encry_decry_cascade(data=internal_key, masterkey=
masterkey, bool_encry=True, assoc_data=header)
with open(filename, 'rb') as filestream:
file_size = os.stat(filename).st_size
if file_size == 0:
raise Exception("Error: You can't encrypt empty file.")
with open(str(outname), 'wb') as filestreamout:
filestreamout.write(header)
filestreamout.write(salt)
filestreamout.write(encrypted_key)
finished = False
bar = tqdm(range(file_size // __chunk_size__))
while not finished:
chunk = filestream.read(__chunk_size__)
if len(chunk) == 0 or len(chunk) % __chunk_size__ != 0:
finished = True
encryptedchunk = encry_decry_chunk(chunk=chunk, key=
internal_key, bool_encry=True, algo=crypto_algo,
assoc_data=header)
filestreamout.write(encryptedchunk)
bar.update(1)
return 'successfully encrypted'
except IOError:
exit('Error: file "' + filename + '" was not found.')
| encryptfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, passphrase, algo='srp'):\n try:\n if algo == 'srp':\n header = b'Cryptoshop srp ' + b_version\n crypto_algo = 'Serpent/GCM'\n if algo == 'aes':\n header = b'Cryptoshop aes ' + b_version\n crypto_algo = 'AES-256/GCM'\n if algo == 'twf':\n header = b'Cryptoshop twf ' + b_version\n crypto_algo = 'Twofish/GCM'\n if algo != 'srp' and algo != 'aes' and algo != 'twf':\n return \"No valid algo. Use 'srp' 'aes' or 'twf'\"\n outname = filename + '.cryptoshop'\n internal_key = botan.rng().get(internal_key_length)\n salt = botan.rng().get(__salt_size__)\n masterkey = calc_derivation(passphrase=passphrase, salt=salt)\n encrypted_key = encry_decry_cascade(data=internal_key, masterkey=\n masterkey, bool_encry=True, assoc_data=header)\n with open(filename, 'rb') as filestream:\n file_size = os.stat(filename).st_size\n if file_size == 0:\n raise Exception(\"Error: You can't encrypt empty file.\")\n with open(str(outname), 'wb') as filestreamout:\n filestreamout.write(header)\n filestreamout.write(salt)\n filestreamout.write(encrypted_key)\n finished = False\n bar = tqdm(range(file_size // __chunk_size__))\n while not finished:\n chunk = filestream.read(__chunk_size__)\n if len(chunk) == 0 or len(chunk) % __chunk_size__ != 0:\n finished = True\n encryptedchunk = encry_decry_chunk(chunk=chunk, key=\n internal_key, bool_encry=True, algo=crypto_algo,\n assoc_data=header)\n filestreamout.write(encryptedchunk)\n bar.update(1)\n return 'successfully encrypted'\n except IOError:\n exit('Error: file \"' + filename + '\" was not found.')\n",
"role": "user"
},
{
"content": "encryptfile",
"role": "assistant"
}
] |
def x(filename, passphrase):
try:
outname = os.path.splitext(filename)[0].split('_')[-1]
with open(filename, 'rb') as filestream:
file_size = os.stat(filename).st_size
if file_size == 0:
raise Exception("Error: You can't decrypt empty file.")
fileheader = filestream.read(header_length)
if fileheader == b'Cryptoshop srp ' + b_version:
decrypt_algo = 'Serpent/GCM'
if fileheader == b'Cryptoshop aes ' + b_version:
decrypt_algo = 'AES-256/GCM'
if fileheader == b'Cryptoshop twf ' + b_version:
decrypt_algo = 'Twofish/GCM'
if (fileheader != b'Cryptoshop srp ' + b_version and fileheader !=
b'Cryptoshop aes ' + b_version and fileheader !=
b'Cryptoshop twf ' + b_version):
raise Exception('Integrity failure: Bad header')
salt = filestream.read(__salt_size__)
encrypted_key = filestream.read(encrypted_key_length)
masterkey = calc_derivation(passphrase=passphrase, salt=salt)
try:
internal_key = encry_decry_cascade(data=encrypted_key,
masterkey=masterkey, bool_encry=False, assoc_data=
fileheader)
except Exception as e:
return e
with open(str(outname), 'wb') as filestreamout:
files_size = os.stat(filename).st_size
bar = tqdm(range(files_size // __chunk_size__))
while True:
encryptedchunk = filestream.read(__nonce_length__ +
__gcmtag_length__ + __chunk_size__)
if len(encryptedchunk) == 0:
break
try:
original = encry_decry_chunk(chunk=encryptedchunk,
key=internal_key, algo=decrypt_algo, bool_encry
=False, assoc_data=fileheader)
except Exception as e:
return e
else:
filestreamout.write(original)
bar.update(1)
return 'successfully decrypted'
except IOError:
exit('Error: file "' + filename + '" was not found.')
| decryptfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, passphrase):\n try:\n outname = os.path.splitext(filename)[0].split('_')[-1]\n with open(filename, 'rb') as filestream:\n file_size = os.stat(filename).st_size\n if file_size == 0:\n raise Exception(\"Error: You can't decrypt empty file.\")\n fileheader = filestream.read(header_length)\n if fileheader == b'Cryptoshop srp ' + b_version:\n decrypt_algo = 'Serpent/GCM'\n if fileheader == b'Cryptoshop aes ' + b_version:\n decrypt_algo = 'AES-256/GCM'\n if fileheader == b'Cryptoshop twf ' + b_version:\n decrypt_algo = 'Twofish/GCM'\n if (fileheader != b'Cryptoshop srp ' + b_version and fileheader !=\n b'Cryptoshop aes ' + b_version and fileheader != \n b'Cryptoshop twf ' + b_version):\n raise Exception('Integrity failure: Bad header')\n salt = filestream.read(__salt_size__)\n encrypted_key = filestream.read(encrypted_key_length)\n masterkey = calc_derivation(passphrase=passphrase, salt=salt)\n try:\n internal_key = encry_decry_cascade(data=encrypted_key,\n masterkey=masterkey, bool_encry=False, assoc_data=\n fileheader)\n except Exception as e:\n return e\n with open(str(outname), 'wb') as filestreamout:\n files_size = os.stat(filename).st_size\n bar = tqdm(range(files_size // __chunk_size__))\n while True:\n encryptedchunk = filestream.read(__nonce_length__ +\n __gcmtag_length__ + __chunk_size__)\n if len(encryptedchunk) == 0:\n break\n try:\n original = encry_decry_chunk(chunk=encryptedchunk,\n key=internal_key, algo=decrypt_algo, bool_encry\n =False, assoc_data=fileheader)\n except Exception as e:\n return e\n else:\n filestreamout.write(original)\n bar.update(1)\n return 'successfully decrypted'\n except IOError:\n exit('Error: file \"' + filename + '\" was not found.')\n",
"role": "user"
},
{
"content": "decryptfile",
"role": "assistant"
}
] |
def x(cls, sentence):
while True:
match = cls._regex_tag.search(sentence)
if not match:
yield from cls._split(sentence)
return
chunk = sentence[:match.start()]
yield from cls._split(chunk)
tag = match.group(0)
yield tag
sentence = sentence[len(chunk) + len(tag):]
| tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, sentence):\n while True:\n match = cls._regex_tag.search(sentence)\n if not match:\n yield from cls._split(sentence)\n return\n chunk = sentence[:match.start()]\n yield from cls._split(chunk)\n tag = match.group(0)\n yield tag\n sentence = sentence[len(chunk) + len(tag):]\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(process, paths, threads=None):
paths = [mwtypes.files.normalize_path(path) for path in paths]
def x(path):
dump = Dump.from_file(mwtypes.files.reader(path))
yield from process(dump, path)
yield from para.map(process_path, paths, mappers=threads)
| map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(process, paths, threads=None):\n paths = [mwtypes.files.normalize_path(path) for path in paths]\n\n def x(path):\n dump = Dump.from_file(mwtypes.files.reader(path))\n yield from process(dump, path)\n yield from para.map(process_path, paths, mappers=threads)\n",
"role": "user"
},
{
"content": "map",
"role": "assistant"
}
] |
def x(self):
return {'title': self.title, 'issue_id': self.issue_id, 'reporter':
self.reporter, 'assignee': self.assignee, 'status': self.status,
'product': self.product, 'component': self.component, 'created_at':
self.created_at, 'updated_at': self.updated_at, 'closed_at': self.
closed_at, 'status_code': self.status_code}
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'title': self.title, 'issue_id': self.issue_id, 'reporter':\n self.reporter, 'assignee': self.assignee, 'status': self.status,\n 'product': self.product, 'component': self.component, 'created_at':\n self.created_at, 'updated_at': self.updated_at, 'closed_at': self.\n closed_at, 'status_code': self.status_code}\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(func, cur_args, cur_kwargs, sig, func_to_apply, func_to_apply_params_dict
):
bound_values = sig.bind(*cur_args, **cur_kwargs)
apply_defaults(bound_values)
for att_name, att_value in bound_values.arguments.items():
if att_name in func_to_apply_params_dict.keys():
func_to_apply(att_value, func_to_apply_params_dict[att_name],
func, att_name)
| apply_on_each_func_args_sig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, cur_args, cur_kwargs, sig, func_to_apply, func_to_apply_params_dict\n ):\n bound_values = sig.bind(*cur_args, **cur_kwargs)\n apply_defaults(bound_values)\n for att_name, att_value in bound_values.arguments.items():\n if att_name in func_to_apply_params_dict.keys():\n func_to_apply(att_value, func_to_apply_params_dict[att_name],\n func, att_name)\n",
"role": "user"
},
{
"content": "apply_on_each_func_args_sig",
"role": "assistant"
}
] |
def x(self, team_id):
if self.is_super_admin():
return True
team_id = uuid.UUID(str(team_id))
return team_id in self.child_teams_ids
| is_product_owner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, team_id):\n if self.is_super_admin():\n return True\n team_id = uuid.UUID(str(team_id))\n return team_id in self.child_teams_ids\n",
"role": "user"
},
{
"content": "is_product_owner",
"role": "assistant"
}
] |
def x(self, team_id):
if self.is_super_admin():
return True
team_id = uuid.UUID(str(team_id))
return team_id in self.teams or team_id in self.child_teams_ids
| is_in_team | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, team_id):\n if self.is_super_admin():\n return True\n team_id = uuid.UUID(str(team_id))\n return team_id in self.teams or team_id in self.child_teams_ids\n",
"role": "user"
},
{
"content": "is_in_team",
"role": "assistant"
}
] |
def x(self, team_id=None):
if team_id is None:
return self._is_remoteci
team_id = uuid.UUID(str(team_id))
if team_id not in self.teams_ids:
return False
return self.teams[team_id]['role'] == 'REMOTECI'
| is_remoteci | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, team_id=None):\n if team_id is None:\n return self._is_remoteci\n team_id = uuid.UUID(str(team_id))\n if team_id not in self.teams_ids:\n return False\n return self.teams[team_id]['role'] == 'REMOTECI'\n",
"role": "user"
},
{
"content": "is_remoteci",
"role": "assistant"
}
] |
def x(self, team_id=None):
if team_id is None:
return self._is_feeder
team_id = uuid.UUID(str(team_id))
if team_id not in self.teams_ids:
return False
return self.teams[team_id]['role'] == 'FEEDER'
| is_feeder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, team_id=None):\n if team_id is None:\n return self._is_feeder\n team_id = uuid.UUID(str(team_id))\n if team_id not in self.teams_ids:\n return False\n return self.teams[team_id]['role'] == 'FEEDER'\n",
"role": "user"
},
{
"content": "is_feeder",
"role": "assistant"
}
] |
def x(self):
if self.is_document:
return self
return self.adapter.wrap_document(self.adapter.impl_document)
| document | [
{
"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.is_document:\n return self\n return self.adapter.wrap_document(self.adapter.impl_document)\n",
"role": "user"
},
{
"content": "document",
"role": "assistant"
}
] |
def x(self):
if self.is_root:
return self
return self.adapter.wrap_node(self.adapter.impl_root_element, self.
adapter.impl_document, self.adapter)
| root | [
{
"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.is_root:\n return self\n return self.adapter.wrap_node(self.adapter.impl_root_element, self.\n adapter.impl_document, self.adapter)\n",
"role": "user"
},
{
"content": "root",
"role": "assistant"
}
] |
def x(self, impl_nodelist):
nodelist = [self.adapter.wrap_node(n, self.adapter.impl_document, self.
adapter) for n in impl_nodelist]
return NodeList(nodelist)
| convert_nodelist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, impl_nodelist):\n nodelist = [self.adapter.wrap_node(n, self.adapter.impl_document, self.\n adapter) for n in impl_nodelist]\n return NodeList(nodelist)\n",
"role": "user"
},
{
"content": "convert_nodelist",
"role": "assistant"
}
] |
def x(self):
parent_impl_node = self.adapter.get_node_parent(self.impl_node)
return self.adapter.wrap_node(parent_impl_node, self.adapter.
impl_document, self.adapter)
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parent_impl_node = self.adapter.get_node_parent(self.impl_node)\n return self.adapter.wrap_node(parent_impl_node, self.adapter.\n impl_document, self.adapter)\n",
"role": "user"
},
{
"content": "parent",
"role": "assistant"
}
] |
def x(self):
impl_nodelist = self.adapter.get_node_children(self.impl_node)
return self._convert_nodelist(impl_nodelist)
| children | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n impl_nodelist = self.adapter.get_node_children(self.impl_node)\n return self._convert_nodelist(impl_nodelist)\n",
"role": "user"
},
{
"content": "children",
"role": "assistant"
}
] |
def x(self, local_name=None, name=None, ns_uri=None, node_type=None,
filter_fn=None):
return self.children(name=name, local_name=local_name, ns_uri=ns_uri,
node_type=node_type, filter_fn=filter_fn, first_only=True)
| child | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, local_name=None, name=None, ns_uri=None, node_type=None,\n filter_fn=None):\n return self.children(name=name, local_name=local_name, ns_uri=ns_uri,\n node_type=node_type, filter_fn=filter_fn, first_only=True)\n",
"role": "user"
},
{
"content": "child",
"role": "assistant"
}
] |
def x(self):
impl_nodelist = self.adapter.get_node_children(self.parent.impl_node)
return self._convert_nodelist([n for n in impl_nodelist if n != self.
impl_node])
| siblings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n impl_nodelist = self.adapter.get_node_children(self.parent.impl_node)\n return self._convert_nodelist([n for n in impl_nodelist if n != self.\n impl_node])\n",
"role": "user"
},
{
"content": "siblings",
"role": "assistant"
}
] |
def x(self):
impl_nodelist = self.adapter.get_node_children(self.parent.impl_node)
before_nodelist = []
for n in impl_nodelist:
if n == self.impl_node:
break
before_nodelist.append(n)
return self._convert_nodelist(before_nodelist)
| siblings_before | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n impl_nodelist = self.adapter.get_node_children(self.parent.impl_node)\n before_nodelist = []\n for n in impl_nodelist:\n if n == self.impl_node:\n break\n before_nodelist.append(n)\n return self._convert_nodelist(before_nodelist)\n",
"role": "user"
},
{
"content": "siblings_before",
"role": "assistant"
}
] |
def x(self):
impl_nodelist = self.adapter.get_node_children(self.parent.impl_node)
after_nodelist = []
is_after_myself = False
for n in impl_nodelist:
if is_after_myself:
after_nodelist.append(n)
elif n == self.impl_node:
is_after_myself = True
return self._convert_nodelist(after_nodelist)
| siblings_after | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n impl_nodelist = self.adapter.get_node_children(self.parent.impl_node)\n after_nodelist = []\n is_after_myself = False\n for n in impl_nodelist:\n if is_after_myself:\n after_nodelist.append(n)\n elif n == self.impl_node:\n is_after_myself = True\n return self._convert_nodelist(after_nodelist)\n",
"role": "user"
},
{
"content": "siblings_after",
"role": "assistant"
}
] |
def x(self, destroy=True):
removed_child = self.adapter.remove_node_child(self.adapter.
get_node_parent(self.impl_node), self.impl_node, destroy_node=destroy)
if removed_child is not None:
return self.adapter.wrap_node(removed_child, None, self.adapter)
else:
return None
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destroy=True):\n removed_child = self.adapter.remove_node_child(self.adapter.\n get_node_parent(self.impl_node), self.impl_node, destroy_node=destroy)\n if removed_child is not None:\n return self.adapter.wrap_node(removed_child, None, self.adapter)\n else:\n return None\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, node):
if isinstance(node, xml4h.nodes.Node):
child_impl_node = node.impl_node
else:
child_impl_node = node
self.adapter.import_node(self.impl_node, child_impl_node, clone=True)
| clone_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if isinstance(node, xml4h.nodes.Node):\n child_impl_node = node.impl_node\n else:\n child_impl_node = node\n self.adapter.import_node(self.impl_node, child_impl_node, clone=True)\n",
"role": "user"
},
{
"content": "clone_node",
"role": "assistant"
}
] |
def x(self, node):
if isinstance(node, xml4h.nodes.Node):
child_impl_node = node.impl_node
original_parent_impl_node = node.parent.impl_node
else:
child_impl_node = node
original_parent_impl_node = self.adapter.get_node_parent(node)
self.adapter.import_node(self.impl_node, child_impl_node,
original_parent_impl_node, clone=False)
| transplant_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if isinstance(node, xml4h.nodes.Node):\n child_impl_node = node.impl_node\n original_parent_impl_node = node.parent.impl_node\n else:\n child_impl_node = node\n original_parent_impl_node = self.adapter.get_node_parent(node)\n self.adapter.import_node(self.impl_node, child_impl_node,\n original_parent_impl_node, clone=False)\n",
"role": "user"
},
{
"content": "transplant_node",
"role": "assistant"
}
] |
def x(self, name=None, ns_uri=None, first_only=False):
if name is None:
name = '*'
if ns_uri is None:
ns_uri = '*'
impl_nodelist = self.adapter.find_node_elements(self.impl_node, name=
name, ns_uri=ns_uri)
if first_only:
if impl_nodelist:
return self.adapter.wrap_node(impl_nodelist[0], self.adapter.
impl_document, self.adapter)
else:
return None
return self._convert_nodelist(impl_nodelist)
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, ns_uri=None, first_only=False):\n if name is None:\n name = '*'\n if ns_uri is None:\n ns_uri = '*'\n impl_nodelist = self.adapter.find_node_elements(self.impl_node, name=\n name, ns_uri=ns_uri)\n if first_only:\n if impl_nodelist:\n return self.adapter.wrap_node(impl_nodelist[0], self.adapter.\n impl_document, self.adapter)\n else:\n return None\n return self._convert_nodelist(impl_nodelist)\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(self, name=None, ns_uri=None):
return self.find(name=name, ns_uri=ns_uri, first_only=True)
| find_first | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, ns_uri=None):\n return self.find(name=name, ns_uri=ns_uri, first_only=True)\n",
"role": "user"
},
{
"content": "find_first",
"role": "assistant"
}
] |
def x(self, name=None, ns_uri=None, first_only=False):
return self.document.find(name=name, ns_uri=ns_uri, first_only=first_only)
| find_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, ns_uri=None, first_only=False):\n return self.document.find(name=name, ns_uri=ns_uri, first_only=first_only)\n",
"role": "user"
},
{
"content": "find_doc",
"role": "assistant"
}
] |
def x(self, writer=None, encoding='utf-8', indent=0, newline='',
omit_declaration=False, node_depth=0, quote_char='"'):
xml4h.write_node(self, writer=writer, encoding=encoding, indent=indent,
newline=newline, omit_declaration=omit_declaration, node_depth=
node_depth, quote_char=quote_char)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, writer=None, encoding='utf-8', indent=0, newline='',\n omit_declaration=False, node_depth=0, quote_char='\"'):\n xml4h.write_node(self, writer=writer, encoding=encoding, indent=indent,\n newline=newline, omit_declaration=omit_declaration, node_depth=\n node_depth, quote_char=quote_char)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, indent=4, **kwargs):
writer = StringIO()
self.write(writer, indent=indent, **kwargs)
return writer.getvalue()
| xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indent=4, **kwargs):\n writer = StringIO()\n self.write(writer, indent=indent, **kwargs)\n return writer.getvalue()\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x(self, xpath, **kwargs):
result = self.adapter.xpath_on_node(self.impl_node, xpath, **kwargs)
if isinstance(result, (list, tuple)):
return [self._maybe_wrap_node(r) for r in result]
else:
return self._maybe_wrap_node(result)
| xpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xpath, **kwargs):\n result = self.adapter.xpath_on_node(self.impl_node, xpath, **kwargs)\n if isinstance(result, (list, tuple)):\n return [self._maybe_wrap_node(r) for r in result]\n else:\n return self._maybe_wrap_node(result)\n",
"role": "user"
},
{
"content": "xpath",
"role": "assistant"
}
] |
def x(self, attr_obj=None, ns_uri=None, **attr_dict):
self._set_element_attributes(self.impl_node, attr_obj=attr_obj, ns_uri=
ns_uri, **attr_dict)
| set_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_obj=None, ns_uri=None, **attr_dict):\n self._set_element_attributes(self.impl_node, attr_obj=attr_obj, ns_uri=\n ns_uri, **attr_dict)\n",
"role": "user"
},
{
"content": "set_attributes",
"role": "assistant"
}
] |
def x(self):
attr_impl_nodes = self.adapter.get_node_attributes(self.impl_node)
return AttributeDict(attr_impl_nodes, self.impl_node, self.adapter)
| attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n attr_impl_nodes = self.adapter.get_node_attributes(self.impl_node)\n return AttributeDict(attr_impl_nodes, self.impl_node, self.adapter)\n",
"role": "user"
},
{
"content": "attributes",
"role": "assistant"
}
] |
def x(self):
impl_attr_nodes = self.adapter.get_node_attributes(self.impl_node)
wrapped_attr_nodes = [self.adapter.wrap_node(a, self.adapter.
impl_document, self.adapter) for a in impl_attr_nodes]
return sorted(wrapped_attr_nodes, key=lambda x: x.name)
| attribute_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n impl_attr_nodes = self.adapter.get_node_attributes(self.impl_node)\n wrapped_attr_nodes = [self.adapter.wrap_node(a, self.adapter.\n impl_document, self.adapter) for a in impl_attr_nodes]\n return sorted(wrapped_attr_nodes, key=lambda x: x.name)\n",
"role": "user"
},
{
"content": "attribute_nodes",
"role": "assistant"
}
] |
def x(self, name, ns_uri=None):
attr_impl_node = self.adapter.get_node_attribute_node(self.impl_node,
name, ns_uri)
return self.adapter.wrap_node(attr_impl_node, self.adapter.
impl_document, self.adapter)
| attribute_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, ns_uri=None):\n attr_impl_node = self.adapter.get_node_attribute_node(self.impl_node,\n name, ns_uri)\n return self.adapter.wrap_node(attr_impl_node, self.adapter.\n impl_document, self.adapter)\n",
"role": "user"
},
{
"content": "attribute_node",
"role": "assistant"
}
] |
def x(self, prefix, ns_uri):
self._add_ns_prefix_attr(self.impl_node, prefix, ns_uri)
| set_ns_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prefix, ns_uri):\n self._add_ns_prefix_attr(self.impl_node, prefix, ns_uri)\n",
"role": "user"
},
{
"content": "set_ns_prefix",
"role": "assistant"
}
] |
def x(self, name, ns_uri=None, attributes=None, text=None,
before_this_element=False):
prefix, local_name, node_ns_uri = self.adapter.get_ns_info_from_node_name(
name, self.impl_node)
if prefix:
qname = u'%s:%s' % (prefix, local_name)
else:
qname = local_name
if node_ns_uri is None:
if ns_uri is None:
node_ns_uri = self.adapter.get_ns_uri_for_prefix(self.impl_node,
None)
else:
node_ns_uri = ns_uri
child_elem = self.adapter.new_impl_element(qname, node_ns_uri, parent=
self.impl_node)
if not prefix and '}' in name:
self._set_element_attributes(child_elem, {'xmlns': node_ns_uri},
ns_uri=self.XMLNS_URI)
elif ns_uri is not None:
self._set_element_attributes(child_elem, {'xmlns': ns_uri}, ns_uri=
self.XMLNS_URI)
if attributes is not None:
self._set_element_attributes(child_elem, attr_obj=attributes)
if text is not None:
self._add_text(child_elem, text)
if before_this_element:
self.adapter.add_node_child(self.adapter.get_node_parent(self.
impl_node), child_elem, before_sibling=self.impl_node)
else:
self.adapter.add_node_child(self.impl_node, child_elem)
return self.adapter.wrap_node(child_elem, self.adapter.impl_document,
self.adapter)
| add_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, ns_uri=None, attributes=None, text=None,\n before_this_element=False):\n prefix, local_name, node_ns_uri = self.adapter.get_ns_info_from_node_name(\n name, self.impl_node)\n if prefix:\n qname = u'%s:%s' % (prefix, local_name)\n else:\n qname = local_name\n if node_ns_uri is None:\n if ns_uri is None:\n node_ns_uri = self.adapter.get_ns_uri_for_prefix(self.impl_node,\n None)\n else:\n node_ns_uri = ns_uri\n child_elem = self.adapter.new_impl_element(qname, node_ns_uri, parent=\n self.impl_node)\n if not prefix and '}' in name:\n self._set_element_attributes(child_elem, {'xmlns': node_ns_uri},\n ns_uri=self.XMLNS_URI)\n elif ns_uri is not None:\n self._set_element_attributes(child_elem, {'xmlns': ns_uri}, ns_uri=\n self.XMLNS_URI)\n if attributes is not None:\n self._set_element_attributes(child_elem, attr_obj=attributes)\n if text is not None:\n self._add_text(child_elem, text)\n if before_this_element:\n self.adapter.add_node_child(self.adapter.get_node_parent(self.\n impl_node), child_elem, before_sibling=self.impl_node)\n else:\n self.adapter.add_node_child(self.impl_node, child_elem)\n return self.adapter.wrap_node(child_elem, self.adapter.impl_document,\n self.adapter)\n",
"role": "user"
},
{
"content": "add_element",
"role": "assistant"
}
] |
def x(self, text):
if not isinstance(text, basestring):
text = unicode(text)
self._add_text(self.impl_node, text)
| add_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if not isinstance(text, basestring):\n text = unicode(text)\n self._add_text(self.impl_node, text)\n",
"role": "user"
},
{
"content": "add_text",
"role": "assistant"
}
] |
def x(self, target, data):
self._add_instruction(self.impl_node, target, data)
| add_instruction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, data):\n self._add_instruction(self.impl_node, target, data)\n",
"role": "user"
},
{
"content": "add_instruction",
"role": "assistant"
}
] |
def x(self):
sorted_keys = sorted(self.keys())
return [(k, self[k]) for k in sorted_keys]
| items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sorted_keys = sorted(self.keys())\n return [(k, self[k]) for k in sorted_keys]\n",
"role": "user"
},
{
"content": "items",
"role": "assistant"
}
] |
def x(self, name):
a_node = self.adapter.get_node_attribute_node(self.impl_element, name)
if a_node is None:
return None
return self.adapter.get_node_namespace_uri(a_node)
| namespace_uri | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n a_node = self.adapter.get_node_attribute_node(self.impl_element, name)\n if a_node is None:\n return None\n return self.adapter.get_node_namespace_uri(a_node)\n",
"role": "user"
},
{
"content": "namespace_uri",
"role": "assistant"
}
] |
def x(self, name):
a_node = self.adapter.get_node_attribute_node(self.impl_element, name)
if a_node is None:
return None
return a_node.prefix
| prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n a_node = self.adapter.get_node_attribute_node(self.impl_element, name)\n if a_node is None:\n return None\n return a_node.prefix\n",
"role": "user"
},
{
"content": "prefix",
"role": "assistant"
}
] |
def x(self):
return self.adapter.wrap_node(self.impl_element, self.adapter.
impl_document, self.adapter)
| element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.adapter.wrap_node(self.impl_element, self.adapter.\n impl_document, self.adapter)\n",
"role": "user"
},
{
"content": "element",
"role": "assistant"
}
] |
def x(self, local_name=None, name=None, ns_uri=None, node_type=None,
filter_fn=None, first_only=False):
if filter_fn is None:
def x(n):
if node_type is not None:
if isinstance(node_type, int):
if not n.is_type(node_type):
return False
elif n.__class__ != node_type:
return False
if name is not None and n.name != name:
return False
if local_name is not None and n.local_name != local_name:
return False
if ns_uri is not None and n.ns_uri != ns_uri:
return False
return True
nodelist = filter(filter_fn, self)
if first_only:
return nodelist[0] if nodelist else None
else:
return NodeList(nodelist)
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, local_name=None, name=None, ns_uri=None, node_type=None,\n filter_fn=None, first_only=False):\n if filter_fn is None:\n\n def x(n):\n if node_type is not None:\n if isinstance(node_type, int):\n if not n.is_type(node_type):\n return False\n elif n.__class__ != node_type:\n return False\n if name is not None and n.name != name:\n return False\n if local_name is not None and n.local_name != local_name:\n return False\n if ns_uri is not None and n.ns_uri != ns_uri:\n return False\n return True\n nodelist = filter(filter_fn, self)\n if first_only:\n return nodelist[0] if nodelist else None\n else:\n return NodeList(nodelist)\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(user, job_id):
args = schemas.args(flask.request.args.to_dict())
v1_utils.verify_existence_and_get(job_id, models.JOBS)
query = v1_utils.QueryBuilder(_TABLE, args, _A_COLUMNS)
if user.is_not_super_admin() and not user.is_read_only_user():
query.add_extra_condition(_TABLE.c.team_id.in_(user.teams_ids))
query.add_extra_condition(_TABLE.c.job_id == job_id)
nb_rows = query.get_number_of_rows()
rows = query.execute(fetchall=True)
rows = v1_utils.format_result(rows, _TABLE.name)
return flask.jsonify({'analytics': rows, '_meta': {'count': nb_rows}})
| get_all_analytics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id):\n args = schemas.args(flask.request.args.to_dict())\n v1_utils.verify_existence_and_get(job_id, models.JOBS)\n query = v1_utils.QueryBuilder(_TABLE, args, _A_COLUMNS)\n if user.is_not_super_admin() and not user.is_read_only_user():\n query.add_extra_condition(_TABLE.c.team_id.in_(user.teams_ids))\n query.add_extra_condition(_TABLE.c.job_id == job_id)\n nb_rows = query.get_number_of_rows()\n rows = query.execute(fetchall=True)\n rows = v1_utils.format_result(rows, _TABLE.name)\n return flask.jsonify({'analytics': rows, '_meta': {'count': nb_rows}})\n",
"role": "user"
},
{
"content": "get_all_analytics",
"role": "assistant"
}
] |
def x(user, job_id, anc_id):
v1_utils.verify_existence_and_get(job_id, models.JOBS)
analytic = v1_utils.verify_existence_and_get(anc_id, _TABLE)
analytic = dict(analytic)
if not user.is_in_team(analytic['team_id']):
raise dci_exc.Unauthorized()
return flask.jsonify({'analytic': analytic})
| get_analytic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, job_id, anc_id):\n v1_utils.verify_existence_and_get(job_id, models.JOBS)\n analytic = v1_utils.verify_existence_and_get(anc_id, _TABLE)\n analytic = dict(analytic)\n if not user.is_in_team(analytic['team_id']):\n raise dci_exc.Unauthorized()\n return flask.jsonify({'analytic': analytic})\n",
"role": "user"
},
{
"content": "get_analytic",
"role": "assistant"
}
] |
def x(node, writer=None, encoding='utf-8', indent=0, newline='',
omit_declaration=False, node_depth=0, quote_char='"'):
def x(value):
if not value:
return value
return value.replace('&', '&').replace('<', '<').replace('"',
'"').replace('>', '>')
def x(node, node_depth):
if node.is_document:
if not omit_declaration:
writer.write('<?xml version=%s1.0%s' % (quote_char, quote_char)
)
if encoding:
writer.write(' encoding=%s%s%s' % (quote_char, encoding,
quote_char))
writer.write('?>%s' % newline)
for child in node.children:
_write_node_impl(child, node_depth)
writer.write(newline)
elif node.is_document_type:
writer.write('<!DOCTYPE %s SYSTEM %s%s%s' % (node.name,
quote_char, node.public_id))
if node.system_id is not None:
writer.write(' %s%s%s' % (quote_char, node.system_id,
quote_char))
if node.children:
writer.write('[')
for child in node.children:
_write_node_impl(child, node_depth + 1)
writer.write(']')
writer.write('>')
elif node.is_text:
writer.write(_sanitize_write_value(node.value))
elif node.is_cdata:
if ']]>' in node.value:
raise ValueError("']]>' is not allowed in CDATA node value")
writer.write('<![CDATA[%s]]>' % node.value)
elif node.is_entity:
writer.write(newline + indent * node_depth)
writer.write('<!ENTITY ')
if node.is_paremeter_entity:
writer.write('%% ')
writer.write('%s %s%s%s>' % (node.name, quote_char, node.value,
quote_char))
elif node.is_processing_instruction:
writer.write(newline + indent * node_depth)
writer.write('<?%s %s?>' % (node.target, node.data))
elif node.is_comment:
if '--' in node.value:
raise ValueError("'--' is not allowed in COMMENT node value")
writer.write('<!--%s-->' % node.value)
elif node.is_notation:
writer.write(newline + indent * node_depth)
writer.write('<!NOTATION %s' % node.name)
if node.is_system_identifier:
writer.write(' system %s%s%s>' % (quote_char, node.
external_id, quote_char))
elif node.is_system_identifier:
writer.write(' system %s%s%s %s%s%s>' % (quote_char, node.
external_id, quote_char, quote_char, node.uri, quote_char))
elif node.is_attribute:
writer.write(' %s=%s' % (node.name, quote_char))
writer.write(_sanitize_write_value(node.value))
writer.write(quote_char)
elif node.is_element:
if node_depth > 0:
writer.write(newline)
writer.write(indent * node_depth)
writer.write('<' + node.name)
for attr in node.attribute_nodes:
_write_node_impl(attr, node_depth)
if node.children:
found_indented_child = False
writer.write('>')
for child in node.children:
_write_node_impl(child, node_depth + 1)
if not (child.is_text or child.is_comment or child.is_cdata
):
found_indented_child = True
if found_indented_child:
writer.write(newline + indent * node_depth)
writer.write('</%s>' % node.name)
else:
writer.write('/>')
else:
raise exceptions.Xml4hImplementationBug(
'Cannot write node with class: %s' % node.__class__)
if indent is True:
indent = ' ' * 4
elif indent is False:
indent = ''
elif isinstance(indent, int):
indent = ' ' * indent
if indent and not newline:
newline = True
if newline is None or newline is False:
newline = ''
elif newline is True:
newline = '\n'
if writer is None:
writer = sys.stdout
if encoding is None:
writer = writer
else:
writer = codecs.getwriter(encoding)(writer)
_write_node_impl(node, node_depth)
| write_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node, writer=None, encoding='utf-8', indent=0, newline='',\n omit_declaration=False, node_depth=0, quote_char='\"'):\n\n def x(value):\n if not value:\n return value\n return value.replace('&', '&').replace('<', '<').replace('\"',\n '"').replace('>', '>')\n\n def x(node, node_depth):\n if node.is_document:\n if not omit_declaration:\n writer.write('<?xml version=%s1.0%s' % (quote_char, quote_char)\n )\n if encoding:\n writer.write(' encoding=%s%s%s' % (quote_char, encoding,\n quote_char))\n writer.write('?>%s' % newline)\n for child in node.children:\n _write_node_impl(child, node_depth)\n writer.write(newline)\n elif node.is_document_type:\n writer.write('<!DOCTYPE %s SYSTEM %s%s%s' % (node.name,\n quote_char, node.public_id))\n if node.system_id is not None:\n writer.write(' %s%s%s' % (quote_char, node.system_id,\n quote_char))\n if node.children:\n writer.write('[')\n for child in node.children:\n _write_node_impl(child, node_depth + 1)\n writer.write(']')\n writer.write('>')\n elif node.is_text:\n writer.write(_sanitize_write_value(node.value))\n elif node.is_cdata:\n if ']]>' in node.value:\n raise ValueError(\"']]>' is not allowed in CDATA node value\")\n writer.write('<![CDATA[%s]]>' % node.value)\n elif node.is_entity:\n writer.write(newline + indent * node_depth)\n writer.write('<!ENTITY ')\n if node.is_paremeter_entity:\n writer.write('%% ')\n writer.write('%s %s%s%s>' % (node.name, quote_char, node.value,\n quote_char))\n elif node.is_processing_instruction:\n writer.write(newline + indent * node_depth)\n writer.write('<?%s %s?>' % (node.target, node.data))\n elif node.is_comment:\n if '--' in node.value:\n raise ValueError(\"'--' is not allowed in COMMENT node value\")\n writer.write('<!--%s-->' % node.value)\n elif node.is_notation:\n writer.write(newline + indent * node_depth)\n writer.write('<!NOTATION %s' % node.name)\n if node.is_system_identifier:\n writer.write(' system %s%s%s>' % (quote_char, node.\n external_id, quote_char))\n elif node.is_system_identifier:\n writer.write(' system %s%s%s %s%s%s>' % (quote_char, node.\n external_id, quote_char, quote_char, node.uri, quote_char))\n elif node.is_attribute:\n writer.write(' %s=%s' % (node.name, quote_char))\n writer.write(_sanitize_write_value(node.value))\n writer.write(quote_char)\n elif node.is_element:\n if node_depth > 0:\n writer.write(newline)\n writer.write(indent * node_depth)\n writer.write('<' + node.name)\n for attr in node.attribute_nodes:\n _write_node_impl(attr, node_depth)\n if node.children:\n found_indented_child = False\n writer.write('>')\n for child in node.children:\n _write_node_impl(child, node_depth + 1)\n if not (child.is_text or child.is_comment or child.is_cdata\n ):\n found_indented_child = True\n if found_indented_child:\n writer.write(newline + indent * node_depth)\n writer.write('</%s>' % node.name)\n else:\n writer.write('/>')\n else:\n raise exceptions.Xml4hImplementationBug(\n 'Cannot write node with class: %s' % node.__class__)\n if indent is True:\n indent = ' ' * 4\n elif indent is False:\n indent = ''\n elif isinstance(indent, int):\n indent = ' ' * indent\n if indent and not newline:\n newline = True\n if newline is None or newline is False:\n newline = ''\n elif newline is True:\n newline = '\\n'\n if writer is None:\n writer = sys.stdout\n if encoding is None:\n writer = writer\n else:\n writer = codecs.getwriter(encoding)(writer)\n _write_node_impl(node, node_depth)\n",
"role": "user"
},
{
"content": "write_node",
"role": "assistant"
}
] |
def x(chunk, key, algo, bool_encry, assoc_data):
engine = botan.cipher(algo=algo, encrypt=bool_encry)
engine.set_key(key=key)
engine.set_assoc_data(assoc_data)
if bool_encry is True:
nonce = generate_nonce_timestamp()
engine.start(nonce=nonce)
return nonce + engine.finish(chunk)
else:
nonce = chunk[:__nonce_length__]
encryptedchunk = chunk[__nonce_length__:__nonce_length__ +
__gcmtag_length__ + __chunk_size__]
engine.start(nonce=nonce)
decryptedchunk = engine.finish(encryptedchunk)
if decryptedchunk == b'':
raise Exception(
'Integrity failure: Invalid passphrase or corrupted data')
return decryptedchunk
| encry_decry_chunk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chunk, key, algo, bool_encry, assoc_data):\n engine = botan.cipher(algo=algo, encrypt=bool_encry)\n engine.set_key(key=key)\n engine.set_assoc_data(assoc_data)\n if bool_encry is True:\n nonce = generate_nonce_timestamp()\n engine.start(nonce=nonce)\n return nonce + engine.finish(chunk)\n else:\n nonce = chunk[:__nonce_length__]\n encryptedchunk = chunk[__nonce_length__:__nonce_length__ +\n __gcmtag_length__ + __chunk_size__]\n engine.start(nonce=nonce)\n decryptedchunk = engine.finish(encryptedchunk)\n if decryptedchunk == b'':\n raise Exception(\n 'Integrity failure: Invalid passphrase or corrupted data')\n return decryptedchunk\n",
"role": "user"
},
{
"content": "encry_decry_chunk",
"role": "assistant"
}
] |
def x(self):
scheme = urlparse(self.url).scheme
netloc = urlparse(self.url).netloc
query = urlparse(self.url).query
if scheme not in ('http', 'https'):
return
for item in query.split('&'):
if 'id=' in item:
ticket_id = item.split('=')[1]
break
else:
return
bugzilla_url = '%s://%s/%s%s' % (scheme, netloc, _URI_BASE, ticket_id)
result = requests.get(bugzilla_url)
self.status_code = result.status_code
if result.status_code == 200:
tree = ElementTree.fromstring(result.content)
self.title = tree.findall('./bug/short_desc').pop().text
self.issue_id = tree.findall('./bug/bug_id').pop().text
self.reporter = tree.findall('./bug/reporter').pop().text
self.assignee = tree.findall('./bug/assigned_to').pop().text
self.status = tree.findall('./bug/bug_status').pop().text
self.product = tree.findall('./bug/product').pop().text
self.component = tree.findall('./bug/component').pop().text
self.created_at = tree.findall('./bug/creation_ts').pop().text
self.updated_at = tree.findall('./bug/delta_ts').pop().text
try:
self.closed_at = tree.findall('./bug/cf_last_closed').pop().text
except IndexError:
pass
| retrieve_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scheme = urlparse(self.url).scheme\n netloc = urlparse(self.url).netloc\n query = urlparse(self.url).query\n if scheme not in ('http', 'https'):\n return\n for item in query.split('&'):\n if 'id=' in item:\n ticket_id = item.split('=')[1]\n break\n else:\n return\n bugzilla_url = '%s://%s/%s%s' % (scheme, netloc, _URI_BASE, ticket_id)\n result = requests.get(bugzilla_url)\n self.status_code = result.status_code\n if result.status_code == 200:\n tree = ElementTree.fromstring(result.content)\n self.title = tree.findall('./bug/short_desc').pop().text\n self.issue_id = tree.findall('./bug/bug_id').pop().text\n self.reporter = tree.findall('./bug/reporter').pop().text\n self.assignee = tree.findall('./bug/assigned_to').pop().text\n self.status = tree.findall('./bug/bug_status').pop().text\n self.product = tree.findall('./bug/product').pop().text\n self.component = tree.findall('./bug/component').pop().text\n self.created_at = tree.findall('./bug/creation_ts').pop().text\n self.updated_at = tree.findall('./bug/delta_ts').pop().text\n try:\n self.closed_at = tree.findall('./bug/cf_last_closed').pop().text\n except IndexError:\n pass\n",
"role": "user"
},
{
"content": "retrieve_info",
"role": "assistant"
}
] |
def x(min_length, strict=False):
if strict:
def x(x):
if len(x) > min_length:
return True
else:
raise TooShort(wrong_value=x, min_length=min_length, strict
=True)
else:
def x(x):
if len(x) >= min_length:
return True
else:
raise TooShort(wrong_value=x, min_length=min_length, strict
=False)
minlen_.__name__ = 'length_{}greater_than_{}'.format('strictly_' if
strict else '', min_length)
return minlen_
| minlen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_length, strict=False):\n if strict:\n\n def x(x):\n if len(x) > min_length:\n return True\n else:\n raise TooShort(wrong_value=x, min_length=min_length, strict\n =True)\n else:\n\n def x(x):\n if len(x) >= min_length:\n return True\n else:\n raise TooShort(wrong_value=x, min_length=min_length, strict\n =False)\n minlen_.__name__ = 'length_{}greater_than_{}'.format('strictly_' if\n strict else '', min_length)\n return minlen_\n",
"role": "user"
},
{
"content": "minlen",
"role": "assistant"
}
] |
def x(max_length, strict=False):
if strict:
def x(x):
if len(x) < max_length:
return True
else:
raise TooLong(wrong_value=x, max_length=max_length, strict=True
)
else:
def x(x):
if len(x) <= max_length:
return True
else:
raise TooLong(wrong_value=x, max_length=max_length, strict=
False)
maxlen_.__name__ = 'length_{}lesser_than_{}'.format('strictly_' if
strict else '', max_length)
return maxlen_
| maxlen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_length, strict=False):\n if strict:\n\n def x(x):\n if len(x) < max_length:\n return True\n else:\n raise TooLong(wrong_value=x, max_length=max_length, strict=True\n )\n else:\n\n def x(x):\n if len(x) <= max_length:\n return True\n else:\n raise TooLong(wrong_value=x, max_length=max_length, strict=\n False)\n maxlen_.__name__ = 'length_{}lesser_than_{}'.format('strictly_' if\n strict else '', max_length)\n return maxlen_\n",
"role": "user"
},
{
"content": "maxlen",
"role": "assistant"
}
] |
def x(ref_length):
def x(x):
if len(x) == ref_length:
return True
else:
raise WrongLength(wrong_value=x, ref_length=ref_length)
has_length_.__name__ = 'length_equals_{}'.format(ref_length)
return has_length_
| has_length | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref_length):\n\n def x(x):\n if len(x) == ref_length:\n return True\n else:\n raise WrongLength(wrong_value=x, ref_length=ref_length)\n has_length_.__name__ = 'length_equals_{}'.format(ref_length)\n return has_length_\n",
"role": "user"
},
{
"content": "has_length",
"role": "assistant"
}
] |
def x(min_len, max_len, open_left=False, open_right=False):
if open_left and open_right:
def x(x):
if min_len < len(x) and len(x) < max_len:
return True
else:
raise LengthNotInRange(wrong_value=x, min_length=min_len,
left_strict=True, max_length=max_len, right_strict=True)
elif open_left:
def x(x):
if min_len < len(x) and len(x) <= max_len:
return True
else:
raise LengthNotInRange(wrong_value=x, min_length=min_len,
left_strict=True, max_length=max_len, right_strict=False)
elif open_right:
def x(x):
if min_len <= len(x) and len(x) < max_len:
return True
else:
raise LengthNotInRange(wrong_value=x, min_length=min_len,
left_strict=False, max_length=max_len, right_strict=True)
else:
def x(x):
if min_len <= len(x) and len(x) <= max_len:
return True
else:
raise LengthNotInRange(wrong_value=x, min_length=min_len,
left_strict=False, max_length=max_len, right_strict=False)
length_between_.__name__ = 'length_between_{}_and_{}'.format(min_len,
max_len)
return length_between_
| length_between | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_len, max_len, open_left=False, open_right=False):\n if open_left and open_right:\n\n def x(x):\n if min_len < len(x) and len(x) < max_len:\n return True\n else:\n raise LengthNotInRange(wrong_value=x, min_length=min_len,\n left_strict=True, max_length=max_len, right_strict=True)\n elif open_left:\n\n def x(x):\n if min_len < len(x) and len(x) <= max_len:\n return True\n else:\n raise LengthNotInRange(wrong_value=x, min_length=min_len,\n left_strict=True, max_length=max_len, right_strict=False)\n elif open_right:\n\n def x(x):\n if min_len <= len(x) and len(x) < max_len:\n return True\n else:\n raise LengthNotInRange(wrong_value=x, min_length=min_len,\n left_strict=False, max_length=max_len, right_strict=True)\n else:\n\n def x(x):\n if min_len <= len(x) and len(x) <= max_len:\n return True\n else:\n raise LengthNotInRange(wrong_value=x, min_length=min_len,\n left_strict=False, max_length=max_len, right_strict=False)\n length_between_.__name__ = 'length_between_{}_and_{}'.format(min_len,\n max_len)\n return length_between_\n",
"role": "user"
},
{
"content": "length_between",
"role": "assistant"
}
] |
def x(allowed_values):
def x(x):
if x in allowed_values:
return True
else:
raise NotInAllowedValues(wrong_value=x, allowed_values=
allowed_values)
is_in_allowed_values.__name__ = 'is_in_{}'.format(allowed_values)
return is_in_allowed_values
| is_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(allowed_values):\n\n def x(x):\n if x in allowed_values:\n return True\n else:\n raise NotInAllowedValues(wrong_value=x, allowed_values=\n allowed_values)\n is_in_allowed_values.__name__ = 'is_in_{}'.format(allowed_values)\n return is_in_allowed_values\n",
"role": "user"
},
{
"content": "is_in",
"role": "assistant"
}
] |
def x(reference_set):
def x(x):
missing = x - reference_set
if len(missing) == 0:
return True
else:
raise NotSubset(wrong_value=x, reference_set=reference_set,
unsupported=missing)
is_subset_of.__name__ = 'is_subset_of_{}'.format(reference_set)
return is_subset_of
| is_subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_set):\n\n def x(x):\n missing = x - reference_set\n if len(missing) == 0:\n return True\n else:\n raise NotSubset(wrong_value=x, reference_set=reference_set,\n unsupported=missing)\n is_subset_of.__name__ = 'is_subset_of_{}'.format(reference_set)\n return is_subset_of\n",
"role": "user"
},
{
"content": "is_subset",
"role": "assistant"
}
] |
def x(ref_value):
def x(x):
if ref_value in x:
return True
else:
raise DoesNotContainValue(wrong_value=x, ref_value=ref_value)
contains_ref_value.__name__ = 'contains_{}'.format(ref_value)
return contains_ref_value
| contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref_value):\n\n def x(x):\n if ref_value in x:\n return True\n else:\n raise DoesNotContainValue(wrong_value=x, ref_value=ref_value)\n contains_ref_value.__name__ = 'contains_{}'.format(ref_value)\n return contains_ref_value\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(reference_set):
def x(x):
missing = reference_set - x
if len(missing) == 0:
return True
else:
raise NotSuperset(wrong_value=x, reference_set=reference_set,
missing=missing)
is_superset_of.__name__ = 'is_superset_of_{}'.format(reference_set)
return is_superset_of
| is_superset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reference_set):\n\n def x(x):\n missing = reference_set - x\n if len(missing) == 0:\n return True\n else:\n raise NotSuperset(wrong_value=x, reference_set=reference_set,\n missing=missing)\n is_superset_of.__name__ = 'is_superset_of_{}'.format(reference_set)\n return is_superset_of\n",
"role": "user"
},
{
"content": "is_superset",
"role": "assistant"
}
] |
def x(*validation_func):
validation_function_func = _process_validation_function_s(list(
validation_func))
def x(x):
for idx, x_elt in enumerate(x):
try:
res = validation_function_func(x_elt)
except Exception as e:
raise InvalidItemInSequence(wrong_value=x_elt, wrapped_func
=validation_function_func, validation_outcome=e)
if not result_is_success(res):
raise InvalidItemInSequence(wrong_value=x_elt, wrapped_func
=validation_function_func, validation_outcome=res)
return True
on_all_val.__name__ = 'apply_<{}>_on_all_elts'.format(get_callable_name
(validation_function_func))
return on_all_val
| on_all_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_func):\n validation_function_func = _process_validation_function_s(list(\n validation_func))\n\n def x(x):\n for idx, x_elt in enumerate(x):\n try:\n res = validation_function_func(x_elt)\n except Exception as e:\n raise InvalidItemInSequence(wrong_value=x_elt, wrapped_func\n =validation_function_func, validation_outcome=e)\n if not result_is_success(res):\n raise InvalidItemInSequence(wrong_value=x_elt, wrapped_func\n =validation_function_func, validation_outcome=res)\n return True\n on_all_val.__name__ = 'apply_<{}>_on_all_elts'.format(get_callable_name\n (validation_function_func))\n return on_all_val\n",
"role": "user"
},
{
"content": "on_all_",
"role": "assistant"
}
] |
def x(*validation_functions_collection):
validation_function_funcs = tuple(_process_validation_function_s(
validation_func) for validation_func in validation_functions_collection
)
def x(x):
if len(validation_function_funcs) != len(x):
raise Failure(
'on_each_: x does not have the same number of elements than validation_functions_collection.'
)
else:
idx = -1
for elt, validation_function_func in zip(x,
validation_function_funcs):
idx += 1
try:
res = validation_function_func(elt)
except Exception as e:
raise InvalidItemInSequence(wrong_value=elt,
wrapped_func=validation_function_func,
validation_outcome=e)
if not result_is_success(res):
raise InvalidItemInSequence(wrong_value=elt,
wrapped_func=validation_function_func,
validation_outcome=res)
return True
on_each_val.__name__ = 'map_<{}>_on_elts'.format('(' + ', '.join([
get_callable_name(f) for f in validation_function_funcs]) + ')')
return on_each_val
| on_each_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*validation_functions_collection):\n validation_function_funcs = tuple(_process_validation_function_s(\n validation_func) for validation_func in validation_functions_collection\n )\n\n def x(x):\n if len(validation_function_funcs) != len(x):\n raise Failure(\n 'on_each_: x does not have the same number of elements than validation_functions_collection.'\n )\n else:\n idx = -1\n for elt, validation_function_func in zip(x,\n validation_function_funcs):\n idx += 1\n try:\n res = validation_function_func(elt)\n except Exception as e:\n raise InvalidItemInSequence(wrong_value=elt,\n wrapped_func=validation_function_func,\n validation_outcome=e)\n if not result_is_success(res):\n raise InvalidItemInSequence(wrong_value=elt,\n wrapped_func=validation_function_func,\n validation_outcome=res)\n return True\n on_each_val.__name__ = 'map_<{}>_on_elts'.format('(' + ', '.join([\n get_callable_name(f) for f in validation_function_funcs]) + ')')\n return on_each_val\n",
"role": "user"
},
{
"content": "on_each_",
"role": "assistant"
}
] |
def x(user, sequence):
args = schemas.args(flask.request.args.to_dict())
if user.is_not_super_admin():
raise dci_exc.Unauthorized()
query = sql.select([models.JOBS_EVENTS]).select_from(models.JOBS_EVENTS
.join(models.JOBS, models.JOBS.c.id == models.JOBS_EVENTS.c.job_id)
).where(_TABLE.c.id >= sequence)
sort_list = v1_utils.sort_query(args['sort'], _JOBS_EVENTS_COLUMNS,
default='created_at')
query = v1_utils.add_sort_to_query(query, sort_list)
if args.get('limit', None):
query = query.limit(args.get('limit'))
if args.get('offset', None):
query = query.offset(args.get('offset'))
rows = flask.g.db_conn.execute(query).fetchall()
query_nb_rows = sql.select([func.count(models.JOBS_EVENTS.c.id)])
nb_rows = flask.g.db_conn.execute(query_nb_rows).scalar()
return json.jsonify({'jobs_events': rows, '_meta': {'count': nb_rows}})
| get_jobs_events_from_sequence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user, sequence):\n args = schemas.args(flask.request.args.to_dict())\n if user.is_not_super_admin():\n raise dci_exc.Unauthorized()\n query = sql.select([models.JOBS_EVENTS]).select_from(models.JOBS_EVENTS\n .join(models.JOBS, models.JOBS.c.id == models.JOBS_EVENTS.c.job_id)\n ).where(_TABLE.c.id >= sequence)\n sort_list = v1_utils.sort_query(args['sort'], _JOBS_EVENTS_COLUMNS,\n default='created_at')\n query = v1_utils.add_sort_to_query(query, sort_list)\n if args.get('limit', None):\n query = query.limit(args.get('limit'))\n if args.get('offset', None):\n query = query.offset(args.get('offset'))\n rows = flask.g.db_conn.execute(query).fetchall()\n query_nb_rows = sql.select([func.count(models.JOBS_EVENTS.c.id)])\n nb_rows = flask.g.db_conn.execute(query_nb_rows).scalar()\n return json.jsonify({'jobs_events': rows, '_meta': {'count': nb_rows}})\n",
"role": "user"
},
{
"content": "get_jobs_events_from_sequence",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.