source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(migrate):
errors = []
from alembic.migration import MigrationContext
from alembic.script import ScriptDirectory
from sqlalchemy.exc import DBAPIError, SQLAlchemyError
config = migrate.get_config(directory=migrate.directory)
script = ScriptDirectory.from_config(config)
try:
with migrate.db.engine.connect() as connection:
context = MigrationContext.configure(connection)
db_heads = set(context.get_current_heads())
script_heads = set(script.get_heads())
except (DBAPIError, SQLAlchemyError) as e:
msg = "Can't connect to database to check migrations: {!s}".format(e)
return [Info(msg, id=health.INFO_CANT_CHECK_MIGRATIONS)]
if db_heads != script_heads:
msg = 'Unapplied migrations found: {}'.format(', '.join(script_heads))
errors.append(Warning(msg, id=health.WARNING_UNAPPLIED_MIGRATION))
return errors
| check_migrations_applied | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(migrate):\n errors = []\n from alembic.migration import MigrationContext\n from alembic.script import ScriptDirectory\n from sqlalchemy.exc import DBAPIError, SQLAlchemyError\n config = migrate.get_config(directory=migrate.directory)\n script = ScriptDirectory.from_config(config)\n try:\n with migrate.db.engine.connect() as connection:\n context = MigrationContext.configure(connection)\n db_heads = set(context.get_current_heads())\n script_heads = set(script.get_heads())\n except (DBAPIError, SQLAlchemyError) as e:\n msg = \"Can't connect to database to check migrations: {!s}\".format(e)\n return [Info(msg, id=health.INFO_CANT_CHECK_MIGRATIONS)]\n if db_heads != script_heads:\n msg = 'Unapplied migrations found: {}'.format(', '.join(script_heads))\n errors.append(Warning(msg, id=health.WARNING_UNAPPLIED_MIGRATION))\n return errors\n",
"role": "user"
},
{
"content": "check_migrations_applied",
"role": "assistant"
}
] |
def x(client):
import redis
errors = []
try:
result = client.ping()
except redis.ConnectionError as e:
msg = 'Could not connect to redis: {!s}'.format(e)
errors.append(Error(msg, id=health.ERROR_CANNOT_CONNECT_REDIS))
except redis.RedisError as e:
errors.append(Error('Redis error: "{!s}"'.format(e), id=health.
ERROR_REDIS_EXCEPTION))
else:
if not result:
errors.append(Error('Redis ping failed', id=health.
ERROR_REDIS_PING_FAILED))
return errors
| check_redis_connected | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client):\n import redis\n errors = []\n try:\n result = client.ping()\n except redis.ConnectionError as e:\n msg = 'Could not connect to redis: {!s}'.format(e)\n errors.append(Error(msg, id=health.ERROR_CANNOT_CONNECT_REDIS))\n except redis.RedisError as e:\n errors.append(Error('Redis error: \"{!s}\"'.format(e), id=health.\n ERROR_REDIS_EXCEPTION))\n else:\n if not result:\n errors.append(Error('Redis ping failed', id=health.\n ERROR_REDIS_PING_FAILED))\n return errors\n",
"role": "user"
},
{
"content": "check_redis_connected",
"role": "assistant"
}
] |
def x(auth, url, name=None, headers=HEADERS):
if name is None:
get_custom_view_url = (
'/imcrs/plat/res/view/custom?resPrivilegeFilter=false&desc=false&total=false'
)
elif name is not None:
get_custom_view_url = (
'/imcrs/plat/res/view/custom?resPrivilegeFilter=false&name=' +
name + '&desc=false&total=false')
f_url = url + get_custom_view_url
r = requests.get(f_url, auth=auth, headers=headers)
try:
if r.status_code == 200:
custom_view_list = json.loads(r.text)['customView']
if type(custom_view_list) == dict:
custom_view_list = [custom_view_list]
return custom_view_list
else:
return custom_view_list
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_custom_views: An Error has occured'
| get_custom_views | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, name=None, headers=HEADERS):\n if name is None:\n get_custom_view_url = (\n '/imcrs/plat/res/view/custom?resPrivilegeFilter=false&desc=false&total=false'\n )\n elif name is not None:\n get_custom_view_url = (\n '/imcrs/plat/res/view/custom?resPrivilegeFilter=false&name=' +\n name + '&desc=false&total=false')\n f_url = url + get_custom_view_url\n r = requests.get(f_url, auth=auth, headers=headers)\n try:\n if r.status_code == 200:\n custom_view_list = json.loads(r.text)['customView']\n if type(custom_view_list) == dict:\n custom_view_list = [custom_view_list]\n return custom_view_list\n else:\n return custom_view_list\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_custom_views: An Error has occured'\n",
"role": "user"
},
{
"content": "get_custom_views",
"role": "assistant"
}
] |
def x(auth, url, name=None, upperview=None):
create_custom_views_url = (
'/imcrs/plat/res/view/custom?resPrivilegeFilter=false&desc=false&total=false'
)
f_url = url + create_custom_views_url
if upperview is None:
payload = '{ "name": "' + name + """",
"upLevelSymbolId" : ""}"""
print(payload)
else:
parentviewid = get_custom_views(auth, url, upperview)[0]['symbolId']
payload = ('{ "name": "' + name +
"""",
"upLevelSymbolId" : \"""" + str(parentviewid) + '"}')
print(payload)
r = requests.post(f_url, data=payload, auth=auth, headers=HEADERS)
try:
if r.status_code == 201:
return 'View ' + name + ' created successfully'
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_custom_views: An Error has occured'
| create_custom_views | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, name=None, upperview=None):\n create_custom_views_url = (\n '/imcrs/plat/res/view/custom?resPrivilegeFilter=false&desc=false&total=false'\n )\n f_url = url + create_custom_views_url\n if upperview is None:\n payload = '{ \"name\": \"' + name + \"\"\"\",\n \"upLevelSymbolId\" : \"\"}\"\"\"\n print(payload)\n else:\n parentviewid = get_custom_views(auth, url, upperview)[0]['symbolId']\n payload = ('{ \"name\": \"' + name +\n \"\"\"\",\n \"upLevelSymbolId\" : \\\"\"\"\" + str(parentviewid) + '\"}')\n print(payload)\n r = requests.post(f_url, data=payload, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 201:\n return 'View ' + name + ' created successfully'\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_custom_views: An Error has occured'\n",
"role": "user"
},
{
"content": "create_custom_views",
"role": "assistant"
}
] |
def x(devid, auth, url):
get_dev_run_url = '/imcrs/icc/deviceCfg/' + str(devid) + '/currentRun'
f_url = url + get_dev_run_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
try:
run_conf = json.loads(r.text)['content']
return run_conf
except:
return 'This features is no supported on this device'
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e
) + ' get_dev_run_config: An Error has occured'
| get_dev_run_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devid, auth, url):\n get_dev_run_url = '/imcrs/icc/deviceCfg/' + str(devid) + '/currentRun'\n f_url = url + get_dev_run_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n try:\n run_conf = json.loads(r.text)['content']\n return run_conf\n except:\n return 'This features is no supported on this device'\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e\n ) + ' get_dev_run_config: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_run_config",
"role": "assistant"
}
] |
def x(devId, auth, url):
get_dev_run_url = '/imcrs/icc/deviceCfg/' + str(devId) + '/currentStart'
f_url = url + get_dev_run_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
try:
start_conf = json.loads(r.text)['content']
return start_conf
except:
return 'Start Conf not supported on this device'
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e
) + ' get_dev_run_config: An Error has occured'
| get_dev_start_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devId, auth, url):\n get_dev_run_url = '/imcrs/icc/deviceCfg/' + str(devId) + '/currentStart'\n f_url = url + get_dev_run_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n try:\n start_conf = json.loads(r.text)['content']\n return start_conf\n except:\n return 'Start Conf not supported on this device'\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e\n ) + ' get_dev_run_config: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_start_config",
"role": "assistant"
}
] |
def x(devid, ifindex, auth, url):
set_int_up_url = '/imcrs/plat/res/device/' + str(devid
) + '/interface/' + str(ifindex) + '/up'
f_url = url + set_int_up_url
try:
r = requests.put(f_url, auth=auth, headers=HEADERS)
if r.status_code == 204:
return r.status_code
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' set_inteface_up: An Error has occured'
| set_inteface_up | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devid, ifindex, auth, url):\n set_int_up_url = '/imcrs/plat/res/device/' + str(devid\n ) + '/interface/' + str(ifindex) + '/up'\n f_url = url + set_int_up_url\n try:\n r = requests.put(f_url, auth=auth, headers=HEADERS)\n if r.status_code == 204:\n return r.status_code\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' set_inteface_up: An Error has occured'\n",
"role": "user"
},
{
"content": "set_inteface_up",
"role": "assistant"
}
] |
def x(access_key):
fields = [('Name', 'name'), ('Created At', 'created_at'), ('Last Used',
'last_used'), ('Max Files', 'max_files'), ('Max Size', 'max_size')]
if access_key is None:
q = 'query { vfolders { $fields } }'
else:
q = 'query($ak:String) { vfolders(access_key:$ak) { $fields } }'
q = q.replace('$fields', ' '.join(item[1] for item in fields))
v = {'ak': access_key}
with Session() as session:
try:
resp = session.Admin.query(q, v)
except Exception as e:
print_error(e)
sys.exit(1)
print(tabulate((item.values() for item in resp['vfolders']),
headers=(item[0] for item in fields)))
| vfolders | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_key):\n fields = [('Name', 'name'), ('Created At', 'created_at'), ('Last Used',\n 'last_used'), ('Max Files', 'max_files'), ('Max Size', 'max_size')]\n if access_key is None:\n q = 'query { vfolders { $fields } }'\n else:\n q = 'query($ak:String) { vfolders(access_key:$ak) { $fields } }'\n q = q.replace('$fields', ' '.join(item[1] for item in fields))\n v = {'ak': access_key}\n with Session() as session:\n try:\n resp = session.Admin.query(q, v)\n except Exception as e:\n print_error(e)\n sys.exit(1)\n print(tabulate((item.values() for item in resp['vfolders']),\n headers=(item[0] for item in fields)))\n",
"role": "user"
},
{
"content": "vfolders",
"role": "assistant"
}
] |
def x():
config = get_config()
print('Client version: {0}'.format(click.style(__version__, bold=True)))
print('API endpoint: {0}'.format(click.style(str(config.endpoint), bold
=True)))
print('API version: {0}'.format(click.style(config.version, bold=True)))
print('Access key: "{0}"'.format(click.style(config.access_key, bold=True))
)
masked_skey = config.secret_key[:6] + '*' * 24 + config.secret_key[-10:]
print('Secret key: "{0}"'.format(click.style(masked_skey, bold=True)))
print('Signature hash type: {0}'.format(click.style(config.hash_type,
bold=True)))
print('Skip SSL certificate validation? {0}'.format(click.style(str(
config.skip_sslcert_validation), bold=True)))
| config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n config = get_config()\n print('Client version: {0}'.format(click.style(__version__, bold=True)))\n print('API endpoint: {0}'.format(click.style(str(config.endpoint), bold\n =True)))\n print('API version: {0}'.format(click.style(config.version, bold=True)))\n print('Access key: \"{0}\"'.format(click.style(config.access_key, bold=True))\n )\n masked_skey = config.secret_key[:6] + '*' * 24 + config.secret_key[-10:]\n print('Secret key: \"{0}\"'.format(click.style(masked_skey, bold=True)))\n print('Signature hash type: {0}'.format(click.style(config.hash_type,\n bold=True)))\n print('Skip SSL certificate validation? {0}'.format(click.style(str(\n config.skip_sslcert_validation), bold=True)))\n",
"role": "user"
},
{
"content": "config",
"role": "assistant"
}
] |
def x(auth, url):
get_system_vendors_url = (
'/imcrs/plat/res/vendor?start=0&size=10000&orderBy=id&desc=false&total=false'
)
f_url = url + get_system_vendors_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
system_vendors = json.loads(r.text)
return system_vendors['deviceVendor']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_details: An Error has occured'
| get_system_vendors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n get_system_vendors_url = (\n '/imcrs/plat/res/vendor?start=0&size=10000&orderBy=id&desc=false&total=false'\n )\n f_url = url + get_system_vendors_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n system_vendors = json.loads(r.text)\n return system_vendors['deviceVendor']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_system_vendors",
"role": "assistant"
}
] |
def x(auth, url):
get_system_category_url = (
'/imcrs/plat/res/category?start=0&size=10000&orderBy=id&desc=false&total=false'
)
f_url = url + get_system_category_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
system_category = json.loads(r.text)
return system_category['deviceCategory']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_details: An Error has occured'
| get_system_category | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n get_system_category_url = (\n '/imcrs/plat/res/category?start=0&size=10000&orderBy=id&desc=false&total=false'\n )\n f_url = url + get_system_category_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n system_category = json.loads(r.text)\n return system_category['deviceCategory']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_system_category",
"role": "assistant"
}
] |
def x(auth, url):
get_system_device_model_url = (
'/imcrs/plat/res/model?start=0&size=10000&orderBy=id&desc=false&total=false'
)
f_url = url + get_system_device_model_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
system_device_model = json.loads(r.text)
return system_device_model['deviceModel']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_details: An Error has occured'
| get_system_device_models | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n get_system_device_model_url = (\n '/imcrs/plat/res/model?start=0&size=10000&orderBy=id&desc=false&total=false'\n )\n f_url = url + get_system_device_model_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n system_device_model = json.loads(r.text)\n return system_device_model['deviceModel']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_system_device_models",
"role": "assistant"
}
] |
def x(auth, url):
get_system_series_url = (
'/imcrs/plat/res/series?managedOnly=false&start=0&size=10000&orderBy=id&desc=false&total=false'
)
f_url = url + get_system_series_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
system_series = json.loads(r.text)
return system_series['deviceSeries']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_series: An Error has occured'
| get_system_series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n get_system_series_url = (\n '/imcrs/plat/res/series?managedOnly=false&start=0&size=10000&orderBy=id&desc=false&total=false'\n )\n f_url = url + get_system_series_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n system_series = json.loads(r.text)\n return system_series['deviceSeries']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_series: An Error has occured'\n",
"role": "user"
},
{
"content": "get_system_series",
"role": "assistant"
}
] |
def x(auth, url, network_address=None):
if network_address != None:
get_all_devs_url = (
'/imcrs/plat/res/device?resPrivilegeFilter=false&ip=' + str(
network_address) +
'&start=0&size=1000&orderBy=id&desc=false&total=false')
else:
get_all_devs_url = (
'/imcrs/plat/res/device?resPrivilegeFilter=false&start=0&size=1000&orderBy=id&desc=false&total=false&exact=false'
)
f_url = url + get_all_devs_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
dev_details = json.loads(r.text)
if len(dev_details) == 0:
print('Device not found')
return 'Device not found'
else:
return dev_details['device']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_details: An Error has occured'
| get_all_devs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, network_address=None):\n if network_address != None:\n get_all_devs_url = (\n '/imcrs/plat/res/device?resPrivilegeFilter=false&ip=' + str(\n network_address) +\n '&start=0&size=1000&orderBy=id&desc=false&total=false')\n else:\n get_all_devs_url = (\n '/imcrs/plat/res/device?resPrivilegeFilter=false&start=0&size=1000&orderBy=id&desc=false&total=false&exact=false'\n )\n f_url = url + get_all_devs_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n dev_details = json.loads(r.text)\n if len(dev_details) == 0:\n print('Device not found')\n return 'Device not found'\n else:\n return dev_details['device']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_all_devs",
"role": "assistant"
}
] |
def x(ip_address, auth, url):
get_dev_details_url = (
'/imcrs/plat/res/device?resPrivilegeFilter=false&ip=' + str(
ip_address) + '&start=0&size=1000&orderBy=id&desc=false&total=false')
f_url = url + get_dev_details_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
dev_details = json.loads(r.text)
if len(dev_details) == 0:
print('Device not found')
return 'Device not found'
elif type(dev_details['device']) == list:
for i in dev_details['device']:
if i['ip'] == ip_address:
dev_details = i
return dev_details
elif type(dev_details['device']) == dict:
return dev_details['device']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_details: An Error has occured'
| get_dev_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip_address, auth, url):\n get_dev_details_url = (\n '/imcrs/plat/res/device?resPrivilegeFilter=false&ip=' + str(\n ip_address) + '&start=0&size=1000&orderBy=id&desc=false&total=false')\n f_url = url + get_dev_details_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n dev_details = json.loads(r.text)\n if len(dev_details) == 0:\n print('Device not found')\n return 'Device not found'\n elif type(dev_details['device']) == list:\n for i in dev_details['device']:\n if i['ip'] == ip_address:\n dev_details = i\n return dev_details\n elif type(dev_details['device']) == dict:\n return dev_details['device']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_details",
"role": "assistant"
}
] |
def x(devid, auth, url):
get_dev_interface_url = '/imcrs/plat/res/device/' + str(devid
) + '/interface?start=0&size=1000&desc=false&total=false'
f_url = url + get_dev_interface_url
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
int_list = json.loads(r.text)['interface']
return int_list
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_interface: An Error has occured'
| get_dev_interface | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devid, auth, url):\n get_dev_interface_url = '/imcrs/plat/res/device/' + str(devid\n ) + '/interface?start=0&size=1000&desc=false&total=false'\n f_url = url + get_dev_interface_url\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n int_list = json.loads(r.text)['interface']\n return int_list\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_interface: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_interface",
"role": "assistant"
}
] |
def x(devid, auth, url):
get_dev_mac_learn_url = '/imcrs/res/access/ipMacLearn/' + str(devid)
f_url = url + get_dev_mac_learn_url
try:
r = requests.get(f_url, auth=auth, headers=HEADERS)
if r.status_code == 200:
if len(r.text) < 1:
mac_learn_query = {}
return mac_learn_query
else:
mac_learn_query = json.loads(r.text)['ipMacLearnResult']
return mac_learn_query
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_mac_learn: An Error has occured'
| get_dev_mac_learn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devid, auth, url):\n get_dev_mac_learn_url = '/imcrs/res/access/ipMacLearn/' + str(devid)\n f_url = url + get_dev_mac_learn_url\n try:\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n if r.status_code == 200:\n if len(r.text) < 1:\n mac_learn_query = {}\n return mac_learn_query\n else:\n mac_learn_query = json.loads(r.text)['ipMacLearnResult']\n return mac_learn_query\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_mac_learn: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_mac_learn",
"role": "assistant"
}
] |
def x(devid, cmd_list, auth, url):
run_dev_cmd_url = '/imcrs/icc/confFile/executeCmd'
f_url = url + run_dev_cmd_url
cmd_list = _make_cmd_list(cmd_list)
payload = '{ "deviceId" : "' + str(devid) + """",
"cmdlist" : { "cmd" :
[""" + cmd_list + """]
}
}"""
r = requests.post(f_url, data=payload, auth=auth, headers=HEADERS)
if r.status_code == 200:
if len(r.text) < 1:
return ''
else:
return json.loads(r.text)
| run_dev_cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devid, cmd_list, auth, url):\n run_dev_cmd_url = '/imcrs/icc/confFile/executeCmd'\n f_url = url + run_dev_cmd_url\n cmd_list = _make_cmd_list(cmd_list)\n payload = '{ \"deviceId\" : \"' + str(devid) + \"\"\"\",\n \"cmdlist\" : { \"cmd\" :\n [\"\"\" + cmd_list + \"\"\"]\n\n }\n }\"\"\"\n r = requests.post(f_url, data=payload, auth=auth, headers=HEADERS)\n if r.status_code == 200:\n if len(r.text) < 1:\n return ''\n else:\n return json.loads(r.text)\n",
"role": "user"
},
{
"content": "run_dev_cmd",
"role": "assistant"
}
] |
def x(devId, auth, url):
get_all_interface_details_url = '/imcrs/plat/res/device/' + str(devId
) + '/interface/?start=0&size=1000&desc=false&total=false'
f_url = url + get_all_interface_details_url
payload = None
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
dev_details = json.loads(r.text)
return dev_details['interface']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e
) + ' get_interface_details: An Error has occured'
| get_all_interface_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devId, auth, url):\n get_all_interface_details_url = '/imcrs/plat/res/device/' + str(devId\n ) + '/interface/?start=0&size=1000&desc=false&total=false'\n f_url = url + get_all_interface_details_url\n payload = None\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n dev_details = json.loads(r.text)\n return dev_details['interface']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e\n ) + ' get_interface_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_all_interface_details",
"role": "assistant"
}
] |
def x(devId, ifIndex, auth, url):
get_interface_details_url = '/imcrs/plat/res/device/' + str(devId
) + '/interface/' + str(ifIndex)
f_url = url + get_interface_details_url
payload = None
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
dev_details = json.loads(r.text)
return dev_details
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e
) + ' get_interface_details: An Error has occured'
| get_interface_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devId, ifIndex, auth, url):\n get_interface_details_url = '/imcrs/plat/res/device/' + str(devId\n ) + '/interface/' + str(ifIndex)\n f_url = url + get_interface_details_url\n payload = None\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n dev_details = json.loads(r.text)\n return dev_details\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e\n ) + ' get_interface_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_interface_details",
"role": "assistant"
}
] |
def x(devid, ifindex, auth, url):
set_int_down_url = '/imcrs/plat/res/device/' + str(devid
) + '/interface/' + str(ifindex) + '/down'
f_url = url + set_int_down_url
try:
r = requests.put(f_url, auth=auth, headers=HEADERS)
print(r.status_code)
if r.status_code == 204:
return r.status_code
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' set_inteface_down: An Error has occured'
| set_interface_down | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(devid, ifindex, auth, url):\n set_int_down_url = '/imcrs/plat/res/device/' + str(devid\n ) + '/interface/' + str(ifindex) + '/down'\n f_url = url + set_int_down_url\n try:\n r = requests.put(f_url, auth=auth, headers=HEADERS)\n print(r.status_code)\n if r.status_code == 204:\n return r.status_code\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' set_inteface_down: An Error has occured'\n",
"role": "user"
},
{
"content": "set_interface_down",
"role": "assistant"
}
] |
async def create(cls, name: str, default_for_unspecified: int,
total_resource_slots: int, max_concurrent_sessions: int,
max_containers_per_session: int, max_vfolder_count: int,
max_vfolder_size: int, idle_timeout: int, allowed_vfolder_hosts:
Sequence[str], fields: Iterable[str]=None) ->dict:
"""
Creates a new keypair resource policy with the given options.
You need an admin privilege for this operation.
"""
if fields is None:
fields = 'name',
q = (
'mutation($name: String!, $input: CreateKeyPairResourcePolicyInput!) {'
+
' create_keypair_resource_policy(name: $name, props: $input) { ok msg resource_policy { $fields } }}'
)
q = q.replace('$fields', ' '.join(fields))
variables = {'name': name, 'input': {'default_for_unspecified':
default_for_unspecified, 'total_resource_slots':
total_resource_slots, 'max_concurrent_sessions':
max_concurrent_sessions, 'max_containers_per_session':
max_containers_per_session, 'max_vfolder_count': max_vfolder_count,
'max_vfolder_size': max_vfolder_size, 'idle_timeout': idle_timeout,
'allowed_vfolder_hosts': allowed_vfolder_hosts}}
rqst = Request(cls.session, 'POST', '/admin/graphql')
rqst.set_json({'query': q, 'variables': variables})
async with rqst.fetch() as resp:
data = await resp.json()
return data['create_keypair_resource_policy']
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def create(cls, name: str, default_for_unspecified: int,\n total_resource_slots: int, max_concurrent_sessions: int,\n max_containers_per_session: int, max_vfolder_count: int,\n max_vfolder_size: int, idle_timeout: int, allowed_vfolder_hosts:\n Sequence[str], fields: Iterable[str]=None) ->dict:\n \"\"\"\n Creates a new keypair resource policy with the given options.\n You need an admin privilege for this operation.\n \"\"\"\n if fields is None:\n fields = 'name',\n q = (\n 'mutation($name: String!, $input: CreateKeyPairResourcePolicyInput!) {'\n +\n ' create_keypair_resource_policy(name: $name, props: $input) { ok msg resource_policy { $fields } }}'\n )\n q = q.replace('$fields', ' '.join(fields))\n variables = {'name': name, 'input': {'default_for_unspecified':\n default_for_unspecified, 'total_resource_slots':\n total_resource_slots, 'max_concurrent_sessions':\n max_concurrent_sessions, 'max_containers_per_session':\n max_containers_per_session, 'max_vfolder_count': max_vfolder_count,\n 'max_vfolder_size': max_vfolder_size, 'idle_timeout': idle_timeout,\n 'allowed_vfolder_hosts': allowed_vfolder_hosts}}\n rqst = Request(cls.session, 'POST', '/admin/graphql')\n rqst.set_json({'query': q, 'variables': variables})\n async with rqst.fetch() as resp:\n data = await resp.json()\n return data['create_keypair_resource_policy']\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
async def list(cls, fields: Iterable[str]=None) ->Sequence[dict]:
"""
Lists the keypair resource policies.
You need an admin privilege for this operation.
"""
if fields is None:
fields = ('name', 'created_at', 'total_resource_slots',
'max_concurrent_sessions', 'max_vfolder_count',
'max_vfolder_size', 'idle_timeout')
q = 'query { keypair_resource_policies { $fields }}'
q = q.replace('$fields', ' '.join(fields))
rqst = Request(cls.session, 'POST', '/admin/graphql')
rqst.set_json({'query': q})
async with rqst.fetch() as resp:
data = await resp.json()
return data['keypair_resource_policies']
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def list(cls, fields: Iterable[str]=None) ->Sequence[dict]:\n \"\"\"\n Lists the keypair resource policies.\n You need an admin privilege for this operation.\n \"\"\"\n if fields is None:\n fields = ('name', 'created_at', 'total_resource_slots',\n 'max_concurrent_sessions', 'max_vfolder_count',\n 'max_vfolder_size', 'idle_timeout')\n q = 'query { keypair_resource_policies { $fields }}'\n q = q.replace('$fields', ' '.join(fields))\n rqst = Request(cls.session, 'POST', '/admin/graphql')\n rqst.set_json({'query': q})\n async with rqst.fetch() as resp:\n data = await resp.json()\n return data['keypair_resource_policies']\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
def x():
fields = [('User ID', 'user_id'), ('Access Key', 'access_key'), (
'Secret Key', 'secret_key'), ('Active?', 'is_active'), ('Admin?',
'is_admin'), ('Created At', 'created_at'), ('Last Used',
'last_used'), ('Res.Policy', 'resource_policy'), ('Rate Limit',
'rate_limit'), ('Concur.Limit', 'concurrency_limit'), (
'Concur.Used', 'concurrency_used')]
with Session() as session:
try:
kp = session.KeyPair(session.config.access_key)
info = kp.info(fields=(item[1] for item in fields))
except Exception as e:
print_error(e)
sys.exit(1)
rows = []
for name, key in fields:
rows.append((name, info[key]))
print(tabulate(rows, headers=('Field', 'Value')))
| keypair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n fields = [('User ID', 'user_id'), ('Access Key', 'access_key'), (\n 'Secret Key', 'secret_key'), ('Active?', 'is_active'), ('Admin?',\n 'is_admin'), ('Created At', 'created_at'), ('Last Used',\n 'last_used'), ('Res.Policy', 'resource_policy'), ('Rate Limit',\n 'rate_limit'), ('Concur.Limit', 'concurrency_limit'), (\n 'Concur.Used', 'concurrency_used')]\n with Session() as session:\n try:\n kp = session.KeyPair(session.config.access_key)\n info = kp.info(fields=(item[1] for item in fields))\n except Exception as e:\n print_error(e)\n sys.exit(1)\n rows = []\n for name, key in fields:\n rows.append((name, info[key]))\n print(tabulate(rows, headers=('Field', 'Value')))\n",
"role": "user"
},
{
"content": "keypair",
"role": "assistant"
}
] |
def x(ctx, user_id, is_active):
if ctx.invoked_subcommand is not None:
return
fields = [('User ID', 'user_id'), ('Access Key', 'access_key'), (
'Secret Key', 'secret_key'), ('Active?', 'is_active'), ('Admin?',
'is_admin'), ('Created At', 'created_at'), ('Last Used',
'last_used'), ('Res.Policy', 'resource_policy'), ('Rate Limit',
'rate_limit'), ('Concur.Limit', 'concurrency_limit'), (
'Concur.Used', 'concurrency_used')]
try:
user_id = int(user_id)
except (TypeError, ValueError):
pass
with Session() as session:
try:
items = session.KeyPair.list(user_id, is_active, fields=(item[1
] for item in fields))
except Exception as e:
print_error(e)
sys.exit(1)
if len(items) == 0:
print(
'There are no matching keypairs associated with the user ID {0}'
.format(user_id))
return
print(tabulate((item.values() for item in items), headers=(item[0] for
item in fields)))
| keypairs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, user_id, is_active):\n if ctx.invoked_subcommand is not None:\n return\n fields = [('User ID', 'user_id'), ('Access Key', 'access_key'), (\n 'Secret Key', 'secret_key'), ('Active?', 'is_active'), ('Admin?',\n 'is_admin'), ('Created At', 'created_at'), ('Last Used',\n 'last_used'), ('Res.Policy', 'resource_policy'), ('Rate Limit',\n 'rate_limit'), ('Concur.Limit', 'concurrency_limit'), (\n 'Concur.Used', 'concurrency_used')]\n try:\n user_id = int(user_id)\n except (TypeError, ValueError):\n pass\n with Session() as session:\n try:\n items = session.KeyPair.list(user_id, is_active, fields=(item[1\n ] for item in fields))\n except Exception as e:\n print_error(e)\n sys.exit(1)\n if len(items) == 0:\n print(\n 'There are no matching keypairs associated with the user ID {0}'\n .format(user_id))\n return\n print(tabulate((item.values() for item in items), headers=(item[0] for\n item in fields)))\n",
"role": "user"
},
{
"content": "keypairs",
"role": "assistant"
}
] |
def x(user_id, resource_policy, admin, inactive, rate_limit):
try:
user_id = int(user_id)
except ValueError:
pass
with Session() as session:
try:
data = session.KeyPair.create(user_id, is_active=not inactive,
is_admin=admin, resource_policy=resource_policy, rate_limit
=rate_limit)
except Exception as e:
print_error(e)
sys.exit(1)
if not data['ok']:
print_fail('KeyPair creation has failed: {0}'.format(data['msg']))
sys.exit(1)
item = data['keypair']
print('Access Key: {0}'.format(item['access_key']))
print('Secret Key: {0}'.format(item['secret_key']))
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user_id, resource_policy, admin, inactive, rate_limit):\n try:\n user_id = int(user_id)\n except ValueError:\n pass\n with Session() as session:\n try:\n data = session.KeyPair.create(user_id, is_active=not inactive,\n is_admin=admin, resource_policy=resource_policy, rate_limit\n =rate_limit)\n except Exception as e:\n print_error(e)\n sys.exit(1)\n if not data['ok']:\n print_fail('KeyPair creation has failed: {0}'.format(data['msg']))\n sys.exit(1)\n item = data['keypair']\n print('Access Key: {0}'.format(item['access_key']))\n print('Secret Key: {0}'.format(item['secret_key']))\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(access_key, resource_policy, is_admin, is_active, rate_limit):
with Session() as session:
try:
data = session.KeyPair.update(access_key, is_active=is_active,
is_admin=is_admin, resource_policy=resource_policy,
rate_limit=rate_limit)
except Exception as e:
print_error(e)
sys.exit(1)
if not data['ok']:
print_fail('KeyPair creation has failed: {0}'.format(data['msg']))
sys.exit(1)
print('Key pair is updated: ' + access_key + '.')
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_key, resource_policy, is_admin, is_active, rate_limit):\n with Session() as session:\n try:\n data = session.KeyPair.update(access_key, is_active=is_active,\n is_admin=is_admin, resource_policy=resource_policy,\n rate_limit=rate_limit)\n except Exception as e:\n print_error(e)\n sys.exit(1)\n if not data['ok']:\n print_fail('KeyPair creation has failed: {0}'.format(data['msg']))\n sys.exit(1)\n print('Key pair is updated: ' + access_key + '.')\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(access_key):
with Session() as session:
try:
data = session.KeyPair.delete(access_key)
except Exception as e:
print_error(e)
sys.exit(1)
if not data['ok']:
print_fail('KeyPair deletion has failed: {0}'.format(data['msg']))
sys.exit(1)
print('Key pair is deleted: ' + access_key + '.')
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(access_key):\n with Session() as session:\n try:\n data = session.KeyPair.delete(access_key)\n except Exception as e:\n print_error(e)\n sys.exit(1)\n if not data['ok']:\n print_fail('KeyPair deletion has failed: {0}'.format(data['msg']))\n sys.exit(1)\n print('Key pair is deleted: ' + access_key + '.')\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
log.debug('performing auth test')
test = self._get(urls['test'])
user = User({'name': test['user'], 'id': test['user_id']})
self._refresh()
return test['team'], user
| login | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.debug('performing auth test')\n test = self._get(urls['test'])\n user = User({'name': test['user'], 'id': test['user_id']})\n self._refresh()\n return test['team'], user\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self, match):
if len(match) == 9 and match[0] == 'U':
return self._lookup(User, 'id', match)
return self._lookup(User, 'name', match)
| user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match):\n if len(match) == 9 and match[0] == 'U':\n return self._lookup(User, 'id', match)\n return self._lookup(User, 'name', match)\n",
"role": "user"
},
{
"content": "user",
"role": "assistant"
}
] |
def x(self, match):
if len(match) == 9 and match[0] in ('C', 'G', 'D'):
return self._lookup(Channel, 'id', match)
return self._lookup(Channel, 'name', match)
| channel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match):\n if len(match) == 9 and match[0] in ('C', 'G', 'D'):\n return self._lookup(Channel, 'id', match)\n return self._lookup(Channel, 'name', match)\n",
"role": "user"
},
{
"content": "channel",
"role": "assistant"
}
] |
def x(self):
log.debug('refreshing directory cache')
self._users.update(list(self._user_gen()))
self._channels.update(list(self._channel_gen()))
| refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.debug('refreshing directory cache')\n self._users.update(list(self._user_gen()))\n self._channels.update(list(self._channel_gen()))\n",
"role": "user"
},
{
"content": "refresh",
"role": "assistant"
}
] |
def x(self, attr, val):
self._lock.acquire()
try:
for x in self:
if getattr(x, attr) == val:
return x
finally:
self._lock.release()
| match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr, val):\n self._lock.acquire()\n try:\n for x in self:\n if getattr(x, attr) == val:\n return x\n finally:\n self._lock.release()\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(iterable, n, fillvalue=None):
args = [iter(iterable)] * n
return zip_longest(*args, fillvalue=fillvalue)
| groups_of_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, n, fillvalue=None):\n args = [iter(iterable)] * n\n return zip_longest(*args, fillvalue=fillvalue)\n",
"role": "user"
},
{
"content": "groups_of_size",
"role": "assistant"
}
] |
def x(slice_instance):
if not isinstance(slice_instance, slice):
raise TypeError('Unhandled type {}'.format(type(slice_instance)))
start = slice_instance.start or ''
stop = slice_instance.stop or ''
step = slice_instance.step or ''
msg = '{}:'.format(start)
if stop:
msg += '{}'.format(stop)
if step:
msg += ':'
if step:
msg += '{}'.format(step)
return msg
| slice_repr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slice_instance):\n if not isinstance(slice_instance, slice):\n raise TypeError('Unhandled type {}'.format(type(slice_instance)))\n start = slice_instance.start or ''\n stop = slice_instance.stop or ''\n step = slice_instance.step or ''\n msg = '{}:'.format(start)\n if stop:\n msg += '{}'.format(stop)\n if step:\n msg += ':'\n if step:\n msg += '{}'.format(step)\n return msg\n",
"role": "user"
},
{
"content": "slice_repr",
"role": "assistant"
}
] |
def x(chunk_key, biggus_array, masked):
if masked:
array = biggus_array.masked_array()
else:
array = biggus_array.ndarray()
return biggus._init.Chunk(chunk_key, array)
| biggus_chunk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chunk_key, biggus_array, masked):\n if masked:\n array = biggus_array.masked_array()\n else:\n array = biggus_array.ndarray()\n return biggus._init.Chunk(chunk_key, array)\n",
"role": "user"
},
{
"content": "biggus_chunk",
"role": "assistant"
}
] |
def x(self, dsk_graph, array, iteration_order, masked):
nodes = {}
handler = array.streams_handler(masked)
input_iteration_order = handler.input_iteration_order(iteration_order)
def x(input_array, keys):
if hasattr(input_array, 'streams_handler'):
handler = input_array.streams_handler(masked)
input_transformer = getattr(handler, 'output_keys', None)
if input_transformer is not None:
keys = input_transformer(keys)
return keys
sources_keys = []
sources_chunks = []
for input_array in array.sources:
source_chunks_by_key = {}
sources_chunks.append(source_chunks_by_key)
source_keys = []
sources_keys.append(source_keys)
input_nodes = self._make_nodes(dsk_graph, input_array,
input_iteration_order, masked)
for chunk_id, task in input_nodes.items():
chunk_keys = task[1]
t_keys = chunk_keys
t_keys = input_keys_transform(array, t_keys)
source_keys.append(t_keys)
this_key = str(t_keys)
source_chunks_by_key.setdefault(this_key, []).append([chunk_id,
task])
sources_keys_grouped = key_grouper.group_keys(array.shape, *sources_keys)
for slice_group, sources_keys_group in sources_keys_grouped.items():
t_keys = tuple(slice(*slice_tuple) for slice_tuple in slice_group)
all_chunks = []
for source_keys, source_chunks_by_key in zip(sources_keys_group,
sources_chunks):
dependencies = tuple(the_id for keys in source_keys for the_id,
task in source_chunks_by_key[str(keys)])
dependencies = tuple(_unique_everseen(dependencies))
def x(keys, shape):
result = []
for key, dim_length in zip(keys, shape):
result.append(key_grouper.normalize_slice(key, dim_length))
return tuple(result)
if not all(t_keys == normalize_keys(keys, array.shape) for keys in
source_keys):
combined = self.collect(array[t_keys], masked, chunk=True)
new_task = (combined,) + dependencies
new_id = 'chunk shape: {}\n\n{}'.format(array[t_keys].shape,
uuid.uuid())
dsk_graph[new_id] = new_task
dependencies = new_id,
all_chunks.append(dependencies)
pivoted = all_chunks
sub_array = array[t_keys]
handler = sub_array.streams_handler(masked)
name = getattr(handler, 'nice_name', handler.__class__.__name__)
if hasattr(handler, 'axis'):
name += '\n(axis={})'.format(handler.axis)
if hasattr(handler, 'operator'):
name = handler.operator.__name__
n_sources = len(array.sources)
handler_of_chunks_fn = self.create_chunks_handler_fn(handler,
n_sources, name)
shape = sub_array.shape
if all(key == slice(None) for key in t_keys):
subset = ''
else:
pretty_index = ', '.join(map(slice_repr, t_keys))
subset = 'target subset [{}]\n'.format(pretty_index)
source_chunks = [item for sublist in pivoted for item in sublist]
task = tuple([handler_of_chunks_fn, t_keys] + source_chunks)
shape_repr = ', '.join(map(str, shape))
chunk_id = 'chunk shape: ({})\n\n{}{}'.format(shape_repr, subset,
uuid.uuid4())
assert chunk_id not in dsk_graph
dsk_graph[chunk_id] = task
nodes[chunk_id] = task
return nodes
| make_stream_handler_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dsk_graph, array, iteration_order, masked):\n nodes = {}\n handler = array.streams_handler(masked)\n input_iteration_order = handler.input_iteration_order(iteration_order)\n\n def x(input_array, keys):\n if hasattr(input_array, 'streams_handler'):\n handler = input_array.streams_handler(masked)\n input_transformer = getattr(handler, 'output_keys', None)\n if input_transformer is not None:\n keys = input_transformer(keys)\n return keys\n sources_keys = []\n sources_chunks = []\n for input_array in array.sources:\n source_chunks_by_key = {}\n sources_chunks.append(source_chunks_by_key)\n source_keys = []\n sources_keys.append(source_keys)\n input_nodes = self._make_nodes(dsk_graph, input_array,\n input_iteration_order, masked)\n for chunk_id, task in input_nodes.items():\n chunk_keys = task[1]\n t_keys = chunk_keys\n t_keys = input_keys_transform(array, t_keys)\n source_keys.append(t_keys)\n this_key = str(t_keys)\n source_chunks_by_key.setdefault(this_key, []).append([chunk_id,\n task])\n sources_keys_grouped = key_grouper.group_keys(array.shape, *sources_keys)\n for slice_group, sources_keys_group in sources_keys_grouped.items():\n t_keys = tuple(slice(*slice_tuple) for slice_tuple in slice_group)\n all_chunks = []\n for source_keys, source_chunks_by_key in zip(sources_keys_group,\n sources_chunks):\n dependencies = tuple(the_id for keys in source_keys for the_id,\n task in source_chunks_by_key[str(keys)])\n dependencies = tuple(_unique_everseen(dependencies))\n\n def x(keys, shape):\n result = []\n for key, dim_length in zip(keys, shape):\n result.append(key_grouper.normalize_slice(key, dim_length))\n return tuple(result)\n if not all(t_keys == normalize_keys(keys, array.shape) for keys in\n source_keys):\n combined = self.collect(array[t_keys], masked, chunk=True)\n new_task = (combined,) + dependencies\n new_id = 'chunk shape: {}\\n\\n{}'.format(array[t_keys].shape,\n uuid.uuid())\n dsk_graph[new_id] = new_task\n dependencies = new_id,\n all_chunks.append(dependencies)\n pivoted = all_chunks\n sub_array = array[t_keys]\n handler = sub_array.streams_handler(masked)\n name = getattr(handler, 'nice_name', handler.__class__.__name__)\n if hasattr(handler, 'axis'):\n name += '\\n(axis={})'.format(handler.axis)\n if hasattr(handler, 'operator'):\n name = handler.operator.__name__\n n_sources = len(array.sources)\n handler_of_chunks_fn = self.create_chunks_handler_fn(handler,\n n_sources, name)\n shape = sub_array.shape\n if all(key == slice(None) for key in t_keys):\n subset = ''\n else:\n pretty_index = ', '.join(map(slice_repr, t_keys))\n subset = 'target subset [{}]\\n'.format(pretty_index)\n source_chunks = [item for sublist in pivoted for item in sublist]\n task = tuple([handler_of_chunks_fn, t_keys] + source_chunks)\n shape_repr = ', '.join(map(str, shape))\n chunk_id = 'chunk shape: ({})\\n\\n{}{}'.format(shape_repr, subset,\n uuid.uuid4())\n assert chunk_id not in dsk_graph\n dsk_graph[chunk_id] = task\n nodes[chunk_id] = task\n return nodes\n",
"role": "user"
},
{
"content": "make_stream_handler_nodes",
"role": "assistant"
}
] |
def x(name):
def x(chunk_key, biggus_array, masked):
if masked:
array = biggus_array.masked_array()
else:
array = biggus_array.ndarray()
return biggus._init.Chunk(chunk_key, array)
biggus_chunk.__name__ = name
return biggus_chunk
| lazy_chunk_creator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n\n def x(chunk_key, biggus_array, masked):\n if masked:\n array = biggus_array.masked_array()\n else:\n array = biggus_array.ndarray()\n return biggus._init.Chunk(chunk_key, array)\n biggus_chunk.__name__ = name\n return biggus_chunk\n",
"role": "user"
},
{
"content": "lazy_chunk_creator",
"role": "assistant"
}
] |
def x(self, dsk_graph, array, iteration_order, masked, top=False):
cache_key = _array_id(array, iteration_order, masked)
nodes = self._node_cache.get(cache_key, None)
if nodes is None:
if hasattr(array, 'streams_handler'):
nodes = self._make_stream_handler_nodes(dsk_graph, array,
iteration_order, masked)
else:
nodes = {}
chunks = []
name = '{}\n{}'.format(array.__class__.__name__, array.shape)
biggus_chunk_func = self.lazy_chunk_creator(name)
chunk_index_gen = biggus._init.ProducerNode.chunk_index_gen
for chunk_key in chunk_index_gen(array.shape, iteration_order[::-1]
):
biggus_array = array[chunk_key]
pretty_key = ', '.join(map(slice_repr, chunk_key))
chunk_id = 'chunk shape: {}\nsource key: [{}]\n\n{}'.format(
biggus_array.shape, pretty_key, uuid.uuid4())
task = biggus_chunk_func, chunk_key, biggus_array, masked
chunks.append(task)
assert chunk_id not in dsk_graph
dsk_graph[chunk_id] = task
nodes[chunk_id] = task
self._node_cache[cache_key] = nodes
return nodes
| make_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dsk_graph, array, iteration_order, masked, top=False):\n cache_key = _array_id(array, iteration_order, masked)\n nodes = self._node_cache.get(cache_key, None)\n if nodes is None:\n if hasattr(array, 'streams_handler'):\n nodes = self._make_stream_handler_nodes(dsk_graph, array,\n iteration_order, masked)\n else:\n nodes = {}\n chunks = []\n name = '{}\\n{}'.format(array.__class__.__name__, array.shape)\n biggus_chunk_func = self.lazy_chunk_creator(name)\n chunk_index_gen = biggus._init.ProducerNode.chunk_index_gen\n for chunk_key in chunk_index_gen(array.shape, iteration_order[::-1]\n ):\n biggus_array = array[chunk_key]\n pretty_key = ', '.join(map(slice_repr, chunk_key))\n chunk_id = 'chunk shape: {}\\nsource key: [{}]\\n\\n{}'.format(\n biggus_array.shape, pretty_key, uuid.uuid4())\n task = biggus_chunk_func, chunk_key, biggus_array, masked\n chunks.append(task)\n assert chunk_id not in dsk_graph\n dsk_graph[chunk_id] = task\n nodes[chunk_id] = task\n self._node_cache[cache_key] = nodes\n return nodes\n",
"role": "user"
},
{
"content": "make_nodes",
"role": "assistant"
}
] |
def x(shape, *inputs_keys):
ndim = len(inputs_keys[0][0])
grouped_inputs_keys = {tuple((None, None, None) for _ in range(ndim)):
inputs_keys}
for dim, dim_len in enumerate(shape):
for group_keys, group_inputs_keys in grouped_inputs_keys.copy().items(
):
group_inputs_key_for_dim = [[keys[dim] for keys in input_keys] for
input_keys in group_inputs_keys]
grouped_inputs_key = dimension_group_to_lowest_common(dim_len,
group_inputs_key_for_dim).items()
if len(grouped_inputs_key) == 1:
continue
else:
grouped_inputs_keys.pop(group_keys)
group_keys = list(group_keys)
group_inputs_keys = list(group_inputs_keys)
for subgroup_key, subgroup_inputs_key in grouped_inputs_key:
group_keys[dim] = subgroup_key
subgroup_inputs_keys = [[] for _ in subgroup_inputs_key]
per_input = zip(group_inputs_keys, subgroup_inputs_key,
subgroup_inputs_keys)
for input_keys, subgroup_input_key, new_input_keys in per_input:
for keys in input_keys[:]:
norm_key = normalize_slice(keys[dim], dim_len)
if norm_key in subgroup_input_key:
input_keys.remove(keys)
new_input_keys.append(keys)
subgroup_inputs_keys = tuple(subgroup_inputs_keys)
grouped_inputs_keys[tuple(group_keys)
] = subgroup_inputs_keys
return grouped_inputs_keys
| group_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(shape, *inputs_keys):\n ndim = len(inputs_keys[0][0])\n grouped_inputs_keys = {tuple((None, None, None) for _ in range(ndim)):\n inputs_keys}\n for dim, dim_len in enumerate(shape):\n for group_keys, group_inputs_keys in grouped_inputs_keys.copy().items(\n ):\n group_inputs_key_for_dim = [[keys[dim] for keys in input_keys] for\n input_keys in group_inputs_keys]\n grouped_inputs_key = dimension_group_to_lowest_common(dim_len,\n group_inputs_key_for_dim).items()\n if len(grouped_inputs_key) == 1:\n continue\n else:\n grouped_inputs_keys.pop(group_keys)\n group_keys = list(group_keys)\n group_inputs_keys = list(group_inputs_keys)\n for subgroup_key, subgroup_inputs_key in grouped_inputs_key:\n group_keys[dim] = subgroup_key\n subgroup_inputs_keys = [[] for _ in subgroup_inputs_key]\n per_input = zip(group_inputs_keys, subgroup_inputs_key,\n subgroup_inputs_keys)\n for input_keys, subgroup_input_key, new_input_keys in per_input:\n for keys in input_keys[:]:\n norm_key = normalize_slice(keys[dim], dim_len)\n if norm_key in subgroup_input_key:\n input_keys.remove(keys)\n new_input_keys.append(keys)\n subgroup_inputs_keys = tuple(subgroup_inputs_keys)\n grouped_inputs_keys[tuple(group_keys)\n ] = subgroup_inputs_keys\n return grouped_inputs_keys\n",
"role": "user"
},
{
"content": "group_keys",
"role": "assistant"
}
] |
def x(prompt='Password: ', confirm=False):
securesystemslib.formats.TEXT_SCHEMA.check_match(prompt)
securesystemslib.formats.BOOLEAN_SCHEMA.check_match(confirm)
while True:
password = getpass.getpass(prompt, sys.stderr)
if not confirm:
return password
password2 = getpass.getpass('Confirm: ', sys.stderr)
if password == password2:
return password
else:
print('Mismatch; try again.')
| get_password | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt='Password: ', confirm=False):\n securesystemslib.formats.TEXT_SCHEMA.check_match(prompt)\n securesystemslib.formats.BOOLEAN_SCHEMA.check_match(confirm)\n while True:\n password = getpass.getpass(prompt, sys.stderr)\n if not confirm:\n return password\n password2 = getpass.getpass('Confirm: ', sys.stderr)\n if password == password2:\n return password\n else:\n print('Mismatch; try again.')\n",
"role": "user"
},
{
"content": "get_password",
"role": "assistant"
}
] |
def x(filepath=None, bits=DEFAULT_RSA_KEY_BITS, password=None):
securesystemslib.formats.RSAKEYBITS_SCHEMA.check_match(bits)
rsa_key = securesystemslib.keys.generate_rsa_key(bits)
public = rsa_key['keyval']['public']
private = rsa_key['keyval']['private']
if not filepath:
filepath = os.path.join(os.getcwd(), rsa_key['keyid'])
else:
logger.debug(
"The filepath has been specified. Not using the key's KEYID as the default filepath."
)
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
if password is None:
password = get_password(
'Enter a password for the encrypted RSA key (' + Fore.RED +
filepath + Fore.RESET + '): ', confirm=True)
else:
logger.debug('The password has been specified. Not prompting for one')
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
if len(password):
private = securesystemslib.keys.create_rsa_encrypted_pem(private,
password)
else:
logger.debug(
'An empty password was given. Not encrypting the private key.')
securesystemslib.util.ensure_parent_dir(filepath)
file_object = securesystemslib.util.TempFile()
file_object.write(public.encode('utf-8'))
file_object.move(filepath + '.pub')
file_object = securesystemslib.util.TempFile()
file_object.write(private.encode('utf-8'))
file_object.move(filepath)
return filepath
| generate_and_write_rsa_keypair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath=None, bits=DEFAULT_RSA_KEY_BITS, password=None):\n securesystemslib.formats.RSAKEYBITS_SCHEMA.check_match(bits)\n rsa_key = securesystemslib.keys.generate_rsa_key(bits)\n public = rsa_key['keyval']['public']\n private = rsa_key['keyval']['private']\n if not filepath:\n filepath = os.path.join(os.getcwd(), rsa_key['keyid'])\n else:\n logger.debug(\n \"The filepath has been specified. Not using the key's KEYID as the default filepath.\"\n )\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n if password is None:\n password = get_password(\n 'Enter a password for the encrypted RSA key (' + Fore.RED +\n filepath + Fore.RESET + '): ', confirm=True)\n else:\n logger.debug('The password has been specified. Not prompting for one')\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n if len(password):\n private = securesystemslib.keys.create_rsa_encrypted_pem(private,\n password)\n else:\n logger.debug(\n 'An empty password was given. Not encrypting the private key.')\n securesystemslib.util.ensure_parent_dir(filepath)\n file_object = securesystemslib.util.TempFile()\n file_object.write(public.encode('utf-8'))\n file_object.move(filepath + '.pub')\n file_object = securesystemslib.util.TempFile()\n file_object.write(private.encode('utf-8'))\n file_object.move(filepath)\n return filepath\n",
"role": "user"
},
{
"content": "generate_and_write_rsa_keypair",
"role": "assistant"
}
] |
def x(filepath, password=None, scheme='rsassa-pss-sha256', prompt=False):
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
securesystemslib.formats.RSA_SCHEME_SCHEMA.check_match(scheme)
if password and prompt:
raise ValueError("Passing 'password' and 'prompt' True is not allowed."
)
if password is not None:
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
if not len(password):
raise ValueError('Password must be 1 or more characters')
elif prompt:
password = get_password(
"Enter a password for an encrypted RSA file '" + Fore.RED +
filepath + Fore.RESET + "': ", confirm=False) or None
if password is not None:
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
else:
logger.debug(
'No password was given. Attempting to import an unencrypted file.')
with open(filepath, 'rb') as file_object:
pem_key = file_object.read().decode('utf-8')
rsa_key = securesystemslib.keys.import_rsakey_from_private_pem(pem_key,
scheme, password)
return rsa_key
| import_rsa_privatekey_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, password=None, scheme='rsassa-pss-sha256', prompt=False):\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n securesystemslib.formats.RSA_SCHEME_SCHEMA.check_match(scheme)\n if password and prompt:\n raise ValueError(\"Passing 'password' and 'prompt' True is not allowed.\"\n )\n if password is not None:\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n if not len(password):\n raise ValueError('Password must be 1 or more characters')\n elif prompt:\n password = get_password(\n \"Enter a password for an encrypted RSA file '\" + Fore.RED +\n filepath + Fore.RESET + \"': \", confirm=False) or None\n if password is not None:\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n else:\n logger.debug(\n 'No password was given. Attempting to import an unencrypted file.')\n with open(filepath, 'rb') as file_object:\n pem_key = file_object.read().decode('utf-8')\n rsa_key = securesystemslib.keys.import_rsakey_from_private_pem(pem_key,\n scheme, password)\n return rsa_key\n",
"role": "user"
},
{
"content": "import_rsa_privatekey_from_file",
"role": "assistant"
}
] |
def x(filepath):
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
with open(filepath, 'rb') as file_object:
rsa_pubkey_pem = file_object.read().decode('utf-8')
try:
rsakey_dict = securesystemslib.keys.import_rsakey_from_public_pem(
rsa_pubkey_pem)
except securesystemslib.exceptions.FormatError as e:
raise securesystemslib.exceptions.Error(
'Cannot import improperly formatted PEM file.' + repr(str(e)))
return rsakey_dict
| import_rsa_publickey_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n with open(filepath, 'rb') as file_object:\n rsa_pubkey_pem = file_object.read().decode('utf-8')\n try:\n rsakey_dict = securesystemslib.keys.import_rsakey_from_public_pem(\n rsa_pubkey_pem)\n except securesystemslib.exceptions.FormatError as e:\n raise securesystemslib.exceptions.Error(\n 'Cannot import improperly formatted PEM file.' + repr(str(e)))\n return rsakey_dict\n",
"role": "user"
},
{
"content": "import_rsa_publickey_from_file",
"role": "assistant"
}
] |
def x(filepath=None, password=None):
ed25519_key = securesystemslib.keys.generate_ed25519_key()
if not filepath:
filepath = os.path.join(os.getcwd(), ed25519_key['keyid'])
else:
logger.debug(
"The filepath has been specified. Not using the key's KEYID as the default filepath."
)
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
if password is None:
password = get_password('Enter a password for the Ed25519 key (' +
Fore.RED + filepath + Fore.RESET + '): ', confirm=True)
else:
logger.debug('The password has been specified. Not prompting for one.')
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
securesystemslib.util.ensure_parent_dir(filepath)
file_object = securesystemslib.util.TempFile()
keytype = ed25519_key['keytype']
keyval = ed25519_key['keyval']
scheme = ed25519_key['scheme']
ed25519key_metadata_format = (securesystemslib.keys.
format_keyval_to_metadata(keytype, scheme, keyval, private=False))
file_object.write(json.dumps(ed25519key_metadata_format).encode('utf-8'))
file_object.move(filepath + '.pub')
file_object = securesystemslib.util.TempFile()
if len(password):
ed25519_key = securesystemslib.keys.encrypt_key(ed25519_key, password)
else:
logger.debug(
'An empty password was given. Not encrypting the private key.')
ed25519_key = json.dumps(ed25519_key)
file_object.write(ed25519_key.encode('utf-8'))
file_object.move(filepath)
return filepath
| generate_and_write_ed25519_keypair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath=None, password=None):\n ed25519_key = securesystemslib.keys.generate_ed25519_key()\n if not filepath:\n filepath = os.path.join(os.getcwd(), ed25519_key['keyid'])\n else:\n logger.debug(\n \"The filepath has been specified. Not using the key's KEYID as the default filepath.\"\n )\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n if password is None:\n password = get_password('Enter a password for the Ed25519 key (' +\n Fore.RED + filepath + Fore.RESET + '): ', confirm=True)\n else:\n logger.debug('The password has been specified. Not prompting for one.')\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n securesystemslib.util.ensure_parent_dir(filepath)\n file_object = securesystemslib.util.TempFile()\n keytype = ed25519_key['keytype']\n keyval = ed25519_key['keyval']\n scheme = ed25519_key['scheme']\n ed25519key_metadata_format = (securesystemslib.keys.\n format_keyval_to_metadata(keytype, scheme, keyval, private=False))\n file_object.write(json.dumps(ed25519key_metadata_format).encode('utf-8'))\n file_object.move(filepath + '.pub')\n file_object = securesystemslib.util.TempFile()\n if len(password):\n ed25519_key = securesystemslib.keys.encrypt_key(ed25519_key, password)\n else:\n logger.debug(\n 'An empty password was given. Not encrypting the private key.')\n ed25519_key = json.dumps(ed25519_key)\n file_object.write(ed25519_key.encode('utf-8'))\n file_object.move(filepath)\n return filepath\n",
"role": "user"
},
{
"content": "generate_and_write_ed25519_keypair",
"role": "assistant"
}
] |
def x(filepath):
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
ed25519_key_metadata = securesystemslib.util.load_json_file(filepath)
ed25519_key, junk = securesystemslib.keys.format_metadata_to_key(
ed25519_key_metadata)
if ed25519_key['keytype'] != 'ed25519':
message = 'Invalid key type loaded: ' + repr(ed25519_key['keytype'])
raise securesystemslib.exceptions.FormatError(message)
return ed25519_key
| import_ed25519_publickey_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n ed25519_key_metadata = securesystemslib.util.load_json_file(filepath)\n ed25519_key, junk = securesystemslib.keys.format_metadata_to_key(\n ed25519_key_metadata)\n if ed25519_key['keytype'] != 'ed25519':\n message = 'Invalid key type loaded: ' + repr(ed25519_key['keytype'])\n raise securesystemslib.exceptions.FormatError(message)\n return ed25519_key\n",
"role": "user"
},
{
"content": "import_ed25519_publickey_from_file",
"role": "assistant"
}
] |
def x(filepath, password=None, prompt=False):
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
if password and prompt:
raise ValueError("Passing 'password' and 'prompt' True is not allowed."
)
if password is not None:
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
if not len(password):
raise ValueError('Password must be 1 or more characters')
elif prompt:
password = get_password(
"Enter a password for an encrypted RSA file '" + Fore.RED +
filepath + Fore.RESET + "': ", confirm=False)
if len(password) == 0:
password = None
with open(filepath, 'rb') as file_object:
json_str = file_object.read()
return securesystemslib.keys.import_ed25519key_from_private_json(
json_str, password=password)
| import_ed25519_privatekey_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, password=None, prompt=False):\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n if password and prompt:\n raise ValueError(\"Passing 'password' and 'prompt' True is not allowed.\"\n )\n if password is not None:\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n if not len(password):\n raise ValueError('Password must be 1 or more characters')\n elif prompt:\n password = get_password(\n \"Enter a password for an encrypted RSA file '\" + Fore.RED +\n filepath + Fore.RESET + \"': \", confirm=False)\n if len(password) == 0:\n password = None\n with open(filepath, 'rb') as file_object:\n json_str = file_object.read()\n return securesystemslib.keys.import_ed25519key_from_private_json(\n json_str, password=password)\n",
"role": "user"
},
{
"content": "import_ed25519_privatekey_from_file",
"role": "assistant"
}
] |
def x(filepath=None, password=None):
ecdsa_key = securesystemslib.keys.generate_ecdsa_key()
if not filepath:
filepath = os.path.join(os.getcwd(), ecdsa_key['keyid'])
else:
logger.debug(
"The filepath has been specified. Not using the key's KEYID as the default filepath."
)
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
if password is None:
password = get_password('Enter a password for the ECDSA key (' +
Fore.RED + filepath + Fore.RESET + '): ', confirm=True)
else:
logger.debug('The password has been specified. Not prompting for one')
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
securesystemslib.util.ensure_parent_dir(filepath)
file_object = securesystemslib.util.TempFile()
keytype = ecdsa_key['keytype']
keyval = ecdsa_key['keyval']
scheme = ecdsa_key['scheme']
ecdsakey_metadata_format = securesystemslib.keys.format_keyval_to_metadata(
keytype, scheme, keyval, private=False)
file_object.write(json.dumps(ecdsakey_metadata_format).encode('utf-8'))
file_object.move(filepath + '.pub')
file_object = securesystemslib.util.TempFile()
encrypted_key = securesystemslib.keys.encrypt_key(ecdsa_key, password)
file_object.write(encrypted_key.encode('utf-8'))
file_object.move(filepath)
return filepath
| generate_and_write_ecdsa_keypair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath=None, password=None):\n ecdsa_key = securesystemslib.keys.generate_ecdsa_key()\n if not filepath:\n filepath = os.path.join(os.getcwd(), ecdsa_key['keyid'])\n else:\n logger.debug(\n \"The filepath has been specified. Not using the key's KEYID as the default filepath.\"\n )\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n if password is None:\n password = get_password('Enter a password for the ECDSA key (' +\n Fore.RED + filepath + Fore.RESET + '): ', confirm=True)\n else:\n logger.debug('The password has been specified. Not prompting for one')\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n securesystemslib.util.ensure_parent_dir(filepath)\n file_object = securesystemslib.util.TempFile()\n keytype = ecdsa_key['keytype']\n keyval = ecdsa_key['keyval']\n scheme = ecdsa_key['scheme']\n ecdsakey_metadata_format = securesystemslib.keys.format_keyval_to_metadata(\n keytype, scheme, keyval, private=False)\n file_object.write(json.dumps(ecdsakey_metadata_format).encode('utf-8'))\n file_object.move(filepath + '.pub')\n file_object = securesystemslib.util.TempFile()\n encrypted_key = securesystemslib.keys.encrypt_key(ecdsa_key, password)\n file_object.write(encrypted_key.encode('utf-8'))\n file_object.move(filepath)\n return filepath\n",
"role": "user"
},
{
"content": "generate_and_write_ecdsa_keypair",
"role": "assistant"
}
] |
def x(filepath):
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
ecdsa_key_metadata = securesystemslib.util.load_json_file(filepath)
ecdsa_key, junk = securesystemslib.keys.format_metadata_to_key(
ecdsa_key_metadata)
if ecdsa_key['keytype'] != 'ecdsa-sha2-nistp256':
message = 'Invalid key type loaded: ' + repr(ecdsa_key['keytype'])
raise securesystemslib.exceptions.FormatError(message)
return ecdsa_key
| import_ecdsa_publickey_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n ecdsa_key_metadata = securesystemslib.util.load_json_file(filepath)\n ecdsa_key, junk = securesystemslib.keys.format_metadata_to_key(\n ecdsa_key_metadata)\n if ecdsa_key['keytype'] != 'ecdsa-sha2-nistp256':\n message = 'Invalid key type loaded: ' + repr(ecdsa_key['keytype'])\n raise securesystemslib.exceptions.FormatError(message)\n return ecdsa_key\n",
"role": "user"
},
{
"content": "import_ecdsa_publickey_from_file",
"role": "assistant"
}
] |
def x(filepath, password=None):
securesystemslib.formats.PATH_SCHEMA.check_match(filepath)
if password is None:
password = get_password(
'Enter a password for the encrypted ECDSA key (' + Fore.RED +
filepath + Fore.RESET + '): ', confirm=False)
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
encrypted_key = None
with open(filepath, 'rb') as file_object:
encrypted_key = file_object.read()
key_object = securesystemslib.keys.decrypt_key(encrypted_key.decode(
'utf-8'), password)
if key_object['keytype'] != 'ecdsa-sha2-nistp256':
message = 'Invalid key type loaded: ' + repr(key_object['keytype'])
raise securesystemslib.exceptions.FormatError(message)
key_object['keyid_hash_algorithms'
] = securesystemslib.settings.HASH_ALGORITHMS
return key_object
| import_ecdsa_privatekey_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath, password=None):\n securesystemslib.formats.PATH_SCHEMA.check_match(filepath)\n if password is None:\n password = get_password(\n 'Enter a password for the encrypted ECDSA key (' + Fore.RED +\n filepath + Fore.RESET + '): ', confirm=False)\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n encrypted_key = None\n with open(filepath, 'rb') as file_object:\n encrypted_key = file_object.read()\n key_object = securesystemslib.keys.decrypt_key(encrypted_key.decode(\n 'utf-8'), password)\n if key_object['keytype'] != 'ecdsa-sha2-nistp256':\n message = 'Invalid key type loaded: ' + repr(key_object['keytype'])\n raise securesystemslib.exceptions.FormatError(message)\n key_object['keyid_hash_algorithms'\n ] = securesystemslib.settings.HASH_ALGORITHMS\n return key_object\n",
"role": "user"
},
{
"content": "import_ecdsa_privatekey_from_file",
"role": "assistant"
}
] |
def x(self, locator, timeout=None):
self._info("Waiting for focus on '%s'" % locator)
self._wait_until_no_error(timeout, self._check_element_focus_exp, True,
locator, timeout)
| wait_until_element_has_focus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, timeout=None):\n self._info(\"Waiting for focus on '%s'\" % locator)\n self._wait_until_no_error(timeout, self._check_element_focus_exp, True,\n locator, timeout)\n",
"role": "user"
},
{
"content": "wait_until_element_has_focus",
"role": "assistant"
}
] |
def x(self, locator, timeout=None):
self._info("Waiting until '%s' does not have focus" % locator)
self._wait_until_no_error(timeout, self._check_element_focus_exp, False,
locator, timeout)
| wait_until_element_does_not_have_focus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, timeout=None):\n self._info(\"Waiting until '%s' does not have focus\" % locator)\n self._wait_until_no_error(timeout, self._check_element_focus_exp, False,\n locator, timeout)\n",
"role": "user"
},
{
"content": "wait_until_element_does_not_have_focus",
"role": "assistant"
}
] |
def x(self, locator, expected, strip=False, timeout=None):
self._info("Waiting for '%s' value to be '%s'" % (locator, expected))
self._wait_until_no_error(timeout, self._check_element_value_exp, False,
locator, expected, strip, timeout)
| wait_until_element_value_is | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected, strip=False, timeout=None):\n self._info(\"Waiting for '%s' value to be '%s'\" % (locator, expected))\n self._wait_until_no_error(timeout, self._check_element_value_exp, False,\n locator, expected, strip, timeout)\n",
"role": "user"
},
{
"content": "wait_until_element_value_is",
"role": "assistant"
}
] |
def x(self, locator, expected, timeout=None):
self._info("Waiting for '%s' value to contain '%s'" % (locator, expected))
self._wait_until_no_error(timeout, self._check_element_value_exp, True,
locator, expected, False, timeout)
| wait_until_element_value_contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected, timeout=None):\n self._info(\"Waiting for '%s' value to contain '%s'\" % (locator, expected))\n self._wait_until_no_error(timeout, self._check_element_value_exp, True,\n locator, expected, False, timeout)\n",
"role": "user"
},
{
"content": "wait_until_element_value_contains",
"role": "assistant"
}
] |
def x(self, locator):
self._info("Setting focus on element '%s'" % locator)
element = self._element_find(locator, True, True)
element.send_keys(Keys.NULL)
self._wait_until_no_error(None, self._check_element_focus, True, locator)
| set_element_focus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator):\n self._info(\"Setting focus on element '%s'\" % locator)\n element = self._element_find(locator, True, True)\n element.send_keys(Keys.NULL)\n self._wait_until_no_error(None, self._check_element_focus, True, locator)\n",
"role": "user"
},
{
"content": "set_element_focus",
"role": "assistant"
}
] |
def x(self, locator, method=0):
element = self._element_find(locator, True, True)
if int(method) == 0:
self._info("Clearing input on element '%s'" % locator)
element.clear()
elif int(method) == 1:
self._info(
"Clearing input on element '%s' by pressing 'CTRL + A + DELETE'" %
locator)
element.send_keys(Keys.CONTROL + 'a')
element.send_keys(Keys.DELETE)
elif int(method) == 2:
self._info(
"Clearing input on element '%s' by repeatedly pressing BACKSPACE" %
locator)
while len(element.get_attribute('value')) != 0:
element.send_keys(Keys.BACKSPACE)
else:
element.clear()
| clear_input_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, method=0):\n element = self._element_find(locator, True, True)\n if int(method) == 0:\n self._info(\"Clearing input on element '%s'\" % locator)\n element.clear()\n elif int(method) == 1:\n self._info(\n \"Clearing input on element '%s' by pressing 'CTRL + A + DELETE'\" %\n locator)\n element.send_keys(Keys.CONTROL + 'a')\n element.send_keys(Keys.DELETE)\n elif int(method) == 2:\n self._info(\n \"Clearing input on element '%s' by repeatedly pressing BACKSPACE\" %\n locator)\n while len(element.get_attribute('value')) != 0:\n element.send_keys(Keys.BACKSPACE)\n else:\n element.clear()\n",
"role": "user"
},
{
"content": "clear_input_field",
"role": "assistant"
}
] |
def x(self, locator, expected):
self._info("Verifying element '%s' has text color '%s'" % (locator,
expected))
self._check_element_css_value(locator, 'color', expected)
| element_text_color_should_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected):\n self._info(\"Verifying element '%s' has text color '%s'\" % (locator,\n expected))\n self._check_element_css_value(locator, 'color', expected)\n",
"role": "user"
},
{
"content": "element_text_color_should_be",
"role": "assistant"
}
] |
def x(self, locator, expected):
self._info("Verifying element '%s' has background color '%s'" % (
locator, expected))
self._check_element_css_value(locator, 'background-color', expected)
| element_background_color_should_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected):\n self._info(\"Verifying element '%s' has background color '%s'\" % (\n locator, expected))\n self._check_element_css_value(locator, 'background-color', expected)\n",
"role": "user"
},
{
"content": "element_background_color_should_be",
"role": "assistant"
}
] |
def x(self, locator, expected):
self._info("Verifying element '%s' width is '%s'" % (locator, expected))
self._check_element_size(locator, 'width', expected)
| element_width_should_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected):\n self._info(\"Verifying element '%s' width is '%s'\" % (locator, expected))\n self._check_element_size(locator, 'width', expected)\n",
"role": "user"
},
{
"content": "element_width_should_be",
"role": "assistant"
}
] |
def x(self, locator, expected):
self._info("Verifying element '%s' height is '%s'" % (locator, expected))
self._check_element_size(locator, 'height', expected)
| element_height_should_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected):\n self._info(\"Verifying element '%s' height is '%s'\" % (locator, expected))\n self._check_element_size(locator, 'height', expected)\n",
"role": "user"
},
{
"content": "element_height_should_be",
"role": "assistant"
}
] |
def x(self, locator, expected, strip=False):
self._info("Verifying element '%s' value is '%s'" % (locator, expected))
element = self._element_find(locator, True, True)
value = element.get_attribute('value')
if strip:
value = value.strip()
if str(value) == expected:
return
else:
raise AssertionError("Element '%s' value was not '%s', it was '%s'" %
(locator, expected, value))
| element_value_should_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected, strip=False):\n self._info(\"Verifying element '%s' value is '%s'\" % (locator, expected))\n element = self._element_find(locator, True, True)\n value = element.get_attribute('value')\n if strip:\n value = value.strip()\n if str(value) == expected:\n return\n else:\n raise AssertionError(\"Element '%s' value was not '%s', it was '%s'\" %\n (locator, expected, value))\n",
"role": "user"
},
{
"content": "element_value_should_be",
"role": "assistant"
}
] |
def x(self, locator, value, strip=False):
self._info("Verifying element '%s' value is not '%s'" % (locator, value))
element = self._element_find(locator, True, True)
elem_value = str(element.get_attribute('value'))
if strip:
elem_value = elem_value.strip()
if elem_value == value:
raise AssertionError(
"Value was '%s' for element '%s' while it shouldn't have" % (
elem_value, locator))
| element_value_should_not_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, value, strip=False):\n self._info(\"Verifying element '%s' value is not '%s'\" % (locator, value))\n element = self._element_find(locator, True, True)\n elem_value = str(element.get_attribute('value'))\n if strip:\n elem_value = elem_value.strip()\n if elem_value == value:\n raise AssertionError(\n \"Value was '%s' for element '%s' while it shouldn't have\" % (\n elem_value, locator))\n",
"role": "user"
},
{
"content": "element_value_should_not_be",
"role": "assistant"
}
] |
def x(self, locator, expected):
self._info("Verifying element '%s' value contains '%s'" % (locator,
expected))
element = self._element_find(locator, True, True)
value = str(element.get_attribute('value'))
if expected in value:
return
else:
raise AssertionError(
"Value '%s' did not appear in element '%s'. It's value was '%s'" %
(expected, locator, value))
| element_value_should_contain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, expected):\n self._info(\"Verifying element '%s' value contains '%s'\" % (locator,\n expected))\n element = self._element_find(locator, True, True)\n value = str(element.get_attribute('value'))\n if expected in value:\n return\n else:\n raise AssertionError(\n \"Value '%s' did not appear in element '%s'. It's value was '%s'\" %\n (expected, locator, value))\n",
"role": "user"
},
{
"content": "element_value_should_contain",
"role": "assistant"
}
] |
def x(self, locator, value):
self._info("Verifying element '%s' value does not contain '%s'" % (
locator, value))
element = self._element_find(locator, True, True)
elem_value = str(element.get_attribute('value'))
if value in elem_value:
raise AssertionError(
"Value '%s' was found in element '%s' while it shouldn't have" %
(value, locator))
| element_value_should_not_contain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, value):\n self._info(\"Verifying element '%s' value does not contain '%s'\" % (\n locator, value))\n element = self._element_find(locator, True, True)\n elem_value = str(element.get_attribute('value'))\n if value in elem_value:\n raise AssertionError(\n \"Value '%s' was found in element '%s' while it shouldn't have\" %\n (value, locator))\n",
"role": "user"
},
{
"content": "element_value_should_not_contain",
"role": "assistant"
}
] |
def x(self, locator):
self._info("Verifying element '%s' focus is set" % locator)
self._check_element_focus(True, locator)
| element_focus_should_be_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator):\n self._info(\"Verifying element '%s' focus is set\" % locator)\n self._check_element_focus(True, locator)\n",
"role": "user"
},
{
"content": "element_focus_should_be_set",
"role": "assistant"
}
] |
def x(self, locator):
self._info("Verifying element '%s' focus is not set" % locator)
self._check_element_focus(False, locator)
| element_focus_should_not_be_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator):\n self._info(\"Verifying element '%s' focus is not set\" % locator)\n self._check_element_focus(False, locator)\n",
"role": "user"
},
{
"content": "element_focus_should_not_be_set",
"role": "assistant"
}
] |
def x(self, locator, prop, expected):
self._info(
"Verifying element '%s' has css attribute '%s' with a value of '%s'" %
(locator, prop, expected))
self._check_element_css_value(locator, prop, expected)
| element_css_attribute_should_be | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, prop, expected):\n self._info(\n \"Verifying element '%s' has css attribute '%s' with a value of '%s'\" %\n (locator, prop, expected))\n self._check_element_css_value(locator, prop, expected)\n",
"role": "user"
},
{
"content": "element_css_attribute_should_be",
"role": "assistant"
}
] |
def x(self, timeout, *locators):
self._wait_until_no_error(timeout, self._wait_for_elements, locators)
| wait_until_page_contains_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout, *locators):\n self._wait_until_no_error(timeout, self._wait_for_elements, locators)\n",
"role": "user"
},
{
"content": "wait_until_page_contains_elements",
"role": "assistant"
}
] |
def x(self, timeout, *locators):
self._wait_until_no_error(timeout, self._wait_for_at_least_one_element,
locators)
| wait_until_page_contains_one_of_these_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout, *locators):\n self._wait_until_no_error(timeout, self._wait_for_at_least_one_element,\n locators)\n",
"role": "user"
},
{
"content": "wait_until_page_contains_one_of_these_elements",
"role": "assistant"
}
] |
def x(self, timeout, *locators):
self._wait_until_no_error(timeout, self._wait_for_elements_to_go_away,
locators)
| wait_until_page_does_not_contain_these_elements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout, *locators):\n self._wait_until_no_error(timeout, self._wait_for_elements_to_go_away,\n locators)\n",
"role": "user"
},
{
"content": "wait_until_page_does_not_contain_these_elements",
"role": "assistant"
}
] |
def x(self, key, complementKey=None):
driver = self._current_browser()
if complementKey is not None:
ActionChains(driver).key_down(complementKey).send_keys(key).key_up(
complementKey).perform()
else:
ActionChains(driver).send_keys(key).perform()
| tap_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, complementKey=None):\n driver = self._current_browser()\n if complementKey is not None:\n ActionChains(driver).key_down(complementKey).send_keys(key).key_up(\n complementKey).perform()\n else:\n ActionChains(driver).send_keys(key).perform()\n",
"role": "user"
},
{
"content": "tap_key",
"role": "assistant"
}
] |
def x(self, locator, timeout=None):
self._wait_until_no_error(timeout, self._wait_for_click_to_succeed, locator
)
| wait_until_element_is_clickable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, timeout=None):\n self._wait_until_no_error(timeout, self._wait_for_click_to_succeed, locator\n )\n",
"role": "user"
},
{
"content": "wait_until_element_is_clickable",
"role": "assistant"
}
] |
def x(self, arg):
if (_qualname(type(self)), type(arg)) in _methods:
method = _methods[_qualname(type(self)), type(arg)]
return method(self, arg)
else:
arg_parent_type = arg.__class__.__bases__[0]
while arg_parent_type != object:
if (_qualname(type(self)), arg_parent_type) in _methods:
method = _methods[_qualname(type(self)), arg_parent_type]
return method(self, arg)
else:
arg_parent_type = arg_parent_type.__bases__[0]
raise VisitorException('No visitor found for class ' + str(type(arg)))
| visitor_impl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg):\n if (_qualname(type(self)), type(arg)) in _methods:\n method = _methods[_qualname(type(self)), type(arg)]\n return method(self, arg)\n else:\n arg_parent_type = arg.__class__.__bases__[0]\n while arg_parent_type != object:\n if (_qualname(type(self)), arg_parent_type) in _methods:\n method = _methods[_qualname(type(self)), arg_parent_type]\n return method(self, arg)\n else:\n arg_parent_type = arg_parent_type.__bases__[0]\n raise VisitorException('No visitor found for class ' + str(type(arg)))\n",
"role": "user"
},
{
"content": "visitor_impl",
"role": "assistant"
}
] |
def x(arg_type):
def x(fn):
declaring_class = _declaring_class(fn)
_methods[declaring_class, arg_type] = fn
return _visitor_impl
return decorator
| visitor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arg_type):\n\n def x(fn):\n declaring_class = _declaring_class(fn)\n _methods[declaring_class, arg_type] = fn\n return _visitor_impl\n return decorator\n",
"role": "user"
},
{
"content": "visitor",
"role": "assistant"
}
] |
def x(parser, token):
node = url(parser, token)
return AbsoluteUrlNode(view_name=node.view_name, args=node.args, kwargs
=node.kwargs, asvar=node.asvar)
| absolute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n node = url(parser, token)\n return AbsoluteUrlNode(view_name=node.view_name, args=node.args, kwargs\n =node.kwargs, asvar=node.asvar)\n",
"role": "user"
},
{
"content": "absolute",
"role": "assistant"
}
] |
def x(parser, token):
node = url(parser, token)
return SiteUrlNode(view_name=node.view_name, args=node.args, kwargs=
node.kwargs, asvar=node.asvar)
| site | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, token):\n node = url(parser, token)\n return SiteUrlNode(view_name=node.view_name, args=node.args, kwargs=\n node.kwargs, asvar=node.asvar)\n",
"role": "user"
},
{
"content": "site",
"role": "assistant"
}
] |
def x(self, timeout, error, function, *args):
error = error.replace('<TIMEOUT>', self._format_timeout(timeout))
def x():
return None if function(*args) else error
self._wait_until_no_error_exp(timeout, wait_func)
| wait_until_exp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout, error, function, *args):\n error = error.replace('<TIMEOUT>', self._format_timeout(timeout))\n\n def x():\n return None if function(*args) else error\n self._wait_until_no_error_exp(timeout, wait_func)\n",
"role": "user"
},
{
"content": "wait_until_exp",
"role": "assistant"
}
] |
def x(self, timeout, wait_func, *args):
timeout = robot.utils.timestr_to_secs(timeout
) if timeout is not None else self._timeout_in_secs
maxtime = time.time() + timeout
while True:
try:
timeout_error = wait_func(*args)
if not timeout_error:
return
if time.time() > maxtime:
raise AssertionError(timeout_error)
time.sleep(0.2)
except AssertionError:
raise
except:
if time.time() > maxtime:
raise
continue
| wait_until_no_error_exp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout, wait_func, *args):\n timeout = robot.utils.timestr_to_secs(timeout\n ) if timeout is not None else self._timeout_in_secs\n maxtime = time.time() + timeout\n while True:\n try:\n timeout_error = wait_func(*args)\n if not timeout_error:\n return\n if time.time() > maxtime:\n raise AssertionError(timeout_error)\n time.sleep(0.2)\n except AssertionError:\n raise\n except:\n if time.time() > maxtime:\n raise\n continue\n",
"role": "user"
},
{
"content": "wait_until_no_error_exp",
"role": "assistant"
}
] |
def x(filename):
content = open(filename).read()
return re.sub('\\.\\.\\s? code-block::\\s*(\\w|\\+)+', '::', content)
| rst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n content = open(filename).read()\n return re.sub('\\\\.\\\\.\\\\s? code-block::\\\\s*(\\\\w|\\\\+)+', '::', content)\n",
"role": "user"
},
{
"content": "rst",
"role": "assistant"
}
] |
def x(obj):
methodDict = {}
for methodStr in dir(obj):
method = getattr(obj, methodStr, 'none')
if callable(method) and not methodStr.startswith('_'):
methodDict[methodStr] = method
return methodDict
| get_callable_method_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n methodDict = {}\n for methodStr in dir(obj):\n method = getattr(obj, methodStr, 'none')\n if callable(method) and not methodStr.startswith('_'):\n methodDict[methodStr] = method\n return methodDict\n",
"role": "user"
},
{
"content": "get_callable_method_dict",
"role": "assistant"
}
] |
def x(srcObj, dstObj):
overridden_methods = get_callable_method_dict(type(dstObj)).keys()
def x(func):
def x(*args, **kwargs):
return wrapped_zos_object(func(*args, **kwargs))
varnames = func.im_func.func_code.co_varnames
params = [par for par in varnames if par not in ('self', 'ret')]
wrapper.__doc__ = func.im_func.func_name + '(' + ', '.join(params
) + ')'
return wrapper
for key, value in get_callable_method_dict(srcObj).items():
if key not in overridden_methods:
setattr(dstObj, key, zos_wrapper_deco(value))
| replicate_methods | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcObj, dstObj):\n overridden_methods = get_callable_method_dict(type(dstObj)).keys()\n\n def x(func):\n\n def x(*args, **kwargs):\n return wrapped_zos_object(func(*args, **kwargs))\n varnames = func.im_func.func_code.co_varnames\n params = [par for par in varnames if par not in ('self', 'ret')]\n wrapper.__doc__ = func.im_func.func_name + '(' + ', '.join(params\n ) + ')'\n return wrapper\n for key, value in get_callable_method_dict(srcObj).items():\n if key not in overridden_methods:\n setattr(dstObj, key, zos_wrapper_deco(value))\n",
"role": "user"
},
{
"content": "replicate_methods",
"role": "assistant"
}
] |
def x(zos_obj):
prop_get = set(zos_obj._prop_map_get_.keys())
prop_set = set(zos_obj._prop_map_put_.keys())
if prop_set.issubset(prop_get):
prop_get = prop_get.difference(prop_set)
else:
msg = 'Assumption all getters are also setters is incorrect!'
raise NotImplementedError(msg)
return list(prop_get), list(prop_set)
| get_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zos_obj):\n prop_get = set(zos_obj._prop_map_get_.keys())\n prop_set = set(zos_obj._prop_map_put_.keys())\n if prop_set.issubset(prop_get):\n prop_get = prop_get.difference(prop_set)\n else:\n msg = 'Assumption all getters are also setters is incorrect!'\n raise NotImplementedError(msg)\n return list(prop_get), list(prop_set)\n",
"role": "user"
},
{
"content": "get_properties",
"role": "assistant"
}
] |
def x(zos_obj):
cls_name = repr(zos_obj).split()[0].split('.')[-1]
dispatch_attr = '_' + cls_name.lower()
cdict = {}
base_cls_list = inheritance_dict.get(cls_name, None)
if base_cls_list:
for base_cls_name in base_cls_list:
getters, setters = get_properties(_CastTo(zos_obj, base_cls_name))
for each in getters:
exec("p{} = ZOSPropMapper('{}', '{}', cast_to='{}')".format
(each, dispatch_attr, each, base_cls_name), globals(),
cdict)
for each in setters:
exec(
"p{} = ZOSPropMapper('{}', '{}', setter=True, cast_to='{}')"
.format(each, dispatch_attr, each, base_cls_name),
globals(), cdict)
getters, setters = get_properties(zos_obj)
for each in getters:
exec("p{} = ZOSPropMapper('{}', '{}')".format(each, dispatch_attr,
each), globals(), cdict)
for each in setters:
exec("p{} = ZOSPropMapper('{}', '{}', setter=True)".format(each,
dispatch_attr, each), globals(), cdict)
def x(self, zos_obj):
cls_name = repr(zos_obj).split()[0].split('.')[-1]
dispatch_attr = '_' + cls_name.lower()
self.__dict__[dispatch_attr] = zos_obj
self._dispatch_attr_value = dispatch_attr
self._base_cls_list = inheritance_dict.get(cls_name, None)
if self._base_cls_list:
for base_cls_name in self._base_cls_list:
replicate_methods(_CastTo(zos_obj, base_cls_name), self)
replicate_methods(zos_obj, self)
self._wrapped = True
def x(self, attrname):
return wrapped_zos_object(getattr(self.__dict__[self.
_dispatch_attr_value], attrname))
def x(self):
if type(self).__name__ == 'IZOSAPI_Application':
repr_str = '{.__name__}(NumberOfOpticalSystems = {})'.format(type
(self), self.pNumberOfOpticalSystems)
else:
repr_str = '{.__name__}'.format(type(self))
return repr_str
cdict['__init__'] = __init__
cdict['__getattr__'] = __getattr__
cdict['__repr__'] = __repr__
module_import_str = (
"""
try:
from pyzos.zos_obj_override.{module:} import *
except ImportError:
pass
"""
.format(module=cls_name.lower() + '_methods'))
exec(module_import_str, globals(), cdict)
_ = cdict.pop('print_function', None)
_ = cdict.pop('division', None)
return type(cls_name, (), cdict)
| managed_wrapper_class_factory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zos_obj):\n cls_name = repr(zos_obj).split()[0].split('.')[-1]\n dispatch_attr = '_' + cls_name.lower()\n cdict = {}\n base_cls_list = inheritance_dict.get(cls_name, None)\n if base_cls_list:\n for base_cls_name in base_cls_list:\n getters, setters = get_properties(_CastTo(zos_obj, base_cls_name))\n for each in getters:\n exec(\"p{} = ZOSPropMapper('{}', '{}', cast_to='{}')\".format\n (each, dispatch_attr, each, base_cls_name), globals(),\n cdict)\n for each in setters:\n exec(\n \"p{} = ZOSPropMapper('{}', '{}', setter=True, cast_to='{}')\"\n .format(each, dispatch_attr, each, base_cls_name),\n globals(), cdict)\n getters, setters = get_properties(zos_obj)\n for each in getters:\n exec(\"p{} = ZOSPropMapper('{}', '{}')\".format(each, dispatch_attr,\n each), globals(), cdict)\n for each in setters:\n exec(\"p{} = ZOSPropMapper('{}', '{}', setter=True)\".format(each,\n dispatch_attr, each), globals(), cdict)\n\n def x(self, zos_obj):\n cls_name = repr(zos_obj).split()[0].split('.')[-1]\n dispatch_attr = '_' + cls_name.lower()\n self.__dict__[dispatch_attr] = zos_obj\n self._dispatch_attr_value = dispatch_attr\n self._base_cls_list = inheritance_dict.get(cls_name, None)\n if self._base_cls_list:\n for base_cls_name in self._base_cls_list:\n replicate_methods(_CastTo(zos_obj, base_cls_name), self)\n replicate_methods(zos_obj, self)\n self._wrapped = True\n\n def x(self, attrname):\n return wrapped_zos_object(getattr(self.__dict__[self.\n _dispatch_attr_value], attrname))\n\n def x(self):\n if type(self).__name__ == 'IZOSAPI_Application':\n repr_str = '{.__name__}(NumberOfOpticalSystems = {})'.format(type\n (self), self.pNumberOfOpticalSystems)\n else:\n repr_str = '{.__name__}'.format(type(self))\n return repr_str\n cdict['__init__'] = __init__\n cdict['__getattr__'] = __getattr__\n cdict['__repr__'] = __repr__\n module_import_str = (\n \"\"\"\ntry: \n from pyzos.zos_obj_override.{module:} import *\nexcept ImportError:\n pass\n\"\"\"\n .format(module=cls_name.lower() + '_methods'))\n exec(module_import_str, globals(), cdict)\n _ = cdict.pop('print_function', None)\n _ = cdict.pop('division', None)\n return type(cls_name, (), cdict)\n",
"role": "user"
},
{
"content": "managed_wrapper_class_factory",
"role": "assistant"
}
] |
def x(zos_obj):
if hasattr(zos_obj, '_wrapped') or 'CLSID' not in dir(zos_obj):
return zos_obj
else:
Class = managed_wrapper_class_factory(zos_obj)
return Class(zos_obj)
| wrapped_zos_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zos_obj):\n if hasattr(zos_obj, '_wrapped') or 'CLSID' not in dir(zos_obj):\n return zos_obj\n else:\n Class = managed_wrapper_class_factory(zos_obj)\n return Class(zos_obj)\n",
"role": "user"
},
{
"content": "wrapped_zos_object",
"role": "assistant"
}
] |
def x(scheme='ecdsa-sha2-nistp256'):
securesystemslib.formats.ECDSA_SCHEME_SCHEMA.check_match(scheme)
public_key = None
private_key = None
if scheme == 'ecdsa-sha2-nistp256':
private_key = ec.generate_private_key(ec.SECP256R1, default_backend())
public_key = private_key.public_key()
else:
raise securesystemslib.exceptions.UnsupportedAlgorithmError(
'An unsupported scheme specified: ' + repr(scheme) +
""".
Supported algorithms: """ + repr(_SUPPORTED_ECDSA_SCHEMES))
private_pem = private_key.private_bytes(encoding=serialization.Encoding
.PEM, format=serialization.PrivateFormat.TraditionalOpenSSL,
encryption_algorithm=serialization.NoEncryption())
public_pem = public_key.public_bytes(encoding=serialization.Encoding.
PEM, format=serialization.PublicFormat.SubjectPublicKeyInfo)
return public_pem.decode('utf-8'), private_pem.decode('utf-8')
| generate_public_and_private | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scheme='ecdsa-sha2-nistp256'):\n securesystemslib.formats.ECDSA_SCHEME_SCHEMA.check_match(scheme)\n public_key = None\n private_key = None\n if scheme == 'ecdsa-sha2-nistp256':\n private_key = ec.generate_private_key(ec.SECP256R1, default_backend())\n public_key = private_key.public_key()\n else:\n raise securesystemslib.exceptions.UnsupportedAlgorithmError(\n 'An unsupported scheme specified: ' + repr(scheme) +\n \"\"\".\n Supported algorithms: \"\"\" + repr(_SUPPORTED_ECDSA_SCHEMES))\n private_pem = private_key.private_bytes(encoding=serialization.Encoding\n .PEM, format=serialization.PrivateFormat.TraditionalOpenSSL,\n encryption_algorithm=serialization.NoEncryption())\n public_pem = public_key.public_bytes(encoding=serialization.Encoding.\n PEM, format=serialization.PublicFormat.SubjectPublicKeyInfo)\n return public_pem.decode('utf-8'), private_pem.decode('utf-8')\n",
"role": "user"
},
{
"content": "generate_public_and_private",
"role": "assistant"
}
] |
def x(public_key, private_key, data, scheme='ecdsa-sha2-nistp256'):
securesystemslib.formats.PEMECDSA_SCHEMA.check_match(public_key)
securesystemslib.formats.PEMECDSA_SCHEMA.check_match(private_key)
securesystemslib.formats.ECDSA_SCHEME_SCHEMA.check_match(scheme)
if scheme == 'ecdsa-sha2-nistp256':
try:
private_key = load_pem_private_key(private_key.encode('utf-8'),
password=None, backend=default_backend())
signature = private_key.sign(data, ec.ECDSA(hashes.SHA256()))
except TypeError as e:
raise securesystemslib.exceptions.CryptoError(
'Could not create signature: ' + str(e))
else:
raise securesystemslib.exceptions.UnsupportedAlgorithmError(
'Unsupported signature scheme is specified: ' + repr(scheme))
return signature, scheme
| create_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(public_key, private_key, data, scheme='ecdsa-sha2-nistp256'):\n securesystemslib.formats.PEMECDSA_SCHEMA.check_match(public_key)\n securesystemslib.formats.PEMECDSA_SCHEMA.check_match(private_key)\n securesystemslib.formats.ECDSA_SCHEME_SCHEMA.check_match(scheme)\n if scheme == 'ecdsa-sha2-nistp256':\n try:\n private_key = load_pem_private_key(private_key.encode('utf-8'),\n password=None, backend=default_backend())\n signature = private_key.sign(data, ec.ECDSA(hashes.SHA256()))\n except TypeError as e:\n raise securesystemslib.exceptions.CryptoError(\n 'Could not create signature: ' + str(e))\n else:\n raise securesystemslib.exceptions.UnsupportedAlgorithmError(\n 'Unsupported signature scheme is specified: ' + repr(scheme))\n return signature, scheme\n",
"role": "user"
},
{
"content": "create_signature",
"role": "assistant"
}
] |
def x(public_key, scheme, signature, data):
securesystemslib.formats.PEMECDSA_SCHEMA.check_match(public_key)
securesystemslib.formats.ECDSA_SCHEME_SCHEMA.check_match(scheme)
securesystemslib.formats.ECDSASIGNATURE_SCHEMA.check_match(signature)
ecdsa_key = load_pem_public_key(public_key.encode('utf-8'), backend=
default_backend())
if not isinstance(ecdsa_key, ec.EllipticCurvePublicKey):
raise securesystemslib.exceptions.FormatError(
'Invalid ECDSA public key: ' + repr(public_key))
else:
logger.debug('Loaded a valid ECDSA public key.')
try:
ecdsa_key.verify(signature, data, ec.ECDSA(hashes.SHA256()))
return True
except (TypeError, cryptography.exceptions.InvalidSignature):
return False
| verify_signature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(public_key, scheme, signature, data):\n securesystemslib.formats.PEMECDSA_SCHEMA.check_match(public_key)\n securesystemslib.formats.ECDSA_SCHEME_SCHEMA.check_match(scheme)\n securesystemslib.formats.ECDSASIGNATURE_SCHEMA.check_match(signature)\n ecdsa_key = load_pem_public_key(public_key.encode('utf-8'), backend=\n default_backend())\n if not isinstance(ecdsa_key, ec.EllipticCurvePublicKey):\n raise securesystemslib.exceptions.FormatError(\n 'Invalid ECDSA public key: ' + repr(public_key))\n else:\n logger.debug('Loaded a valid ECDSA public key.')\n try:\n ecdsa_key.verify(signature, data, ec.ECDSA(hashes.SHA256()))\n return True\n except (TypeError, cryptography.exceptions.InvalidSignature):\n return False\n",
"role": "user"
},
{
"content": "verify_signature",
"role": "assistant"
}
] |
def x(pem, password=None):
securesystemslib.formats.PEMECDSA_SCHEMA.check_match(pem)
if password is not None:
securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)
password = password.encode('utf-8')
else:
logger.debug(
'The password/passphrase is unset. The PEM is expected to be unencrypted.'
)
public = None
private = None
try:
private = load_pem_private_key(pem.encode('utf-8'), password=
password, backend=default_backend())
except (ValueError, cryptography.exceptions.UnsupportedAlgorithm) as e:
raise securesystemslib.exceptions.CryptoError(
'Could not import private PEM.\n' + str(e))
public = private.public_key()
private = private.private_bytes(encoding=serialization.Encoding.PEM,
format=serialization.PrivateFormat.TraditionalOpenSSL,
encryption_algorithm=serialization.NoEncryption())
public = public.public_bytes(encoding=serialization.Encoding.PEM,
format=serialization.PublicFormat.SubjectPublicKeyInfo)
return public.decode('utf-8'), private.decode('utf-8')
| create_ecdsa_public_and_private_from_pem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pem, password=None):\n securesystemslib.formats.PEMECDSA_SCHEMA.check_match(pem)\n if password is not None:\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(password)\n password = password.encode('utf-8')\n else:\n logger.debug(\n 'The password/passphrase is unset. The PEM is expected to be unencrypted.'\n )\n public = None\n private = None\n try:\n private = load_pem_private_key(pem.encode('utf-8'), password=\n password, backend=default_backend())\n except (ValueError, cryptography.exceptions.UnsupportedAlgorithm) as e:\n raise securesystemslib.exceptions.CryptoError(\n 'Could not import private PEM.\\n' + str(e))\n public = private.public_key()\n private = private.private_bytes(encoding=serialization.Encoding.PEM,\n format=serialization.PrivateFormat.TraditionalOpenSSL,\n encryption_algorithm=serialization.NoEncryption())\n public = public.public_bytes(encoding=serialization.Encoding.PEM,\n format=serialization.PublicFormat.SubjectPublicKeyInfo)\n return public.decode('utf-8'), private.decode('utf-8')\n",
"role": "user"
},
{
"content": "create_ecdsa_public_and_private_from_pem",
"role": "assistant"
}
] |
def x(private_pem, passphrase):
securesystemslib.formats.PEMRSA_SCHEMA.check_match(private_pem)
securesystemslib.formats.PASSWORD_SCHEMA.check_match(passphrase)
encrypted_pem = None
private = load_pem_private_key(private_pem.encode('utf-8'), password=
None, backend=default_backend())
encrypted_private_pem = private.private_bytes(encoding=serialization.
Encoding.PEM, format=serialization.PrivateFormat.TraditionalOpenSSL,
encryption_algorithm=serialization.BestAvailableEncryption(
passphrase.encode('utf-8')))
return encrypted_private_pem
| create_ecdsa_encrypted_pem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(private_pem, passphrase):\n securesystemslib.formats.PEMRSA_SCHEMA.check_match(private_pem)\n securesystemslib.formats.PASSWORD_SCHEMA.check_match(passphrase)\n encrypted_pem = None\n private = load_pem_private_key(private_pem.encode('utf-8'), password=\n None, backend=default_backend())\n encrypted_private_pem = private.private_bytes(encoding=serialization.\n Encoding.PEM, format=serialization.PrivateFormat.TraditionalOpenSSL,\n encryption_algorithm=serialization.BestAvailableEncryption(\n passphrase.encode('utf-8')))\n return encrypted_private_pem\n",
"role": "user"
},
{
"content": "create_ecdsa_encrypted_pem",
"role": "assistant"
}
] |
def x(self):
self.current_table = None
self.tables = []
self.data = [{}]
self.additional_data = {}
self.lines = []
self.set_state('document')
self.current_file = None
self.set_of_energies = set()
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.current_table = None\n self.tables = []\n self.data = [{}]\n self.additional_data = {}\n self.lines = []\n self.set_state('document')\n self.current_file = None\n self.set_of_energies = set()\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, file):
line = self._strip_comments(file.readline())
if not line:
return False
if line.strip() == '':
return True
reg = re.search('^\\*(?P<key>[^:#]*)(:\\s*(?P<value>.*)\\s*)?$', line)
if reg:
key = reg.group('key').strip()
value = reg.group('value')
if key in self.mapping[self.current_state]:
self.mapping[self.current_state][key](value)
elif self.strict:
raise BadFormat('unknown key: *%s' % key)
else:
raise BadFormat('line can not be parsed: %s' % line)
return True
| parse_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n line = self._strip_comments(file.readline())\n if not line:\n return False\n if line.strip() == '':\n return True\n reg = re.search('^\\\\*(?P<key>[^:#]*)(:\\\\s*(?P<value>.*)\\\\s*)?$', line)\n if reg:\n key = reg.group('key').strip()\n value = reg.group('value')\n if key in self.mapping[self.current_state]:\n self.mapping[self.current_state][key](value)\n elif self.strict:\n raise BadFormat('unknown key: *%s' % key)\n else:\n raise BadFormat('line can not be parsed: %s' % line)\n return True\n",
"role": "user"
},
{
"content": "parse_line",
"role": "assistant"
}
] |
def x(self, data):
self.set_state('table')
self.current_table = HEPTable(index=len(self.tables) + 1)
self.tables.append(self.current_table)
self.data.append(self.current_table.metadata)
| set_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self.set_state('table')\n self.current_table = HEPTable(index=len(self.tables) + 1)\n self.tables.append(self.current_table)\n self.data.append(self.current_table.metadata)\n",
"role": "user"
},
{
"content": "set_table",
"role": "assistant"
}
] |
def x(self):
nxax = len(self.current_table.data['independent_variables'])
nyax = len(self.current_table.data['dependent_variables'])
npts = len(self.current_table.data['dependent_variables'][0]['values'])
if nxax != 1 or nyax != npts or npts < 2:
return False
if len(self.current_table.xheaders) == 2:
xheader = self.current_table.xheaders[1]
else:
xheader = copy.deepcopy(self.current_table.data[
'independent_variables'][0]['header'])
self.current_table.data['independent_variables'].append({'header':
xheader, 'values': []})
for value in self.current_table.data['independent_variables'][0]['values']:
self.current_table.data['independent_variables'][1]['values'].extend([
copy.deepcopy(value) for npt in range(npts)])
self.current_table.data['independent_variables'][0]['values'] = [copy.
deepcopy(value) for npt in range(npts) for value in self.
current_table.data['independent_variables'][0]['values']]
if self.current_table.data['dependent_variables'][0]['header'
] != self.current_table.data['dependent_variables'][1]['header']:
self.current_table.data['dependent_variables'][0]['header'] = {'name':
''}
iqdel = []
for iq, qualifier in enumerate(self.current_table.data[
'dependent_variables'][0]['qualifiers']):
if qualifier != self.current_table.data['dependent_variables'][1][
'qualifiers'][iq]:
iqdel.append(iq)
for iq in iqdel[::-1]:
del self.current_table.data['dependent_variables'][0]['qualifiers'][iq]
for iy in range(1, nyax):
for value in self.current_table.data['dependent_variables'][iy][
'values']:
self.current_table.data['dependent_variables'][0]['values'].append(
value)
for iy in range(nyax - 1, 0, -1):
del self.current_table.data['dependent_variables'][iy]
return True
| reformat_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nxax = len(self.current_table.data['independent_variables'])\n nyax = len(self.current_table.data['dependent_variables'])\n npts = len(self.current_table.data['dependent_variables'][0]['values'])\n if nxax != 1 or nyax != npts or npts < 2:\n return False\n if len(self.current_table.xheaders) == 2:\n xheader = self.current_table.xheaders[1]\n else:\n xheader = copy.deepcopy(self.current_table.data[\n 'independent_variables'][0]['header'])\n self.current_table.data['independent_variables'].append({'header':\n xheader, 'values': []})\n for value in self.current_table.data['independent_variables'][0]['values']:\n self.current_table.data['independent_variables'][1]['values'].extend([\n copy.deepcopy(value) for npt in range(npts)])\n self.current_table.data['independent_variables'][0]['values'] = [copy.\n deepcopy(value) for npt in range(npts) for value in self.\n current_table.data['independent_variables'][0]['values']]\n if self.current_table.data['dependent_variables'][0]['header'\n ] != self.current_table.data['dependent_variables'][1]['header']:\n self.current_table.data['dependent_variables'][0]['header'] = {'name':\n ''}\n iqdel = []\n for iq, qualifier in enumerate(self.current_table.data[\n 'dependent_variables'][0]['qualifiers']):\n if qualifier != self.current_table.data['dependent_variables'][1][\n 'qualifiers'][iq]:\n iqdel.append(iq)\n for iq in iqdel[::-1]:\n del self.current_table.data['dependent_variables'][0]['qualifiers'][iq]\n for iy in range(1, nyax):\n for value in self.current_table.data['dependent_variables'][iy][\n 'values']:\n self.current_table.data['dependent_variables'][0]['values'].append(\n value)\n for iy in range(nyax - 1, 0, -1):\n del self.current_table.data['dependent_variables'][iy]\n return True\n",
"role": "user"
},
{
"content": "reformat_matrix",
"role": "assistant"
}
] |
def x(self, data):
list = []
headers = data.split(':')
name = headers[0].strip()
name = re.split(' IN ', name, flags=re.I)
units = None
if len(name) > 1:
units = name[1].strip()
name = name[0].strip()
if len(headers) < 2:
raise BadFormat('*qual line must contain a name and values: %s' % data)
for header in headers[1:]:
xheader = {'name': name}
if units:
xheader['units'] = units
xheader['value'] = header.strip()
list.append(xheader)
if name.startswith('SQRT(S)') and lower(units) in 'gev':
energies = re.split(' TO ', xheader['value'], flags=re.I)
for energy in energies:
try:
energy = float(energy)
self.set_of_energies.add(energy)
except:
pass
self.current_table.qualifiers.append(list)
| parse_qual | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n list = []\n headers = data.split(':')\n name = headers[0].strip()\n name = re.split(' IN ', name, flags=re.I)\n units = None\n if len(name) > 1:\n units = name[1].strip()\n name = name[0].strip()\n if len(headers) < 2:\n raise BadFormat('*qual line must contain a name and values: %s' % data)\n for header in headers[1:]:\n xheader = {'name': name}\n if units:\n xheader['units'] = units\n xheader['value'] = header.strip()\n list.append(xheader)\n if name.startswith('SQRT(S)') and lower(units) in 'gev':\n energies = re.split(' TO ', xheader['value'], flags=re.I)\n for energy in energies:\n try:\n energy = float(energy)\n self.set_of_energies.add(energy)\n except:\n pass\n self.current_table.qualifiers.append(list)\n",
"role": "user"
},
{
"content": "parse_qual",
"role": "assistant"
}
] |
def x(self, data):
return_list = []
headers = data.split(':')
for header in headers:
header = re.split(' IN ', header, flags=re.I)
xheader = {'name': header[0].strip()}
if len(header) > 1:
xheader['units'] = header[1].strip()
return_list.append(xheader)
return return_list
| parse_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n return_list = []\n headers = data.split(':')\n for header in headers:\n header = re.split(' IN ', header, flags=re.I)\n xheader = {'name': header[0].strip()}\n if len(header) > 1:\n xheader['units'] = header[1].strip()\n return_list.append(xheader)\n return return_list\n",
"role": "user"
},
{
"content": "parse_header",
"role": "assistant"
}
] |
def x(line):
if line == '':
return line
r = re.search('(?P<line>[^#]*)(#(?P<comment>.*))?', line)
if r:
line = r.group('line')
if not line.endswith('\n'):
line += '\n'
return line
return '\n'
| strip_comments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n if line == '':\n return line\n r = re.search('(?P<line>[^#]*)(#(?P<comment>.*))?', line)\n if r:\n line = r.group('line')\n if not line.endswith('\\n'):\n line += '\\n'\n return line\n return '\\n'\n",
"role": "user"
},
{
"content": "strip_comments",
"role": "assistant"
}
] |
def x(self, init_data):
result = init_data
first = True
while True:
last_index = self.current_file.tell()
line_raw = self.current_file.readline()
if line_raw[0] == '#':
continue
data = self._strip_comments(line_raw)
if not data:
break
if len(data.strip()) >= 1 and data.strip()[0] == '*':
self.current_file.seek(last_index)
break
if first:
result += '\n'
first = False
result += data
result = result.strip()
if result and not result.endswith('.'):
result += '.'
return result
| read_multiline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, init_data):\n result = init_data\n first = True\n while True:\n last_index = self.current_file.tell()\n line_raw = self.current_file.readline()\n if line_raw[0] == '#':\n continue\n data = self._strip_comments(line_raw)\n if not data:\n break\n if len(data.strip()) >= 1 and data.strip()[0] == '*':\n self.current_file.seek(last_index)\n break\n if first:\n result += '\\n'\n first = False\n result += data\n result = result.strip()\n if result and not result.endswith('.'):\n result += '.'\n return result\n",
"role": "user"
},
{
"content": "read_multiline",
"role": "assistant"
}
] |
def x(self, key, multiline=False):
def x(self, data):
if multiline:
data = self._read_multiline(data)
if key == 'location' and data:
data = 'Data from ' + data
self.current_table.metadata[key] = data.strip()
return set_table_metadata.__get__(self)
| bind_set_table_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, multiline=False):\n\n def x(self, data):\n if multiline:\n data = self._read_multiline(data)\n if key == 'location' and data:\n data = 'Data from ' + data\n self.current_table.metadata[key] = data.strip()\n return set_table_metadata.__get__(self)\n",
"role": "user"
},
{
"content": "bind_set_table_metadata",
"role": "assistant"
}
] |
def x(self, key, multiline=False):
def x(self, data):
if multiline:
data = self._read_multiline(data)
if key not in self.additional_data:
self.additional_data[key] = []
self.additional_data[key].append(data)
return _set_additional_data_bound.__get__(self)
| bind_parse_additional_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, multiline=False):\n\n def x(self, data):\n if multiline:\n data = self._read_multiline(data)\n if key not in self.additional_data:\n self.additional_data[key] = []\n self.additional_data[key].append(data)\n return _set_additional_data_bound.__get__(self)\n",
"role": "user"
},
{
"content": "bind_parse_additional_data",
"role": "assistant"
}
] |
def x(value, error):
if isinstance(error, (str, unicode)):
try:
if '%' in error:
error_float = float(error.replace('%', ''))
error_abs = value / 100 * error_float
return error_abs
elif error == '':
error = 0.0
else:
error = float(error)
except:
pass
return error
| error_value_processor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, error):\n if isinstance(error, (str, unicode)):\n try:\n if '%' in error:\n error_float = float(error.replace('%', ''))\n error_abs = value / 100 * error_float\n return error_abs\n elif error == '':\n error = 0.0\n else:\n error = float(error)\n except:\n pass\n return error\n",
"role": "user"
},
{
"content": "error_value_processor",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.