source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(status, access_key, id_only, all):
fields = [('Session ID', 'sess_id')]
with Session() as session:
if is_admin(session):
fields.append(('Owner', 'access_key'))
if not id_only:
fields.extend([('Image', 'image'), ('Tag', 'tag'), ('Created At',
'created_at'), ('Terminated At', 'terminated_at'), ('Status',
'status'), ('Occupied Resource', 'occupied_slots'), (
'Used Memory (MiB)', 'mem_cur_bytes'), ('Max Used Memory (MiB)',
'mem_max_bytes'), ('CPU Using (%)', 'cpu_using')])
if is_legacy_server():
del fields[2]
def x(limit, offset):
q = """
query($limit:Int!, $offset:Int!, $ak:String, $status:String) {
compute_session_list(
limit:$limit, offset:$offset, access_key:$ak, status:$status) {
items { $fields }
total_count
}
}"""
q = textwrap.dedent(q).strip()
q = q.replace('$fields', ' '.join(item[1] for item in fields))
v = {'limit': limit, 'offset': offset, 'status': status if status !=
'ALL' else None, 'ak': access_key}
try:
resp = session.Admin.query(q, v)
except Exception as e:
print_error(e)
sys.exit(1)
return resp['compute_session_list']
def x(items):
for item in items:
if 'mem_cur_bytes' in item:
item['mem_cur_bytes'] = round(item['mem_cur_bytes'] / 2 **
20, 1)
if 'mem_max_bytes' in item:
item['mem_max_bytes'] = round(item['mem_max_bytes'] / 2 **
20, 1)
return items
def x(interval):
offset = 0
is_first = True
total_count = -1
while True:
limit = interval if is_first else min(interval, total_count -
offset)
try:
result = execute_paginated_query(limit, offset)
except Exception as e:
print_error(e)
sys.exit(1)
offset += interval
total_count = result['total_count']
items = result['items']
items = round_mem(items)
if id_only:
yield '\n'.join([item['sess_id'] for item in items]) + '\n'
else:
table = tabulate([item.values() for item in items], headers
=(item[0] for item in fields))
if not is_first:
table_rows = table.split('\n')
table = '\n'.join(table_rows[2:])
yield table + '\n'
if is_first:
is_first = False
if not offset < total_count:
break
with Session() as session:
paginating_interval = 10
if all:
click.echo_via_pager(_generate_paginated_results(
paginating_interval))
else:
result = execute_paginated_query(paginating_interval, offset=0)
total_count = result['total_count']
if total_count == 0:
print('There are no compute sessions currently {0}.'.format
(status.lower()))
return
items = result['items']
items = round_mem(items)
if id_only:
for item in items:
print(item['sess_id'])
else:
print(tabulate([item.values() for item in items], headers=(
item[0] for item in fields)))
if total_count > paginating_interval:
print('More sessions can be displayed by using --all option.')
| sessions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status, access_key, id_only, all):\n fields = [('Session ID', 'sess_id')]\n with Session() as session:\n if is_admin(session):\n fields.append(('Owner', 'access_key'))\n if not id_only:\n fields.extend([('Image', 'image'), ('Tag', 'tag'), ('Created At',\n 'created_at'), ('Terminated At', 'terminated_at'), ('Status',\n 'status'), ('Occupied Resource', 'occupied_slots'), (\n 'Used Memory (MiB)', 'mem_cur_bytes'), ('Max Used Memory (MiB)',\n 'mem_max_bytes'), ('CPU Using (%)', 'cpu_using')])\n if is_legacy_server():\n del fields[2]\n\n def x(limit, offset):\n q = \"\"\"\n query($limit:Int!, $offset:Int!, $ak:String, $status:String) {\n compute_session_list(\n limit:$limit, offset:$offset, access_key:$ak, status:$status) {\n items { $fields }\n total_count\n }\n }\"\"\"\n q = textwrap.dedent(q).strip()\n q = q.replace('$fields', ' '.join(item[1] for item in fields))\n v = {'limit': limit, 'offset': offset, 'status': status if status !=\n 'ALL' else None, 'ak': access_key}\n try:\n resp = session.Admin.query(q, v)\n except Exception as e:\n print_error(e)\n sys.exit(1)\n return resp['compute_session_list']\n\n def x(items):\n for item in items:\n if 'mem_cur_bytes' in item:\n item['mem_cur_bytes'] = round(item['mem_cur_bytes'] / 2 ** \n 20, 1)\n if 'mem_max_bytes' in item:\n item['mem_max_bytes'] = round(item['mem_max_bytes'] / 2 ** \n 20, 1)\n return items\n\n def x(interval):\n offset = 0\n is_first = True\n total_count = -1\n while True:\n limit = interval if is_first else min(interval, total_count -\n offset)\n try:\n result = execute_paginated_query(limit, offset)\n except Exception as e:\n print_error(e)\n sys.exit(1)\n offset += interval\n total_count = result['total_count']\n items = result['items']\n items = round_mem(items)\n if id_only:\n yield '\\n'.join([item['sess_id'] for item in items]) + '\\n'\n else:\n table = tabulate([item.values() for item in items], headers\n =(item[0] for item in fields))\n if not is_first:\n table_rows = table.split('\\n')\n table = '\\n'.join(table_rows[2:])\n yield table + '\\n'\n if is_first:\n is_first = False\n if not offset < total_count:\n break\n with Session() as session:\n paginating_interval = 10\n if all:\n click.echo_via_pager(_generate_paginated_results(\n paginating_interval))\n else:\n result = execute_paginated_query(paginating_interval, offset=0)\n total_count = result['total_count']\n if total_count == 0:\n print('There are no compute sessions currently {0}.'.format\n (status.lower()))\n return\n items = result['items']\n items = round_mem(items)\n if id_only:\n for item in items:\n print(item['sess_id'])\n else:\n print(tabulate([item.values() for item in items], headers=(\n item[0] for item in fields)))\n if total_count > paginating_interval:\n print('More sessions can be displayed by using --all option.')\n",
"role": "user"
},
{
"content": "sessions",
"role": "assistant"
}
] |
def x(sess_id_or_alias):
fields = [('Session ID', 'sess_id'), ('Role', 'role'), ('Image',
'image'), ('Tag', 'tag'), ('Created At', 'created_at'), (
'Terminated At', 'terminated_at'), ('Agent', 'agent'), ('Status',
'status'), ('Status Info', 'status_info'), ('Occupied Resources',
'occupied_slots'), ('CPU Used (ms)', 'cpu_used'), (
'Used Memory (MiB)', 'mem_cur_bytes'), ('Max Used Memory (MiB)',
'mem_max_bytes'), ('Number of Queries', 'num_queries'), (
'Network RX Bytes', 'net_rx_bytes'), ('Network TX Bytes',
'net_tx_bytes'), ('IO Read Bytes', 'io_read_bytes'), (
'IO Write Bytes', 'io_write_bytes'), ('IO Max Scratch Size',
'io_max_scratch_size'), ('IO Current Scratch Size',
'io_cur_scratch_size'), ('CPU Using (%)', 'cpu_using')]
if is_legacy_server():
del fields[3]
q = (
'query($sess_id:String) { compute_session(sess_id:$sess_id) { $fields }}'
)
q = q.replace('$fields', ' '.join(item[1] for item in fields))
v = {'sess_id': sess_id_or_alias}
with Session() as session:
try:
resp = session.Admin.query(q, v)
except Exception as e:
print_error(e)
sys.exit(1)
if resp['compute_session']['sess_id'] is None:
print('There is no such running compute session.')
return
print('Session detail:\n---------------')
for i, value in enumerate(resp['compute_session'].values()):
if fields[i][1] in ['mem_cur_bytes', 'mem_max_bytes']:
value = round(value / 2 ** 20, 1)
print(fields[i][0] + ': ' + str(value))
| session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sess_id_or_alias):\n fields = [('Session ID', 'sess_id'), ('Role', 'role'), ('Image',\n 'image'), ('Tag', 'tag'), ('Created At', 'created_at'), (\n 'Terminated At', 'terminated_at'), ('Agent', 'agent'), ('Status',\n 'status'), ('Status Info', 'status_info'), ('Occupied Resources',\n 'occupied_slots'), ('CPU Used (ms)', 'cpu_used'), (\n 'Used Memory (MiB)', 'mem_cur_bytes'), ('Max Used Memory (MiB)',\n 'mem_max_bytes'), ('Number of Queries', 'num_queries'), (\n 'Network RX Bytes', 'net_rx_bytes'), ('Network TX Bytes',\n 'net_tx_bytes'), ('IO Read Bytes', 'io_read_bytes'), (\n 'IO Write Bytes', 'io_write_bytes'), ('IO Max Scratch Size',\n 'io_max_scratch_size'), ('IO Current Scratch Size',\n 'io_cur_scratch_size'), ('CPU Using (%)', 'cpu_using')]\n if is_legacy_server():\n del fields[3]\n q = (\n 'query($sess_id:String) { compute_session(sess_id:$sess_id) { $fields }}'\n )\n q = q.replace('$fields', ' '.join(item[1] for item in fields))\n v = {'sess_id': sess_id_or_alias}\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 if resp['compute_session']['sess_id'] is None:\n print('There is no such running compute session.')\n return\n print('Session detail:\\n---------------')\n for i, value in enumerate(resp['compute_session'].values()):\n if fields[i][1] in ['mem_cur_bytes', 'mem_max_bytes']:\n value = round(value / 2 ** 20, 1)\n print(fields[i][0] + ': ' + str(value))\n",
"role": "user"
},
{
"content": "session",
"role": "assistant"
}
] |
def x(cls, endpoint_name, json_body, original_response):
if endpoint_name == 'property/value_report':
return ValueReportResponse(endpoint_name, json_body, original_response)
if endpoint_name == 'property/rental_report':
return RentalReportResponse(endpoint_name, json_body, original_response
)
prefix = endpoint_name.split('/')[0]
if prefix == 'block':
return BlockResponse(endpoint_name, json_body, original_response)
if prefix == 'zip':
return ZipCodeResponse(endpoint_name, json_body, original_response)
if prefix == 'msa':
return MsaResponse(endpoint_name, json_body, original_response)
return PropertyResponse(endpoint_name, json_body, original_response)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, endpoint_name, json_body, original_response):\n if endpoint_name == 'property/value_report':\n return ValueReportResponse(endpoint_name, json_body, original_response)\n if endpoint_name == 'property/rental_report':\n return RentalReportResponse(endpoint_name, json_body, original_response\n )\n prefix = endpoint_name.split('/')[0]\n if prefix == 'block':\n return BlockResponse(endpoint_name, json_body, original_response)\n if prefix == 'zip':\n return ZipCodeResponse(endpoint_name, json_body, original_response)\n if prefix == 'msa':\n return MsaResponse(endpoint_name, json_body, original_response)\n return PropertyResponse(endpoint_name, json_body, original_response)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self):
if self._object_errors is None:
self._object_errors = [{str(o): o.get_errors()} for o in self.
objects() if o.has_error()]
return self._object_errors
| get_object_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._object_errors is None:\n self._object_errors = [{str(o): o.get_errors()} for o in self.\n objects() if o.has_error()]\n return self._object_errors\n",
"role": "user"
},
{
"content": "get_object_errors",
"role": "assistant"
}
] |
def x(self):
if self._has_object_error is None:
self._has_object_error = next((True for o in self.objects() if o.
has_error()), False)
return self._has_object_error
| has_object_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._has_object_error is None:\n self._has_object_error = next((True for o in self.objects() if o.\n has_error()), False)\n return self._has_object_error\n",
"role": "user"
},
{
"content": "has_object_error",
"role": "assistant"
}
] |
def x(self):
if not self._rate_limits:
self._rate_limits = utilities.get_rate_limits(self.response)
return self._rate_limits
| rate_limits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._rate_limits:\n self._rate_limits = utilities.get_rate_limits(self.response)\n return self._rate_limits\n",
"role": "user"
},
{
"content": "rate_limits",
"role": "assistant"
}
] |
def x(auth, url):
test_url = '/imcrs'
f_url = url + test_url
try:
response = requests.get(f_url, auth=auth, headers=HEADERS, verify=False
)
return bool(response.status_code == 200)
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' test_imc_creds: An Error has occured'
| check_imc_creds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n test_url = '/imcrs'\n f_url = url + test_url\n try:\n response = requests.get(f_url, auth=auth, headers=HEADERS, verify=False\n )\n return bool(response.status_code == 200)\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' test_imc_creds: An Error has occured'\n",
"role": "user"
},
{
"content": "check_imc_creds",
"role": "assistant"
}
] |
def x(object_name):
with open('pyoutput.txt', 'w') as filehandler:
output = None
if isinstance(object_name, list):
output = json.dumps(object, indent=4)
if isinstance(object_name, dict):
output = json.dumps(object, indent=4)
if isinstance(object_name, str):
output = object_name
filehandler.write(output)
| print_to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object_name):\n with open('pyoutput.txt', 'w') as filehandler:\n output = None\n if isinstance(object_name, list):\n output = json.dumps(object, indent=4)\n if isinstance(object_name, dict):\n output = json.dumps(object, indent=4)\n if isinstance(object_name, str):\n output = object_name\n filehandler.write(output)\n",
"role": "user"
},
{
"content": "print_to_file",
"role": "assistant"
}
] |
def x(self):
url = self.h_url + self.server + ':' + self.port
auth = requests.auth.HTTPDigestAuth(self.username, self.password)
f_url = url + '/imcrs'
try:
response = requests.get(f_url, auth=auth, headers=HEADERS, verify=False
)
if response.status_code != 200:
print('Error:\n' +
"Error: \n You're credentials are invalid. Please try again\n\n"
)
set_imc_creds()
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + 'The IMC server address is invalid. Please try again'
| get_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.h_url + self.server + ':' + self.port\n auth = requests.auth.HTTPDigestAuth(self.username, self.password)\n f_url = url + '/imcrs'\n try:\n response = requests.get(f_url, auth=auth, headers=HEADERS, verify=False\n )\n if response.status_code != 200:\n print('Error:\\n' +\n \"Error: \\n You're credentials are invalid. Please try again\\n\\n\"\n )\n set_imc_creds()\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + 'The IMC server address is invalid. Please try again'\n",
"role": "user"
},
{
"content": "get_auth",
"role": "assistant"
}
] |
def x(title, is_end=False):
if is_end:
sep = '====='
else:
sep = '-----'
if not is_end:
print_text()
print_text('# {sep} {title} {sep}'.format(title=title, sep=sep))
| print_title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, is_end=False):\n if is_end:\n sep = '====='\n else:\n sep = '-----'\n if not is_end:\n print_text()\n print_text('# {sep} {title} {sep}'.format(title=title, sep=sep))\n",
"role": "user"
},
{
"content": "print_title",
"role": "assistant"
}
] |
def x():
version_part = '.'.join(str(x) for x in sys.version_info)
int_width = struct.calcsize('P') * 8
int_width_part = str(int_width) + 'bit'
return version_part + '.' + int_width_part
| get_full_python_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n version_part = '.'.join(str(x) for x in sys.version_info)\n int_width = struct.calcsize('P') * 8\n int_width_part = str(int_width) + 'bit'\n return version_part + '.' + int_width_part\n",
"role": "user"
},
{
"content": "get_full_python_version",
"role": "assistant"
}
] |
def x(venv_path):
bin_path = get_bin_path(venv_path)
program_path = os.path.join(bin_path, 'python')
if sys.platform.startswith('win'):
program_path = program_path + '.exe'
return program_path
| get_python_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(venv_path):\n bin_path = get_bin_path(venv_path)\n program_path = os.path.join(bin_path, 'python')\n if sys.platform.startswith('win'):\n program_path = program_path + '.exe'\n return program_path\n",
"role": "user"
},
{
"content": "get_python_path",
"role": "assistant"
}
] |
def x(ctx):
ctx.add_option('--always', action='store_true', default=False, dest=
'always', help='whether always run tasks.')
ctx.add_option('--check-import', action='store_true', default=False,
dest='check_import', help='whether import module for dirty checking.')
ctx.add_option('--venv', dest='venv', help=
'virtual environment directory relative path relative to top directory.'
)
ctx.add_option('--venv-add-version', default='1', dest=
'venv_add_version', type=int, metavar='0|1', help=
'whether add full Python version to virtual environment directory name. E.g. `.py3.5.1.final.0.64bit`. Default is add.'
)
ctx.add_option('--req', default=None, dest='req_path', help=
'requirements file relative path relative to top directory.')
| add_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n ctx.add_option('--always', action='store_true', default=False, dest=\n 'always', help='whether always run tasks.')\n ctx.add_option('--check-import', action='store_true', default=False,\n dest='check_import', help='whether import module for dirty checking.')\n ctx.add_option('--venv', dest='venv', help=\n 'virtual environment directory relative path relative to top directory.'\n )\n ctx.add_option('--venv-add-version', default='1', dest=\n 'venv_add_version', type=int, metavar='0|1', help=\n 'whether add full Python version to virtual environment directory name. E.g. `.py3.5.1.final.0.64bit`. Default is add.'\n )\n ctx.add_option('--req', default=None, dest='req_path', help=\n 'requirements file relative path relative to top directory.')\n",
"role": "user"
},
{
"content": "add_options",
"role": "assistant"
}
] |
def x(path):
pythonpath = os.environ.setdefault('PYTHONPATH', '')
if path not in pythonpath.split(os.pathsep):
pythonpath = os.environ['PYTHONPATH'
] = path + os.pathsep + pythonpath if pythonpath else path
return pythonpath
| add_pythonpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n pythonpath = os.environ.setdefault('PYTHONPATH', '')\n if path not in pythonpath.split(os.pathsep):\n pythonpath = os.environ['PYTHONPATH'\n ] = path + os.pathsep + pythonpath if pythonpath else path\n return pythonpath\n",
"role": "user"
},
{
"content": "add_pythonpath",
"role": "assistant"
}
] |
def x(path):
if not isinstance(path, str) or os.path.isabs(path):
msg = 'Error (2D9ZA): Given path is not relative path: {0}.'.format(
path)
raise ValueError(msg)
return _ItemWrapper(type='path', item=path)
| mark_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if not isinstance(path, str) or os.path.isabs(path):\n msg = 'Error (2D9ZA): Given path is not relative path: {0}.'.format(\n path)\n raise ValueError(msg)\n return _ItemWrapper(type='path', item=path)\n",
"role": "user"
},
{
"content": "mark_path",
"role": "assistant"
}
] |
def x(type, item):
if type not in ('input', 'output'):
msg = 'Error (7D74X): Type is not valid: {0}'.format(type)
raise ValueError(msg)
orig_item = item
if isinstance(item, list):
item_s = item
else:
item_s = [item]
for item in item_s:
if isinstance(item, str) and os.path.isabs(item):
msg = ('Error (5VWOZ): Given path is not relative path: {0}.'.
format(item))
raise ValueError(msg)
return _ItemWrapper(type=type, item=orig_item)
| mark_target | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type, item):\n if type not in ('input', 'output'):\n msg = 'Error (7D74X): Type is not valid: {0}'.format(type)\n raise ValueError(msg)\n orig_item = item\n if isinstance(item, list):\n item_s = item\n else:\n item_s = [item]\n for item in item_s:\n if isinstance(item, str) and os.path.isabs(item):\n msg = ('Error (5VWOZ): Given path is not relative path: {0}.'.\n format(item))\n raise ValueError(msg)\n return _ItemWrapper(type=type, item=orig_item)\n",
"role": "user"
},
{
"content": "mark_target",
"role": "assistant"
}
] |
def x(ctx, path):
_ensure_build_context(ctx)
top_dir_relpath = os.path.relpath(ctx.top_dir, ctx.run_dir)
node_path = os.path.join(top_dir_relpath, path)
node = ctx.path.make_node(node_path)
return node
| create_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, path):\n _ensure_build_context(ctx)\n top_dir_relpath = os.path.relpath(ctx.top_dir, ctx.run_dir)\n node_path = os.path.join(top_dir_relpath, path)\n node = ctx.path.make_node(node_path)\n return node\n",
"role": "user"
},
{
"content": "create_node",
"role": "assistant"
}
] |
def x(ctx, items, str_to_node=False, node_to_str=False, allow_task=False):
_ensure_build_context(ctx)
norm_tuple_s = []
if not items:
return norm_tuple_s
for item in items:
if isinstance(item, _ItemWrapper):
wrapper_type = item.type()
item = item.item()
else:
wrapper_type = None
item = item
if isinstance(item, list):
real_item_s = item
else:
real_item_s = [item]
for real_item in real_item_s:
if real_item is None:
continue
elif isinstance(real_item, str):
if wrapper_type is not None or str_to_node:
if os.path.isabs(real_item):
msg = (
'Error (7MWU9): Given path is not relative path: {0}.'
.format(real_item))
raise ValueError(msg)
norm_item = create_node(ctx, real_item)
if node_to_str:
norm_item = norm_item.abspath()
else:
norm_item = real_item
norm_tuple = norm_item, wrapper_type
elif isinstance(real_item, Node):
if node_to_str:
real_item = real_item.abspath()
norm_tuple = real_item, wrapper_type
elif isinstance(real_item, Task):
if allow_task:
norm_tuple = real_item, wrapper_type
else:
msg = 'Error (6PVMG): Item type is not valid: {0}.'.format(
real_item)
raise ValueError(msg)
else:
msg = 'Error (63KUG): Item type is not valid: {0}.'.format(
real_item)
raise ValueError(msg)
norm_tuple_s.append(norm_tuple)
return norm_tuple_s
| normalize_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, items, str_to_node=False, node_to_str=False, allow_task=False):\n _ensure_build_context(ctx)\n norm_tuple_s = []\n if not items:\n return norm_tuple_s\n for item in items:\n if isinstance(item, _ItemWrapper):\n wrapper_type = item.type()\n item = item.item()\n else:\n wrapper_type = None\n item = item\n if isinstance(item, list):\n real_item_s = item\n else:\n real_item_s = [item]\n for real_item in real_item_s:\n if real_item is None:\n continue\n elif isinstance(real_item, str):\n if wrapper_type is not None or str_to_node:\n if os.path.isabs(real_item):\n msg = (\n 'Error (7MWU9): Given path is not relative path: {0}.'\n .format(real_item))\n raise ValueError(msg)\n norm_item = create_node(ctx, real_item)\n if node_to_str:\n norm_item = norm_item.abspath()\n else:\n norm_item = real_item\n norm_tuple = norm_item, wrapper_type\n elif isinstance(real_item, Node):\n if node_to_str:\n real_item = real_item.abspath()\n norm_tuple = real_item, wrapper_type\n elif isinstance(real_item, Task):\n if allow_task:\n norm_tuple = real_item, wrapper_type\n else:\n msg = 'Error (6PVMG): Item type is not valid: {0}.'.format(\n real_item)\n raise ValueError(msg)\n else:\n msg = 'Error (63KUG): Item type is not valid: {0}.'.format(\n real_item)\n raise ValueError(msg)\n norm_tuple_s.append(norm_tuple)\n return norm_tuple_s\n",
"role": "user"
},
{
"content": "normalize_items",
"role": "assistant"
}
] |
def x(ctx, path, check_import=False, check_import_module=None,
check_import_python=None, always=False):
_ensure_build_context(ctx)
print_title('Update touch file: {}'.format(path))
touch_node = create_node(ctx, path)
need_run = False
if not touch_node.exists() or always:
need_run = True
elif check_import and check_import_module:
import_stmt = 'from {} import __name__'.format(check_import_module)
print_text('Check import: {}'.format(import_stmt))
if check_import_python is None:
msg = 'Error (3BKFW): Python program to check import is not given.'
raise ValueError(msg)
check_import_python, _ = _normalize_items(ctx=ctx, items=[
check_import_python], node_to_str=True)[0]
if not isinstance(check_import_python, str):
msg = (
'Error (39FQE): Given Python program to check import is not string or node: {0}.'
.format(check_import_python))
raise ValueError(msg)
if not os.path.isabs(check_import_python):
check_import_python = create_node(ctx, check_import_python
).abspath()
cmd_part_s = [check_import_python, '-c', import_stmt]
print_text(_format_multi_line_command(cmd_part_s))
try:
subprocess.check_output(cmd_part_s)
need_run = False
except Exception:
need_run = True
if need_run:
if not touch_node.parent.exists():
touch_node.parent.mkdir()
touch_node.write('{0}\n'.format(datetime.utcnow()))
print_text('Updated.')
else:
print_text('Skipped.')
print_title('Update touch file: {}'.format(path), is_end=True)
return touch_node, need_run
| update_touch_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, path, check_import=False, check_import_module=None,\n check_import_python=None, always=False):\n _ensure_build_context(ctx)\n print_title('Update touch file: {}'.format(path))\n touch_node = create_node(ctx, path)\n need_run = False\n if not touch_node.exists() or always:\n need_run = True\n elif check_import and check_import_module:\n import_stmt = 'from {} import __name__'.format(check_import_module)\n print_text('Check import: {}'.format(import_stmt))\n if check_import_python is None:\n msg = 'Error (3BKFW): Python program to check import is not given.'\n raise ValueError(msg)\n check_import_python, _ = _normalize_items(ctx=ctx, items=[\n check_import_python], node_to_str=True)[0]\n if not isinstance(check_import_python, str):\n msg = (\n 'Error (39FQE): Given Python program to check import is not string or node: {0}.'\n .format(check_import_python))\n raise ValueError(msg)\n if not os.path.isabs(check_import_python):\n check_import_python = create_node(ctx, check_import_python\n ).abspath()\n cmd_part_s = [check_import_python, '-c', import_stmt]\n print_text(_format_multi_line_command(cmd_part_s))\n try:\n subprocess.check_output(cmd_part_s)\n need_run = False\n except Exception:\n need_run = True\n if need_run:\n if not touch_node.parent.exists():\n touch_node.parent.mkdir()\n touch_node.write('{0}\\n'.format(datetime.utcnow()))\n print_text('Updated.')\n else:\n print_text('Skipped.')\n print_title('Update touch file: {}'.format(path), is_end=True)\n return touch_node, need_run\n",
"role": "user"
},
{
"content": "update_touch_file",
"role": "assistant"
}
] |
def x(tasks):
if tasks:
previous_task = None
for task in tasks:
if task is not None:
if previous_task is not None:
task.set_run_after(previous_task)
previous_task = task
return tasks
| chain_tasks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tasks):\n if tasks:\n previous_task = None\n for task in tasks:\n if task is not None:\n if previous_task is not None:\n task.set_run_after(previous_task)\n previous_task = task\n return tasks\n",
"role": "user"
},
{
"content": "chain_tasks",
"role": "assistant"
}
] |
def x(ctx, parts, inputs=None, outputs=None, env=None, cwd=None, task_name=
None, cache_key=None, always=False, add_to_group=True):
_ensure_build_context(ctx)
if not task_name:
task_name = inspect.stack()[1][3]
print_title('Create task: {}'.format(task_name))
if cache_key:
cached_task = _TASKS_CACHE.get(cache_key, None)
if cached_task is not None:
print_text('Use cached task `{}`.'.format(cache_key))
print_title('Create task: {}'.format(task_name), is_end=True)
return cached_task
norm_part_s = []
input_node_s = []
output_node_s = []
first_part = parts[0]
if isinstance(first_part, list):
parts[0] = first_part[0]
for part, wrapper_type in _normalize_items(ctx=ctx, items=parts):
if isinstance(part, str):
norm_part_s.append(part)
elif isinstance(part, Node):
norm_part_s.append(part.abspath())
if wrapper_type == 'input':
input_node_s.append(part)
elif wrapper_type == 'output':
output_node_s.append(part)
else:
pass
else:
msg = 'Error (2W9YD): Command part is not valid: {0}.'.format(part)
raise ValueError(msg)
if env is None:
env = ctx.env
if cwd is None:
cwd = ctx.top_dir
if not os.path.isabs(cwd):
cwd = create_node(ctx, cwd).abspath()
task = CmdTask(ctx=ctx, parts=norm_part_s, env=env, cwd=cwd, task_name=
task_name)
for wrapper_type, item_s, node_s, nodes_set_func in [('input', inputs,
input_node_s, task.set_inputs), ('output', outputs, output_node_s,
task.set_outputs)]:
for item, _ in _normalize_items(ctx=ctx, items=item_s, str_to_node=
True, allow_task=True):
if isinstance(item, Node):
node_s.append(item)
elif isinstance(item, Task):
if wrapper_type == 'input':
task.set_run_after(item)
elif wrapper_type == 'output':
item.set_run_after(task)
else:
msg = ('Error (3ZLGJ): Wrapper type is not valid: {0}.'
.format(wrapper_type))
raise ValueError(msg)
else:
msg = 'Error (5H4GC): Item type is not valid: {0}.'.format(item
)
raise ValueError(msg)
nodes_set_func(node_s)
if always:
task.always_run = True
if add_to_group:
ctx.add_to_group(task)
if cache_key:
_TASKS_CACHE[cache_key] = task
print_title('Create task: {}'.format(task_name), is_end=True)
return task
| create_cmd_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, parts, inputs=None, outputs=None, env=None, cwd=None, task_name=\n None, cache_key=None, always=False, add_to_group=True):\n _ensure_build_context(ctx)\n if not task_name:\n task_name = inspect.stack()[1][3]\n print_title('Create task: {}'.format(task_name))\n if cache_key:\n cached_task = _TASKS_CACHE.get(cache_key, None)\n if cached_task is not None:\n print_text('Use cached task `{}`.'.format(cache_key))\n print_title('Create task: {}'.format(task_name), is_end=True)\n return cached_task\n norm_part_s = []\n input_node_s = []\n output_node_s = []\n first_part = parts[0]\n if isinstance(first_part, list):\n parts[0] = first_part[0]\n for part, wrapper_type in _normalize_items(ctx=ctx, items=parts):\n if isinstance(part, str):\n norm_part_s.append(part)\n elif isinstance(part, Node):\n norm_part_s.append(part.abspath())\n if wrapper_type == 'input':\n input_node_s.append(part)\n elif wrapper_type == 'output':\n output_node_s.append(part)\n else:\n pass\n else:\n msg = 'Error (2W9YD): Command part is not valid: {0}.'.format(part)\n raise ValueError(msg)\n if env is None:\n env = ctx.env\n if cwd is None:\n cwd = ctx.top_dir\n if not os.path.isabs(cwd):\n cwd = create_node(ctx, cwd).abspath()\n task = CmdTask(ctx=ctx, parts=norm_part_s, env=env, cwd=cwd, task_name=\n task_name)\n for wrapper_type, item_s, node_s, nodes_set_func in [('input', inputs,\n input_node_s, task.set_inputs), ('output', outputs, output_node_s,\n task.set_outputs)]:\n for item, _ in _normalize_items(ctx=ctx, items=item_s, str_to_node=\n True, allow_task=True):\n if isinstance(item, Node):\n node_s.append(item)\n elif isinstance(item, Task):\n if wrapper_type == 'input':\n task.set_run_after(item)\n elif wrapper_type == 'output':\n item.set_run_after(task)\n else:\n msg = ('Error (3ZLGJ): Wrapper type is not valid: {0}.'\n .format(wrapper_type))\n raise ValueError(msg)\n else:\n msg = 'Error (5H4GC): Item type is not valid: {0}.'.format(item\n )\n raise ValueError(msg)\n nodes_set_func(node_s)\n if always:\n task.always_run = True\n if add_to_group:\n ctx.add_to_group(task)\n if cache_key:\n _TASKS_CACHE[cache_key] = task\n print_title('Create task: {}'.format(task_name), is_end=True)\n return task\n",
"role": "user"
},
{
"content": "create_cmd_task",
"role": "assistant"
}
] |
def x(pythonpath=None):
if isinstance(pythonpath, str):
path_s = [pythonpath]
elif isinstance(pythonpath, list):
path_s = pythonpath
else:
path_s = None
def x(func):
class _BuildContext(BuildContext):
cmd = func.__name__
fun = func.__name__
@wraps(func)
def x(ctx, *args, **kwargs):
if path_s:
for path in path_s:
if os.path.isabs(path):
abs_path = path
else:
path_node = create_node(ctx, path)
abs_path = path_node.abspath()
add_pythonpath(abs_path)
result = func(ctx, *args, **kwargs)
return result
_new_func._context_class = _BuildContext
return _new_func
if path_s is not None:
return _noarg_decorator
else:
_func = pythonpath
wrapper_func = _noarg_decorator(_func)
return wrapper_func
| build_ctx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pythonpath=None):\n if isinstance(pythonpath, str):\n path_s = [pythonpath]\n elif isinstance(pythonpath, list):\n path_s = pythonpath\n else:\n path_s = None\n\n def x(func):\n\n\n class _BuildContext(BuildContext):\n cmd = func.__name__\n fun = func.__name__\n\n @wraps(func)\n def x(ctx, *args, **kwargs):\n if path_s:\n for path in path_s:\n if os.path.isabs(path):\n abs_path = path\n else:\n path_node = create_node(ctx, path)\n abs_path = path_node.abspath()\n add_pythonpath(abs_path)\n result = func(ctx, *args, **kwargs)\n return result\n _new_func._context_class = _BuildContext\n return _new_func\n if path_s is not None:\n return _noarg_decorator\n else:\n _func = pythonpath\n wrapper_func = _noarg_decorator(_func)\n return wrapper_func\n",
"role": "user"
},
{
"content": "build_ctx",
"role": "assistant"
}
] |
def x(func):
class _ConfigurationContext(ConfigurationContext):
cmd = func.__name__
fun = func.__name__
func._context_class = _ConfigurationContext
return func
| config_ctx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n\n class _ConfigurationContext(ConfigurationContext):\n cmd = func.__name__\n fun = func.__name__\n func._context_class = _ConfigurationContext\n return func\n",
"role": "user"
},
{
"content": "config_ctx",
"role": "assistant"
}
] |
def x(ctx):
print_title('ctx attributes')
print_text(dir(ctx))
print_title('ctx attributes', is_end=True)
print_title('ctx.options')
print_text(pformat(vars(ctx.options), indent=4, width=1))
print_title('ctx.options', is_end=True)
if hasattr(ctx, 'env'):
print_title('ctx.env')
print_text(pformat(dict(ctx.env), indent=4, width=1))
print_title('ctx.env', is_end=True)
| print_ctx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n print_title('ctx attributes')\n print_text(dir(ctx))\n print_title('ctx attributes', is_end=True)\n print_title('ctx.options')\n print_text(pformat(vars(ctx.options), indent=4, width=1))\n print_title('ctx.options', is_end=True)\n if hasattr(ctx, 'env'):\n print_title('ctx.env')\n print_text(pformat(dict(ctx.env), indent=4, width=1))\n print_title('ctx.env', is_end=True)\n",
"role": "user"
},
{
"content": "print_ctx",
"role": "assistant"
}
] |
def x(ctx, python, inputs=None, outputs=None, touch=None, check_import=
False, pip_setup_file=None, pip_setup_touch=None, cache_key=None,
always=False):
_ensure_build_context(ctx)
if pip_setup_file is None:
pip_setup_task = None
else:
pip_setup_task = pip_setup(ctx=ctx, python=python, setup_file=
pip_setup_file, touch=pip_setup_touch, check_import=
check_import, always=always)
if touch is None:
touch_node = None
else:
touch_node, always = update_touch_file(ctx=ctx, path=touch,
check_import=check_import, check_import_module='virtualenv',
check_import_python=python, always=always)
task = create_cmd_task(ctx=ctx, parts=[python, '-m', 'pip', 'install',
'virtualenv'], inputs=[pip_setup_task, inputs], outputs=[touch_node,
outputs], always=always, cache_key=cache_key or (python, 'virtualenv'))
return task
| virtualenv_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, python, inputs=None, outputs=None, touch=None, check_import=\n False, pip_setup_file=None, pip_setup_touch=None, cache_key=None,\n always=False):\n _ensure_build_context(ctx)\n if pip_setup_file is None:\n pip_setup_task = None\n else:\n pip_setup_task = pip_setup(ctx=ctx, python=python, setup_file=\n pip_setup_file, touch=pip_setup_touch, check_import=\n check_import, always=always)\n if touch is None:\n touch_node = None\n else:\n touch_node, always = update_touch_file(ctx=ctx, path=touch,\n check_import=check_import, check_import_module='virtualenv',\n check_import_python=python, always=always)\n task = create_cmd_task(ctx=ctx, parts=[python, '-m', 'pip', 'install',\n 'virtualenv'], inputs=[pip_setup_task, inputs], outputs=[touch_node,\n outputs], always=always, cache_key=cache_key or (python, 'virtualenv'))\n return task\n",
"role": "user"
},
{
"content": "virtualenv_setup",
"role": "assistant"
}
] |
def x(ctx, python, venv_path, inputs=None, outputs=None, pip_setup_file=
None, pip_setup_touch=None, virtualenv_setup_touch=None, task_name=None,
cache_key=None, always=False):
_ensure_build_context(ctx)
virtualenv_setup_task = virtualenv_setup(ctx=ctx, python=python, touch=
virtualenv_setup_touch, pip_setup_file=pip_setup_file,
pip_setup_touch=pip_setup_touch)
venv_path_node, _ = _normalize_items(ctx=ctx, items=[venv_path],
str_to_node=True)[0]
task = create_cmd_task(ctx=ctx, parts=[python, '-m', 'virtualenv',
venv_path_node.abspath()], inputs=[virtualenv_setup_task, inputs],
outputs=[get_python_path(venv_path), get_pip_path(venv_path),
outputs], always=always, task_name=task_name, cache_key=cache_key or
(python, venv_path))
return task
| create_venv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, python, venv_path, inputs=None, outputs=None, pip_setup_file=\n None, pip_setup_touch=None, virtualenv_setup_touch=None, task_name=None,\n cache_key=None, always=False):\n _ensure_build_context(ctx)\n virtualenv_setup_task = virtualenv_setup(ctx=ctx, python=python, touch=\n virtualenv_setup_touch, pip_setup_file=pip_setup_file,\n pip_setup_touch=pip_setup_touch)\n venv_path_node, _ = _normalize_items(ctx=ctx, items=[venv_path],\n str_to_node=True)[0]\n task = create_cmd_task(ctx=ctx, parts=[python, '-m', 'virtualenv',\n venv_path_node.abspath()], inputs=[virtualenv_setup_task, inputs],\n outputs=[get_python_path(venv_path), get_pip_path(venv_path),\n outputs], always=always, task_name=task_name, cache_key=cache_key or\n (python, venv_path))\n return task\n",
"role": "user"
},
{
"content": "create_venv",
"role": "assistant"
}
] |
def x(ctx, python, req_path, venv_path=None, inputs=None, outputs=None,
touch=None, check_import=False, check_import_module=None,
pip_setup_file=None, pip_setup_touch=None, virtualenv_setup_touch=None,
always=False):
_ensure_build_context(ctx)
if venv_path is None:
venv_python = python
else:
venv_python = get_python_path(venv_path)
venv_python = mark_input(venv_python)
if venv_path is None:
pip_setup_task = pip_setup(ctx=ctx, python=python, setup_file=
pip_setup_file, touch=pip_setup_touch, always=always)
venv_task = None
else:
pip_setup_task = None
venv_task = create_venv(ctx=ctx, python=python, venv_path=venv_path,
outputs=[get_python_path(venv_path), get_pip_path(venv_path)],
always=always, task_name='Create venv `{}`'.format(venv_path),
pip_setup_file=pip_setup_file, pip_setup_touch=pip_setup_touch,
virtualenv_setup_touch=virtualenv_setup_touch)
if not touch:
touch_node = None
else:
touch_node, always = update_touch_file(ctx=ctx, path=touch,
check_import=check_import, check_import_module=
check_import_module, check_import_python=venv_python, always=always
)
task = create_cmd_task(ctx=ctx, parts=[venv_python, '-m', 'pip',
'install', '-r', mark_input(req_path)], inputs=inputs, outputs=[
touch_node, outputs], always=always)
chain_tasks([pip_setup_task, venv_task, task])
return task
| pip_ins_req | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, python, req_path, venv_path=None, inputs=None, outputs=None,\n touch=None, check_import=False, check_import_module=None,\n pip_setup_file=None, pip_setup_touch=None, virtualenv_setup_touch=None,\n always=False):\n _ensure_build_context(ctx)\n if venv_path is None:\n venv_python = python\n else:\n venv_python = get_python_path(venv_path)\n venv_python = mark_input(venv_python)\n if venv_path is None:\n pip_setup_task = pip_setup(ctx=ctx, python=python, setup_file=\n pip_setup_file, touch=pip_setup_touch, always=always)\n venv_task = None\n else:\n pip_setup_task = None\n venv_task = create_venv(ctx=ctx, python=python, venv_path=venv_path,\n outputs=[get_python_path(venv_path), get_pip_path(venv_path)],\n always=always, task_name='Create venv `{}`'.format(venv_path),\n pip_setup_file=pip_setup_file, pip_setup_touch=pip_setup_touch,\n virtualenv_setup_touch=virtualenv_setup_touch)\n if not touch:\n touch_node = None\n else:\n touch_node, always = update_touch_file(ctx=ctx, path=touch,\n check_import=check_import, check_import_module=\n check_import_module, check_import_python=venv_python, always=always\n )\n task = create_cmd_task(ctx=ctx, parts=[venv_python, '-m', 'pip',\n 'install', '-r', mark_input(req_path)], inputs=inputs, outputs=[\n touch_node, outputs], always=always)\n chain_tasks([pip_setup_task, venv_task, task])\n return task\n",
"role": "user"
},
{
"content": "pip_ins_req",
"role": "assistant"
}
] |
def x(ctx):
cmd_part_s = ['git', 'clean', '-x', '-d', '-f', '-f']
print_title('git_clean')
print_text(_format_multi_line_command(cmd_part_s))
proc = subprocess.Popen(cmd_part_s, cwd=ctx.top_dir)
proc.wait()
print_title('git_clean', is_end=True)
| git_clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n cmd_part_s = ['git', 'clean', '-x', '-d', '-f', '-f']\n print_title('git_clean')\n print_text(_format_multi_line_command(cmd_part_s))\n proc = subprocess.Popen(cmd_part_s, cwd=ctx.top_dir)\n proc.wait()\n print_title('git_clean', is_end=True)\n",
"role": "user"
},
{
"content": "git_clean",
"role": "assistant"
}
] |
def x(self):
print_title(self._task_name_title)
ctx = self._ctx
cmd_part_s = self._parts
print_title('Find program')
program_path = cmd_part_s[0]
if program_path.endswith(('.exe', '.com', '.bat', '.cmd')):
program_path = program_path[:-4]
print_text('Find program: {0}'.format(program_path))
try:
found_program_path_s = ctx.find_program(program_path, quiet=True)
except ConfigurationError:
msg = 'Error (2D7VS): Program is not found: {0}'.format(program_path)
raise ValueError(msg)
found_program_path = found_program_path_s[0
] if found_program_path_s else program_path
cmd_part_s[0] = found_program_path
print_text('Use program: {0}'.format(found_program_path))
print_title('Find program', is_end=True)
print_title('PATH')
print_text('\n'.join(os.environ.get('PATH', '').split(os.pathsep)))
print_title('PATH', is_end=True)
print_title('PYTHONPATH')
print_text('\n'.join(os.environ.get('PYTHONPATH', '').split(os.pathsep)))
print_title('PYTHONPATH', is_end=True)
print_title('DIR')
print_text(self._cwd)
print_title('DIR', is_end=True)
print_title('CMD')
print_text(_format_multi_line_command(cmd_part_s))
print_title('CMD', is_end=True)
print_title('RUN')
exit_code = self.exec_command(cmd_part_s, cwd=self._cwd)
print_text('Exit code: {0}'.format(exit_code))
print_title('RUN', is_end=True)
print_title(self._task_name_title, True)
return exit_code
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print_title(self._task_name_title)\n ctx = self._ctx\n cmd_part_s = self._parts\n print_title('Find program')\n program_path = cmd_part_s[0]\n if program_path.endswith(('.exe', '.com', '.bat', '.cmd')):\n program_path = program_path[:-4]\n print_text('Find program: {0}'.format(program_path))\n try:\n found_program_path_s = ctx.find_program(program_path, quiet=True)\n except ConfigurationError:\n msg = 'Error (2D7VS): Program is not found: {0}'.format(program_path)\n raise ValueError(msg)\n found_program_path = found_program_path_s[0\n ] if found_program_path_s else program_path\n cmd_part_s[0] = found_program_path\n print_text('Use program: {0}'.format(found_program_path))\n print_title('Find program', is_end=True)\n print_title('PATH')\n print_text('\\n'.join(os.environ.get('PATH', '').split(os.pathsep)))\n print_title('PATH', is_end=True)\n print_title('PYTHONPATH')\n print_text('\\n'.join(os.environ.get('PYTHONPATH', '').split(os.pathsep)))\n print_title('PYTHONPATH', is_end=True)\n print_title('DIR')\n print_text(self._cwd)\n print_title('DIR', is_end=True)\n print_title('CMD')\n print_text(_format_multi_line_command(cmd_part_s))\n print_title('CMD', is_end=True)\n print_title('RUN')\n exit_code = self.exec_command(cmd_part_s, cwd=self._cwd)\n print_text('Exit code: {0}'.format(exit_code))\n print_title('RUN', is_end=True)\n print_title(self._task_name_title, True)\n return exit_code\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(auth, url):
get_ac_info_all_url = '/imcrs/wlan/acInfo/queryAcBasicInfo'
f_url = url + get_ac_info_all_url
payload = None
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
if len(r.text) > 0:
return json.loads(r.text)['acBasicInfo']
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_ac_info_all: An Error has occured'
| get_ac_info_all | [
{
"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_ac_info_all_url = '/imcrs/wlan/acInfo/queryAcBasicInfo'\n f_url = url + get_ac_info_all_url\n payload = None\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n if len(r.text) > 0:\n return json.loads(r.text)['acBasicInfo']\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_ac_info_all: An Error has occured'\n",
"role": "user"
},
{
"content": "get_ac_info_all",
"role": "assistant"
}
] |
def x(self, vlanid, vlan_name):
create_dev_vlan(vlanid, vlan_name, self.auth, self.url, devid=self.devid)
| addvlan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vlanid, vlan_name):\n create_dev_vlan(vlanid, vlan_name, self.auth, self.url, devid=self.devid)\n",
"role": "user"
},
{
"content": "addvlan",
"role": "assistant"
}
] |
def x(self, vlanid):
delete_dev_vlans(vlanid, self.auth, self.url, devid=self.devid)
| delvlan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vlanid):\n delete_dev_vlans(vlanid, self.auth, self.url, devid=self.devid)\n",
"role": "user"
},
{
"content": "delvlan",
"role": "assistant"
}
] |
def x(self):
self.ipmacarp = get_ip_mac_arp_list(self.auth, self.url, devid=self.devid)
| getipmacarp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ipmacarp = get_ip_mac_arp_list(self.auth, self.url, devid=self.devid)\n",
"role": "user"
},
{
"content": "getipmacarp",
"role": "assistant"
}
] |
def x(self):
set_interface_down(self.ifIndex, self.auth, self.url, devip=self.ip)
self.adminstatus = get_interface_details(self.ifIndex, self.auth, self.
url, devip=self.ip)['adminStatusDesc']
| down | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n set_interface_down(self.ifIndex, self.auth, self.url, devip=self.ip)\n self.adminstatus = get_interface_details(self.ifIndex, self.auth, self.\n url, devip=self.ip)['adminStatusDesc']\n",
"role": "user"
},
{
"content": "down",
"role": "assistant"
}
] |
def x(self):
set_interface_up(self.ifIndex, self.auth, self.url, devip=self.ip)
self.adminstatus = get_interface_details(self.ifIndex, self.auth, self.
url, devip=self.ip)['adminStatusDesc']
| up | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n set_interface_up(self.ifIndex, self.auth, self.url, devip=self.ip)\n self.adminstatus = get_interface_details(self.ifIndex, self.auth, self.\n url, devip=self.ip)['adminStatusDesc']\n",
"role": "user"
},
{
"content": "up",
"role": "assistant"
}
] |
def x(self, hostipaddress, name, description):
add_scope_ip(hostipaddress, name, description, self.auth, self.url,
scopeid=self.id)
| allocate_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostipaddress, name, description):\n add_scope_ip(hostipaddress, name, description, self.auth, self.url,\n scopeid=self.id)\n",
"role": "user"
},
{
"content": "allocate_ip",
"role": "assistant"
}
] |
def x(self, hostipaddress):
delete_host_from_segment(hostipaddress, self.netaddr, self.auth, self.url)
| deallocate_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostipaddress):\n delete_host_from_segment(hostipaddress, self.netaddr, self.auth, self.url)\n",
"role": "user"
},
{
"content": "deallocate_ip",
"role": "assistant"
}
] |
def x(self):
self.hosts = get_ip_scope_hosts(self.auth, self.url, self.id)
| gethosts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.hosts = get_ip_scope_hosts(self.auth, self.url, self.id)\n",
"role": "user"
},
{
"content": "gethosts",
"role": "assistant"
}
] |
def x(self):
allocated_ips = [ipaddress.ip_address(host['ip']) for host in self.hosts]
for ip in self.netaddr:
if str(ip).split('.')[-1] == '0':
continue
if ip not in allocated_ips:
return ip
| nextfreeip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n allocated_ips = [ipaddress.ip_address(host['ip']) for host in self.hosts]\n for ip in self.netaddr:\n if str(ip).split('.')[-1] == '0':\n continue\n if ip not in allocated_ips:\n return ip\n",
"role": "user"
},
{
"content": "nextfreeip",
"role": "assistant"
}
] |
def x(self, startip, endip, name, description):
add_child_ip_scope(self.auth, self.url, startip, endip, name,
description, self.id)
| addchild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, startip, endip, name, description):\n add_child_ip_scope(self.auth, self.url, startip, endip, name,\n description, self.id)\n",
"role": "user"
},
{
"content": "addchild",
"role": "assistant"
}
] |
def x(auth, url, template_name=None):
f_url = (url +
'/imcrs/plat/res/telnet?start=0&size=10000&desc=false&total=false')
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
telnet_templates = json.loads(response.text)
template = None
if type(telnet_templates['telnetParamTemplate']) is dict:
my_templates = [telnet_templates['telnetParamTemplate']]
telnet_templates['telnetParamTemplate'] = my_templates
if template_name is None:
return telnet_templates['telnetParamTemplate']
elif template_name is not None:
for telnet_template in telnet_templates['telnetParamTemplate']:
if telnet_template['name'] == template_name:
template = [telnet_template]
print(type(template))
if template == None:
return 404
else:
return template
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_telnet_templates: An Error has occured'
| get_telnet_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, template_name=None):\n f_url = (url +\n '/imcrs/plat/res/telnet?start=0&size=10000&desc=false&total=false')\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n telnet_templates = json.loads(response.text)\n template = None\n if type(telnet_templates['telnetParamTemplate']) is dict:\n my_templates = [telnet_templates['telnetParamTemplate']]\n telnet_templates['telnetParamTemplate'] = my_templates\n if template_name is None:\n return telnet_templates['telnetParamTemplate']\n elif template_name is not None:\n for telnet_template in telnet_templates['telnetParamTemplate']:\n if telnet_template['name'] == template_name:\n template = [telnet_template]\n print(type(template))\n if template == None:\n return 404\n else:\n return template\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_telnet_templates: An Error has occured'\n",
"role": "user"
},
{
"content": "get_telnet_template",
"role": "assistant"
}
] |
def x(auth, url, telnet_template, template_name=None, template_id=None):
if template_name is None:
template_name = telnet_template['name']
if template_id is None:
telnet_templates = get_telnet_template(auth, url)
template_id = None
for template in telnet_templates:
if template['name'] == template_name:
template_id = template['id']
f_url = url + '/imcrs/plat/res/telnet/' + str(template_id) + '/update'
response = requests.put(f_url, data=json.dumps(telnet_template), auth=
auth, headers=HEADERS)
try:
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' modify_telnet_template: An Error has occured'
| modify_telnet_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, telnet_template, template_name=None, template_id=None):\n if template_name is None:\n template_name = telnet_template['name']\n if template_id is None:\n telnet_templates = get_telnet_template(auth, url)\n template_id = None\n for template in telnet_templates:\n if template['name'] == template_name:\n template_id = template['id']\n f_url = url + '/imcrs/plat/res/telnet/' + str(template_id) + '/update'\n response = requests.put(f_url, data=json.dumps(telnet_template), auth=\n auth, headers=HEADERS)\n try:\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' modify_telnet_template: An Error has occured'\n",
"role": "user"
},
{
"content": "modify_telnet_template",
"role": "assistant"
}
] |
def x(auth, url, template_name=None, template_id=None):
try:
if template_id is None:
telnet_templates = get_telnet_template(auth, url)
if template_name is None:
template_name = telnet_template['name']
template_id = None
for template in telnet_templates:
if template['name'] == template_name:
template_id = template['id']
f_url = url + '/imcrs/plat/res/telnet/%s/delete' % template_id
response = requests.delete(f_url, auth=auth, headers=HEADERS)
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' delete_telnet_template: An Error has occured'
| delete_telnet_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, template_name=None, template_id=None):\n try:\n if template_id is None:\n telnet_templates = get_telnet_template(auth, url)\n if template_name is None:\n template_name = telnet_template['name']\n template_id = None\n for template in telnet_templates:\n if template['name'] == template_name:\n template_id = template['id']\n f_url = url + '/imcrs/plat/res/telnet/%s/delete' % template_id\n response = requests.delete(f_url, auth=auth, headers=HEADERS)\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' delete_telnet_template: An Error has occured'\n",
"role": "user"
},
{
"content": "delete_telnet_template",
"role": "assistant"
}
] |
def x(auth, url, ssh_template):
f_url = url + '/imcrs/plat/res/ssh/add'
response = requests.post(f_url, data=json.dumps(ssh_template), auth=
auth, headers=HEADERS)
try:
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' create_ssh_template: An Error has occured'
| create_ssh_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, ssh_template):\n f_url = url + '/imcrs/plat/res/ssh/add'\n response = requests.post(f_url, data=json.dumps(ssh_template), auth=\n auth, headers=HEADERS)\n try:\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' create_ssh_template: An Error has occured'\n",
"role": "user"
},
{
"content": "create_ssh_template",
"role": "assistant"
}
] |
def x(auth, url, template_name=None):
f_url = (url +
'/imcrs/plat/res/ssh?start=0&size=10000&desc=false&total=false')
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
ssh_templates = json.loads(response.text)
template = None
if type(ssh_templates['sshParamTemplate']) is dict:
my_templates = [ssh_templates['sshParamTemplate']]
ssh_templates['sshParamTemplate'] = my_templates
if template_name is None:
return ssh_templates['sshParamTemplate']
elif template_name is not None:
for ssh_template in ssh_templates['sshParamTemplate']:
if ssh_template['name'] == template_name:
template = [ssh_template]
print(type(template))
if template == None:
return 404
else:
return template
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_ssh_templates: An Error has occured'
| get_ssh_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, template_name=None):\n f_url = (url +\n '/imcrs/plat/res/ssh?start=0&size=10000&desc=false&total=false')\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n ssh_templates = json.loads(response.text)\n template = None\n if type(ssh_templates['sshParamTemplate']) is dict:\n my_templates = [ssh_templates['sshParamTemplate']]\n ssh_templates['sshParamTemplate'] = my_templates\n if template_name is None:\n return ssh_templates['sshParamTemplate']\n elif template_name is not None:\n for ssh_template in ssh_templates['sshParamTemplate']:\n if ssh_template['name'] == template_name:\n template = [ssh_template]\n print(type(template))\n if template == None:\n return 404\n else:\n return template\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_ssh_templates: An Error has occured'\n",
"role": "user"
},
{
"content": "get_ssh_template",
"role": "assistant"
}
] |
def x(auth, url, ssh_template, template_name=None, template_id=None):
if template_name is None:
template_name = ssh_template['name']
if template_id is None:
ssh_templates = get_ssh_template(auth, url)
template_id = None
for template in ssh_templates:
if template['name'] == template_name:
template_id = template['id']
f_url = url + '/imcrs/plat/res/ssh/' + str(template_id) + '/update'
response = requests.put(f_url, data=json.dumps(ssh_template), auth=auth,
headers=HEADERS)
try:
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' modify_ssh_template: An Error has occured'
| modify_ssh_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, ssh_template, template_name=None, template_id=None):\n if template_name is None:\n template_name = ssh_template['name']\n if template_id is None:\n ssh_templates = get_ssh_template(auth, url)\n template_id = None\n for template in ssh_templates:\n if template['name'] == template_name:\n template_id = template['id']\n f_url = url + '/imcrs/plat/res/ssh/' + str(template_id) + '/update'\n response = requests.put(f_url, data=json.dumps(ssh_template), auth=auth,\n headers=HEADERS)\n try:\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' modify_ssh_template: An Error has occured'\n",
"role": "user"
},
{
"content": "modify_ssh_template",
"role": "assistant"
}
] |
def x(auth, url, template_name=None, template_id=None):
try:
if template_id is None:
ssh_templates = get_ssh_template(auth, url)
if template_name is None:
template_name = ssh_template['name']
template_id = None
for template in ssh_templates:
if template['name'] == template_name:
template_id = template['id']
f_url = url + '/imcrs/plat/res/ssh/%s/delete' % template_id
response = requests.delete(f_url, auth=auth, headers=HEADERS)
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' delete_ssh_template: An Error has occured'
| delete_ssh_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, template_name=None, template_id=None):\n try:\n if template_id is None:\n ssh_templates = get_ssh_template(auth, url)\n if template_name is None:\n template_name = ssh_template['name']\n template_id = None\n for template in ssh_templates:\n if template['name'] == template_name:\n template_id = template['id']\n f_url = url + '/imcrs/plat/res/ssh/%s/delete' % template_id\n response = requests.delete(f_url, auth=auth, headers=HEADERS)\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' delete_ssh_template: An Error has occured'\n",
"role": "user"
},
{
"content": "delete_ssh_template",
"role": "assistant"
}
] |
def x(auth, url, template_name=None):
f_url = (url +
'/imcrs/plat/res/snmp?start=0&size=10000&desc=false&total=false')
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
snmp_templates = json.loads(response.text)
template = None
if type(snmp_templates['snmpParamTemplate']) is dict:
my_templates = [snmp_templates['snmpParamTemplate']]
snmp_templates['snmpParamTemplate'] = my_templates
if template_name is None:
return snmp_templates['snmpParamTemplate']
elif template_name is not None:
for snmp_template in snmp_templates['snmpParamTemplate']:
if snmp_template['name'] == template_name:
template = [snmp_template]
if template == None:
return 404
else:
return template
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_snmp_templates: An Error has occured'
| get_snmp_templates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, template_name=None):\n f_url = (url +\n '/imcrs/plat/res/snmp?start=0&size=10000&desc=false&total=false')\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n snmp_templates = json.loads(response.text)\n template = None\n if type(snmp_templates['snmpParamTemplate']) is dict:\n my_templates = [snmp_templates['snmpParamTemplate']]\n snmp_templates['snmpParamTemplate'] = my_templates\n if template_name is None:\n return snmp_templates['snmpParamTemplate']\n elif template_name is not None:\n for snmp_template in snmp_templates['snmpParamTemplate']:\n if snmp_template['name'] == template_name:\n template = [snmp_template]\n if template == None:\n return 404\n else:\n return template\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_snmp_templates: An Error has occured'\n",
"role": "user"
},
{
"content": "get_snmp_templates",
"role": "assistant"
}
] |
def x(auth, url, snmp_template, template_name=None, template_id=None):
if template_name is None:
template_name = snmp_template['name']
if template_id is None:
snmp_templates = get_snmp_templates(auth, url)
template_id = None
for template in snmp_templates:
if template['name'] == template_name:
template_id = template['id']
f_url = url + '/imcrs/plat/res/snmp/' + str(template_id) + '/update'
response = requests.put(f_url, data=json.dumps(snmp_template), auth=
auth, headers=HEADERS)
try:
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' modify_snmp_template: An Error has occured'
| modify_snmp_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, snmp_template, template_name=None, template_id=None):\n if template_name is None:\n template_name = snmp_template['name']\n if template_id is None:\n snmp_templates = get_snmp_templates(auth, url)\n template_id = None\n for template in snmp_templates:\n if template['name'] == template_name:\n template_id = template['id']\n f_url = url + '/imcrs/plat/res/snmp/' + str(template_id) + '/update'\n response = requests.put(f_url, data=json.dumps(snmp_template), auth=\n auth, headers=HEADERS)\n try:\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' modify_snmp_template: An Error has occured'\n",
"role": "user"
},
{
"content": "modify_snmp_template",
"role": "assistant"
}
] |
def x(auth, url, template_name=None, template_id=None):
try:
if template_id is None:
snmp_templates = get_snmp_templates(auth, url)
if template_name is None:
template_name = snmp_template['name']
template_id = None
for template in snmp_templates:
if template['name'] == template_name:
template_id = template['id']
f_url = url + '/imcrs/plat/res/snmp/%s/delete' % template_id
response = requests.delete(f_url, auth=auth, headers=HEADERS)
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' delete_snmp_template: An Error has occured'
| delete_snmp_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, template_name=None, template_id=None):\n try:\n if template_id is None:\n snmp_templates = get_snmp_templates(auth, url)\n if template_name is None:\n template_name = snmp_template['name']\n template_id = None\n for template in snmp_templates:\n if template['name'] == template_name:\n template_id = template['id']\n f_url = url + '/imcrs/plat/res/snmp/%s/delete' % template_id\n response = requests.delete(f_url, auth=auth, headers=HEADERS)\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' delete_snmp_template: An Error has occured'\n",
"role": "user"
},
{
"content": "delete_snmp_template",
"role": "assistant"
}
] |
def x(ipaddress, auth, url):
ipaddress = get_dev_details(ipaddress, auth, url)
if isinstance(ipaddress, dict):
ipaddress = ipaddress['ip']
else:
print("Asset Doesn't Exist")
return 403
f_url = url + '/imcrs/netasset/asset?assetDevice.ip=' + str(ipaddress)
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
dev_asset_info = json.loads(response.text)
if len(dev_asset_info) > 0:
dev_asset_info = dev_asset_info['netAsset']
if isinstance(dev_asset_info, dict):
dev_asset_info = [dev_asset_info]
if isinstance(dev_asset_info, list):
dev_asset_info[:] = [dev for dev in dev_asset_info if dev.
get('deviceIp') == ipaddress]
return dev_asset_info
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_dev_asset_details: An Error has occured'
| get_dev_asset_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ipaddress, auth, url):\n ipaddress = get_dev_details(ipaddress, auth, url)\n if isinstance(ipaddress, dict):\n ipaddress = ipaddress['ip']\n else:\n print(\"Asset Doesn't Exist\")\n return 403\n f_url = url + '/imcrs/netasset/asset?assetDevice.ip=' + str(ipaddress)\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n dev_asset_info = json.loads(response.text)\n if len(dev_asset_info) > 0:\n dev_asset_info = dev_asset_info['netAsset']\n if isinstance(dev_asset_info, dict):\n dev_asset_info = [dev_asset_info]\n if isinstance(dev_asset_info, list):\n dev_asset_info[:] = [dev for dev in dev_asset_info if dev.\n get('deviceIp') == ipaddress]\n return dev_asset_info\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_dev_asset_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_asset_details",
"role": "assistant"
}
] |
def x(auth, url):
f_url = url + '/imcrs/netasset/asset?start=0&size=15000'
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
dev_asset_info = json.loads(response.text)['netAsset']
return dev_asset_info
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_dev_asset_details: An Error has occured'
| get_dev_asset_details_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n f_url = url + '/imcrs/netasset/asset?start=0&size=15000'\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n dev_asset_info = json.loads(response.text)['netAsset']\n return dev_asset_info\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_dev_asset_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_asset_details_all",
"role": "assistant"
}
] |
def x(ctx, bind, port):
app = web.Application()
app.on_startup.append(startup_proxy)
app.on_cleanup.append(cleanup_proxy)
app.router.add_route('GET', '/stream/{path:.*$}', websocket_handler)
app.router.add_route('GET', '/wsproxy/{path:.*$}', websocket_handler)
app.router.add_route('*', '/{path:.*$}', web_handler)
if getattr(ctx.args, 'testing', False):
return app
web.run_app(app, host=bind, port=port)
| proxy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, bind, port):\n app = web.Application()\n app.on_startup.append(startup_proxy)\n app.on_cleanup.append(cleanup_proxy)\n app.router.add_route('GET', '/stream/{path:.*$}', websocket_handler)\n app.router.add_route('GET', '/wsproxy/{path:.*$}', websocket_handler)\n app.router.add_route('*', '/{path:.*$}', web_handler)\n if getattr(ctx.args, 'testing', False):\n return app\n web.run_app(app, host=bind, port=port)\n",
"role": "user"
},
{
"content": "proxy",
"role": "assistant"
}
] |
def x(auth, url, network_address=None, category=None, label=None):
base_url = '/imcrs/plat/res/device?resPrivilegeFilter=false'
end_url = '&start=0&size=1000&orderBy=id&desc=false&total=false'
if network_address:
network_address = '&ip=' + str(network_address)
else:
network_address = ''
if label:
label = '&label=' + str(label)
else:
label = ''
if category:
category = '&category' + category
else:
category = ''
f_url = url + base_url + str(network_address) + str(label) + str(category
) + end_url
print(f_url)
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
dev_details = json.loads(response.text)
if len(dev_details) == 0:
print('Device not found')
return 'Device not found'
elif type(dev_details['device']) is dict:
return [dev_details['device']]
else:
return dev_details['device']
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' 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, category=None, label=None):\n base_url = '/imcrs/plat/res/device?resPrivilegeFilter=false'\n end_url = '&start=0&size=1000&orderBy=id&desc=false&total=false'\n if network_address:\n network_address = '&ip=' + str(network_address)\n else:\n network_address = ''\n if label:\n label = '&label=' + str(label)\n else:\n label = ''\n if category:\n category = '&category' + category\n else:\n category = ''\n f_url = url + base_url + str(network_address) + str(label) + str(category\n ) + end_url\n print(f_url)\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n dev_details = json.loads(response.text)\n if len(dev_details) == 0:\n print('Device not found')\n return 'Device not found'\n elif type(dev_details['device']) is dict:\n return [dev_details['device']]\n else:\n return dev_details['device']\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' 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
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
dev_details = json.loads(response.text)
if len(dev_details) == 0:
print('Device not found')
return 'Device not found'
elif isinstance(dev_details['device'], list):
for i in dev_details['device']:
if i['ip'] == ip_address:
dev_details = i
return dev_details
elif isinstance(dev_details['device'], dict):
return dev_details['device']
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' 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 response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n dev_details = json.loads(response.text)\n if len(dev_details) == 0:\n print('Device not found')\n return 'Device not found'\n elif isinstance(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 isinstance(dev_details['device'], dict):\n return dev_details['device']\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_dev_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_details",
"role": "assistant"
}
] |
def x(auth, url, devid=None, devip=None):
if devip is not None:
devid = get_dev_details(devip, auth, url)['id']
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
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
int_list = json.loads(response.text)
if 'interface' in int_list:
return int_list['interface']
else:
return []
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' 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(auth, url, devid=None, devip=None):\n if devip is not None:\n devid = get_dev_details(devip, auth, url)['id']\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 response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n int_list = json.loads(response.text)\n if 'interface' in int_list:\n return int_list['interface']\n else:\n return []\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_dev_interface: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_interface",
"role": "assistant"
}
] |
def x(auth, url, devid=None, devip=None):
if devip is not None:
devid = get_dev_details(devip, auth, url)['id']
f_url = url + '/imcrs/res/access/ipMacLearn/' + str(devid)
try:
response = requests.get(f_url, auth=auth, headers=HEADERS)
if response.status_code == 200:
if len(json.loads(response.text)) < 1:
mac_learn_query = []
return mac_learn_query
else:
mac_learn_query = json.loads(response.text)['ipMacLearnResult']
if isinstance(mac_learn_query, dict):
mac_learn_query = [mac_learn_query]
return mac_learn_query
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' 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(auth, url, devid=None, devip=None):\n if devip is not None:\n devid = get_dev_details(devip, auth, url)['id']\n f_url = url + '/imcrs/res/access/ipMacLearn/' + str(devid)\n try:\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n if response.status_code == 200:\n if len(json.loads(response.text)) < 1:\n mac_learn_query = []\n return mac_learn_query\n else:\n mac_learn_query = json.loads(response.text)['ipMacLearnResult']\n if isinstance(mac_learn_query, dict):\n mac_learn_query = [mac_learn_query]\n return mac_learn_query\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_dev_mac_learn: An Error has occured'\n",
"role": "user"
},
{
"content": "get_dev_mac_learn",
"role": "assistant"
}
] |
def x(cmd_list, auth, url, devid=None, devip=None):
if devip is not None:
devid = get_dev_details(devip, auth, url)['id']
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 + """]
}
}"""
try:
response = requests.post(f_url, data=payload, auth=auth, headers=
HEADERS)
if response.status_code == 200:
if len(response.text) < 1:
return ''
else:
return json.loads(response.text)
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error) + ' run_dev_cmd: An Error has occured'
| run_dev_cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd_list, auth, url, devid=None, devip=None):\n if devip is not None:\n devid = get_dev_details(devip, auth, url)['id']\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 try:\n response = requests.post(f_url, data=payload, auth=auth, headers=\n HEADERS)\n if response.status_code == 200:\n if len(response.text) < 1:\n return ''\n else:\n return json.loads(response.text)\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error) + ' run_dev_cmd: An Error has occured'\n",
"role": "user"
},
{
"content": "run_dev_cmd",
"role": "assistant"
}
] |
def x(auth, url, devid=None, devip=None):
if devip is not None:
devid = get_dev_details(devip, auth, url)['id']
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
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
dev_details = json.loads(response.text)
return dev_details['interface']
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_all_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(auth, url, devid=None, devip=None):\n if devip is not None:\n devid = get_dev_details(devip, auth, url)['id']\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 response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n dev_details = json.loads(response.text)\n return dev_details['interface']\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_all_interface_details: An Error has occured'\n",
"role": "user"
},
{
"content": "get_all_interface_details",
"role": "assistant"
}
] |
def x(ifindex, auth, url, devid=None, devip=None):
if devip is not None:
devid = get_dev_details(devip, auth, url)['id']
set_int_down_url = '/imcrs/plat/res/device/' + str(devid
) + '/interface/' + str(ifindex) + '/down'
f_url = url + set_int_down_url
try:
response = requests.put(f_url, auth=auth, headers=HEADERS)
print(response.status_code)
if response.status_code == 204:
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' 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(ifindex, auth, url, devid=None, devip=None):\n if devip is not None:\n devid = get_dev_details(devip, auth, url)['id']\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 response = requests.put(f_url, auth=auth, headers=HEADERS)\n print(response.status_code)\n if response.status_code == 204:\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' set_inteface_down: An Error has occured'\n",
"role": "user"
},
{
"content": "set_interface_down",
"role": "assistant"
}
] |
def x(ifindex, auth, url, devid=None, devip=None):
if devip is not None:
devid = get_dev_details(devip, auth, url)['id']
set_int_up_url = '/imcrs/plat/res/device/' + str(devid
) + '/interface/' + str(ifindex) + '/up'
f_url = url + set_int_up_url
try:
response = requests.put(f_url, auth=auth, headers=HEADERS)
if response.status_code == 204:
return response.status_code
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' 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(ifindex, auth, url, devid=None, devip=None):\n if devip is not None:\n devid = get_dev_details(devip, auth, url)['id']\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 response = requests.put(f_url, auth=auth, headers=HEADERS)\n if response.status_code == 204:\n return response.status_code\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' set_inteface_up: An Error has occured'\n",
"role": "user"
},
{
"content": "set_inteface_up",
"role": "assistant"
}
] |
def x(cmd_list):
cmd = ''
for i in cmd_list:
cmd = cmd + '"' + i + '",'
cmd = cmd[:-1]
return cmd
| make_cmd_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd_list):\n cmd = ''\n for i in cmd_list:\n cmd = cmd + '\"' + i + '\",'\n cmd = cmd[:-1]\n return cmd\n",
"role": "user"
},
{
"content": "make_cmd_list",
"role": "assistant"
}
] |
async def create(cls, user_id: Union[int, str], is_active: bool=True,
is_admin: bool=False, resource_policy: str=None, rate_limit: int=None,
fields: Iterable[str]=None) ->dict:
"""
Creates a new keypair with the given options.
You need an admin privilege for this operation.
"""
if fields is None:
fields = 'access_key', 'secret_key'
uid_type = 'Int!' if isinstance(user_id, int) else 'String!'
q = ('mutation($user_id: {0}, $input: KeyPairInput!) {{'.format(
uid_type) +
' create_keypair(user_id: $user_id, props: $input) { ok msg keypair { $fields } }}'
)
q = q.replace('$fields', ' '.join(fields))
variables = {'user_id': user_id, 'input': {'is_active': is_active,
'is_admin': is_admin, 'resource_policy': resource_policy,
'rate_limit': rate_limit}}
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']
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def create(cls, user_id: Union[int, str], is_active: bool=True,\n is_admin: bool=False, resource_policy: str=None, rate_limit: int=None,\n fields: Iterable[str]=None) ->dict:\n \"\"\"\n Creates a new keypair with the given options.\n You need an admin privilege for this operation.\n \"\"\"\n if fields is None:\n fields = 'access_key', 'secret_key'\n uid_type = 'Int!' if isinstance(user_id, int) else 'String!'\n q = ('mutation($user_id: {0}, $input: KeyPairInput!) {{'.format(\n uid_type) +\n ' create_keypair(user_id: $user_id, props: $input) { ok msg keypair { $fields } }}'\n )\n q = q.replace('$fields', ' '.join(fields))\n variables = {'user_id': user_id, 'input': {'is_active': is_active,\n 'is_admin': is_admin, 'resource_policy': resource_policy,\n 'rate_limit': rate_limit}}\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']\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
async def update(cls, access_key: str, is_active: bool=None, is_admin: bool
=None, resource_policy: str=None, rate_limit: int=None) ->dict:
"""
Creates a new keypair with the given options.
You need an admin privilege for this operation.
"""
q = ('mutation($access_key: String!, $input: ModifyKeyPairInput!) {' +
' modify_keypair(access_key: $access_key, props: $input) { ok msg }}'
)
variables = {'access_key': access_key, 'input': {'is_active': is_active,
'is_admin': is_admin, 'resource_policy': resource_policy,
'rate_limit': rate_limit}}
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['modify_keypair']
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def update(cls, access_key: str, is_active: bool=None, is_admin: bool\n =None, resource_policy: str=None, rate_limit: int=None) ->dict:\n \"\"\"\n Creates a new keypair with the given options.\n You need an admin privilege for this operation.\n \"\"\"\n q = ('mutation($access_key: String!, $input: ModifyKeyPairInput!) {' +\n ' modify_keypair(access_key: $access_key, props: $input) { ok msg }}'\n )\n variables = {'access_key': access_key, 'input': {'is_active': is_active,\n 'is_admin': is_admin, 'resource_policy': resource_policy,\n 'rate_limit': rate_limit}}\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['modify_keypair']\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
async def delete(cls, access_key: str):
"""
Deletes an existing keypair with given ACCESSKEY.
"""
q = (
'mutation($access_key: String!) { delete_keypair(access_key: $access_key) { ok msg }}'
)
variables = {'access_key': access_key}
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['delete_keypair']
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def delete(cls, access_key: str):\n \"\"\"\n Deletes an existing keypair with given ACCESSKEY.\n \"\"\"\n q = (\n 'mutation($access_key: String!) { delete_keypair(access_key: $access_key) { ok msg }}'\n )\n variables = {'access_key': access_key}\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['delete_keypair']\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
async def list(cls, user_id: Union[int, str]=None, is_active: bool=None,
fields: Iterable[str]=None) ->Sequence[dict]:
"""
Lists the keypairs.
You need an admin privilege for this operation.
"""
if fields is None:
fields = 'access_key', 'secret_key', 'is_active', 'is_admin'
if user_id is None:
q = (
'query($is_active: Boolean) { keypairs(is_active: $is_active) { $fields }}'
)
else:
uid_type = 'Int!' if isinstance(user_id, int) else 'String!'
q = ('query($user_id: {0}, $is_active: Boolean) {{'.format(uid_type
) +
' keypairs(user_id: $user_id, is_active: $is_active) { $fields }}'
)
q = q.replace('$fields', ' '.join(fields))
variables = {'is_active': is_active}
if user_id is not None:
variables['user_id'] = user_id
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['keypairs']
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def list(cls, user_id: Union[int, str]=None, is_active: bool=None,\n fields: Iterable[str]=None) ->Sequence[dict]:\n \"\"\"\n Lists the keypairs.\n You need an admin privilege for this operation.\n \"\"\"\n if fields is None:\n fields = 'access_key', 'secret_key', 'is_active', 'is_admin'\n if user_id is None:\n q = (\n 'query($is_active: Boolean) { keypairs(is_active: $is_active) { $fields }}'\n )\n else:\n uid_type = 'Int!' if isinstance(user_id, int) else 'String!'\n q = ('query($user_id: {0}, $is_active: Boolean) {{'.format(uid_type\n ) +\n ' keypairs(user_id: $user_id, is_active: $is_active) { $fields }}'\n )\n q = q.replace('$fields', ' '.join(fields))\n variables = {'is_active': is_active}\n if user_id is not None:\n variables['user_id'] = user_id\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['keypairs']\n",
"role": "user"
},
{
"content": "list",
"role": "assistant"
}
] |
async def info(self, fields: Iterable[str]=None) ->dict:
"""
Returns the keypair's information such as resource limits.
:param fields: Additional per-agent query fields to fetch.
.. versionadded:: 18.12
"""
if fields is None:
fields = 'access_key', 'secret_key', 'is_active', 'is_admin'
q = 'query { keypair { $fields }}'
q = q.replace('$fields', ' '.join(fields))
rqst = Request(self.session, 'POST', '/admin/graphql')
rqst.set_json({'query': q})
async with rqst.fetch() as resp:
data = await resp.json()
return data['keypair']
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def info(self, fields: Iterable[str]=None) ->dict:\n \"\"\"\n Returns the keypair's information such as resource limits.\n\n :param fields: Additional per-agent query fields to fetch.\n\n .. versionadded:: 18.12\n \"\"\"\n if fields is None:\n fields = 'access_key', 'secret_key', 'is_active', 'is_admin'\n q = 'query { keypair { $fields }}'\n q = q.replace('$fields', ' '.join(fields))\n rqst = Request(self.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']\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
async def activate(cls, access_key: str) ->dict:
"""
Activates this keypair.
You need an admin privilege for this operation.
"""
q = ('mutation($access_key: String!, $input: ModifyKeyPairInput!) {' +
' modify_keypair(access_key: $access_key, props: $input) { ok msg }}'
)
variables = {'access_key': access_key, 'input': {'is_active': True,
'is_admin': None, 'resource_policy': None, 'rate_limit': None}}
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['modify_keypair']
| activate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def activate(cls, access_key: str) ->dict:\n \"\"\"\n Activates this keypair.\n You need an admin privilege for this operation.\n \"\"\"\n q = ('mutation($access_key: String!, $input: ModifyKeyPairInput!) {' +\n ' modify_keypair(access_key: $access_key, props: $input) { ok msg }}'\n )\n variables = {'access_key': access_key, 'input': {'is_active': True,\n 'is_admin': None, 'resource_policy': None, 'rate_limit': None}}\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['modify_keypair']\n",
"role": "user"
},
{
"content": "activate",
"role": "assistant"
}
] |
async def deactivate(cls, access_key: str) ->dict:
"""
Deactivates this keypair.
Deactivated keypairs cannot make any API requests
unless activated again by an administrator.
You need an admin privilege for this operation.
"""
q = ('mutation($access_key: String!, $input: ModifyKeyPairInput!) {' +
' modify_keypair(access_key: $access_key, props: $input) { ok msg }}'
)
variables = {'access_key': access_key, 'input': {'is_active': False,
'is_admin': None, 'resource_policy': None, 'rate_limit': None}}
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['modify_keypair']
| deactivate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def deactivate(cls, access_key: str) ->dict:\n \"\"\"\n Deactivates this keypair.\n Deactivated keypairs cannot make any API requests\n unless activated again by an administrator.\n You need an admin privilege for this operation.\n \"\"\"\n q = ('mutation($access_key: String!, $input: ModifyKeyPairInput!) {' +\n ' modify_keypair(access_key: $access_key, props: $input) { ok msg }}'\n )\n variables = {'access_key': access_key, 'input': {'is_active': False,\n 'is_admin': None, 'resource_policy': None, 'rate_limit': None}}\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['modify_keypair']\n",
"role": "user"
},
{
"content": "deactivate",
"role": "assistant"
}
] |
def x(auth, url, startIp, endIp, name, description):
if auth is None or url is None:
set_imc_creds()
add_ip_scope_url = '/imcrs/res/access/assignedIpScope'
f_url = url + add_ip_scope_url
payload = (
'{ "startIp": "%s", "endIp": "%s","name": "%s","description": "%s" }'
% (str(startIp), str(endIp), str(name), str(description)))
r = requests.post(f_url, auth=auth, headers=HEADERS, data=payload)
try:
if r.status_code == 200:
print('IP Scope Successfully Created')
return r.status_code
elif r.status_code == 409:
print('IP Scope Already Exists')
return r.status_code
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' add_ip_scope: An Error has occured'
"""{
"ip": "10.101.0.1",
"name": "Cisco2811.lab.local",
"description": "Cisco 2811",
"parentId": "1"
}"""
| add_ip_scope | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url, startIp, endIp, name, description):\n if auth is None or url is None:\n set_imc_creds()\n add_ip_scope_url = '/imcrs/res/access/assignedIpScope'\n f_url = url + add_ip_scope_url\n payload = (\n '{ \"startIp\": \"%s\", \"endIp\": \"%s\",\"name\": \"%s\",\"description\": \"%s\" }'\n % (str(startIp), str(endIp), str(name), str(description)))\n r = requests.post(f_url, auth=auth, headers=HEADERS, data=payload)\n try:\n if r.status_code == 200:\n print('IP Scope Successfully Created')\n return r.status_code\n elif r.status_code == 409:\n print('IP Scope Already Exists')\n return r.status_code\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' add_ip_scope: An Error has occured'\n \"\"\"{\n \"ip\": \"10.101.0.1\",\n \"name\": \"Cisco2811.lab.local\",\n \"description\": \"Cisco 2811\",\n \"parentId\": \"1\"\n }\"\"\"\n",
"role": "user"
},
{
"content": "add_ip_scope",
"role": "assistant"
}
] |
async def check_presets(cls):
"""
Lists all resource presets in the current scaling group with additiona
information.
"""
rqst = Request(cls.session, 'POST', '/resource/check-presets')
async with rqst.fetch() as resp:
return await resp.json()
| check_presets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def check_presets(cls):\n \"\"\"\n Lists all resource presets in the current scaling group with additiona\n information.\n \"\"\"\n rqst = Request(cls.session, 'POST', '/resource/check-presets')\n async with rqst.fetch() as resp:\n return await resp.json()\n",
"role": "user"
},
{
"content": "check_presets",
"role": "assistant"
}
] |
def x(task, auth, url):
add_perf_task_url = '/imcrs/perf/task'
f_url = url + add_perf_task_url
payload = json.dumps(task)
r = requests.post(f_url, data=payload, auth=auth, headers=headers)
try:
return r.status_code
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_alarms: An Error has occured'
| add_perf_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task, auth, url):\n add_perf_task_url = '/imcrs/perf/task'\n f_url = url + add_perf_task_url\n payload = json.dumps(task)\n r = requests.post(f_url, data=payload, auth=auth, headers=headers)\n try:\n return r.status_code\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_alarms: An Error has occured'\n",
"role": "user"
},
{
"content": "add_perf_task",
"role": "assistant"
}
] |
def x(task_name, auth, url):
get_perf_task_url = ('/imcrs/perf/task?name=' + task_name +
'&orderBy=taskId&desc=false')
f_url = url + get_perf_task_url
r = requests.get(f_url, auth=auth, headers=headers)
try:
if r.status_code == 200:
perf_task_info = json.loads(r.text)['task']
return perf_task_info
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_dev_alarms: An Error has occured'
| get_perf_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(task_name, auth, url):\n get_perf_task_url = ('/imcrs/perf/task?name=' + task_name +\n '&orderBy=taskId&desc=false')\n f_url = url + get_perf_task_url\n r = requests.get(f_url, auth=auth, headers=headers)\n try:\n if r.status_code == 200:\n perf_task_info = json.loads(r.text)['task']\n return perf_task_info\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_dev_alarms: An Error has occured'\n",
"role": "user"
},
{
"content": "get_perf_task",
"role": "assistant"
}
] |
def x(hostip, auth, url):
hostId = get_dev_details(hostip, auth, url)['id']
get_vm_host_info_url = '/imcrs/vrm/host?hostId=' + str(hostId)
f_url = url + get_vm_host_info_url
payload = None
r = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if r.status_code == 200:
if len(r.text) > 0:
return json.loads(r.text)
elif r.status_code == 204:
print('Device is not a supported Hypervisor')
return 'Device is not a supported Hypervisor'
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e) + ' get_vm_host_info: An Error has occured'
| get_vm_host_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hostip, auth, url):\n hostId = get_dev_details(hostip, auth, url)['id']\n get_vm_host_info_url = '/imcrs/vrm/host?hostId=' + str(hostId)\n f_url = url + get_vm_host_info_url\n payload = None\n r = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if r.status_code == 200:\n if len(r.text) > 0:\n return json.loads(r.text)\n elif r.status_code == 204:\n print('Device is not a supported Hypervisor')\n return 'Device is not a supported Hypervisor'\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e) + ' get_vm_host_info: An Error has occured'\n",
"role": "user"
},
{
"content": "get_vm_host_info",
"role": "assistant"
}
] |
def x(auth, url):
f_url = url + '/imcrs/wlan/acInfo/queryAcBasicInfo'
response = requests.get(f_url, auth=auth, headers=HEADERS)
try:
if response.status_code == 200:
if len(response.text) > 0:
acs = json.loads(response.text)['acBasicInfo']
if type(acs) is dict:
acs = [acs]
return acs
except requests.exceptions.RequestException as error:
return 'Error:\n' + str(error
) + ' get_ac_info_all: An Error has occured'
| get_ac_info_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth, url):\n f_url = url + '/imcrs/wlan/acInfo/queryAcBasicInfo'\n response = requests.get(f_url, auth=auth, headers=HEADERS)\n try:\n if response.status_code == 200:\n if len(response.text) > 0:\n acs = json.loads(response.text)['acBasicInfo']\n if type(acs) is dict:\n acs = [acs]\n return acs\n except requests.exceptions.RequestException as error:\n return 'Error:\\n' + str(error\n ) + ' get_ac_info_all: An Error has occured'\n",
"role": "user"
},
{
"content": "get_ac_info_all",
"role": "assistant"
}
] |
def x(h_url=None, imc_server=None, imc_port=None, imc_user=None, imc_pw=None):
global auth, url
if h_url is None:
imc_protocol = input(
"""What protocol would you like to use to connect to the IMC server:
Press 1 for HTTP:
Press 2 for HTTPS:"""
)
if imc_protocol == '1':
h_url = 'http://'
else:
h_url = 'https://'
imc_server = input('What is the ip address of the IMC server?')
imc_port = input('What is the port number of the IMC server?')
imc_user = input('What is the username of the IMC eAPI user?')
imc_pw = input('What is the password of the IMC eAPI user?')
url = h_url + imc_server + ':' + imc_port
auth = requests.auth.HTTPDigestAuth(imc_user, imc_pw)
test_url = '/imcrs'
f_url = url + test_url
try:
r = requests.get(f_url, auth=auth, headers=headers, verify=False)
print(r.status_code)
return auth
except requests.exceptions.RequestException as e:
print('Error:\n' + str(e))
print('\n\nThe IMC server address is invalid. Please try again\n\n')
set_imc_creds()
if r.status_code != 200:
print("Error: \n You're credentials are invalid. Please try again\n\n")
set_imc_creds()
else:
print("You've successfully access the IMC eAPI")
| set_imc_creds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h_url=None, imc_server=None, imc_port=None, imc_user=None, imc_pw=None):\n global auth, url\n if h_url is None:\n imc_protocol = input(\n \"\"\"What protocol would you like to use to connect to the IMC server: \n Press 1 for HTTP: \n Press 2 for HTTPS:\"\"\"\n )\n if imc_protocol == '1':\n h_url = 'http://'\n else:\n h_url = 'https://'\n imc_server = input('What is the ip address of the IMC server?')\n imc_port = input('What is the port number of the IMC server?')\n imc_user = input('What is the username of the IMC eAPI user?')\n imc_pw = input('What is the password of the IMC eAPI user?')\n url = h_url + imc_server + ':' + imc_port\n auth = requests.auth.HTTPDigestAuth(imc_user, imc_pw)\n test_url = '/imcrs'\n f_url = url + test_url\n try:\n r = requests.get(f_url, auth=auth, headers=headers, verify=False)\n print(r.status_code)\n return auth\n except requests.exceptions.RequestException as e:\n print('Error:\\n' + str(e))\n print('\\n\\nThe IMC server address is invalid. Please try again\\n\\n')\n set_imc_creds()\n if r.status_code != 200:\n print(\"Error: \\n You're credentials are invalid. Please try again\\n\\n\")\n set_imc_creds()\n else:\n print(\"You've successfully access the IMC eAPI\")\n",
"role": "user"
},
{
"content": "set_imc_creds",
"role": "assistant"
}
] |
def x(object):
with open('pyoutput.txt', 'w') as fh:
x = None
if type(object) is list:
x = json.dumps(object, indent=4)
if type(object) is dict:
x = json.dumps(object, indent=4)
if type(object) is str:
x = object
fh.write(x)
| print_to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(object):\n with open('pyoutput.txt', 'w') as fh:\n x = None\n if type(object) is list:\n x = json.dumps(object, indent=4)\n if type(object) is dict:\n x = json.dumps(object, indent=4)\n if type(object) is str:\n x = object\n fh.write(x)\n",
"role": "user"
},
{
"content": "print_to_file",
"role": "assistant"
}
] |
def x(self):
url = self.h_url + self.server + ':' + self.port
auth = requests.auth.HTTPDigestAuth(self.username, self.password)
auth_url = '/imcrs'
f_url = url + auth_url
try:
r = requests.get(f_url, auth=auth, headers=headers, verify=False)
return r.status_code
except requests.exceptions.RequestException as e:
return 'Error:\n' + str(e
) + '\n\nThe IMC server address is invalid. Please try again'
set_imc_creds()
if r.status_code != 200:
return 'Error:\n' + str(e) + """Error:
You're credentials are invalid. Please try again
"""
set_imc_creds()
| get_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.h_url + self.server + ':' + self.port\n auth = requests.auth.HTTPDigestAuth(self.username, self.password)\n auth_url = '/imcrs'\n f_url = url + auth_url\n try:\n r = requests.get(f_url, auth=auth, headers=headers, verify=False)\n return r.status_code\n except requests.exceptions.RequestException as e:\n return 'Error:\\n' + str(e\n ) + '\\n\\nThe IMC server address is invalid. Please try again'\n set_imc_creds()\n if r.status_code != 200:\n return 'Error:\\n' + str(e) + \"\"\"Error: \n You're credentials are invalid. Please try again\n\n\"\"\"\n set_imc_creds()\n",
"role": "user"
},
{
"content": "get_auth",
"role": "assistant"
}
] |
def x(root):
version_json = os.path.join(root, 'version.json')
if os.path.exists(version_json):
with open(version_json, 'r') as version_json_file:
return json.load(version_json_file)
return None
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n version_json = os.path.join(root, 'version.json')\n if os.path.exists(version_json):\n with open(version_json, 'r') as version_json_file:\n return json.load(version_json_file)\n return None\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(self, endpoint_name, identifier_input, query_params=None):
endpoint_url = (constants.URL_PREFIX + '/' + self._version + '/' +
endpoint_name)
if query_params is None:
query_params = {}
if len(identifier_input) == 1:
query_params.update(identifier_input[0])
return self._request_client.get(endpoint_url, query_params)
return self._request_client.post(endpoint_url, identifier_input,
query_params)
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint_name, identifier_input, query_params=None):\n endpoint_url = (constants.URL_PREFIX + '/' + self._version + '/' +\n endpoint_name)\n if query_params is None:\n query_params = {}\n if len(identifier_input) == 1:\n query_params.update(identifier_input[0])\n return self._request_client.get(endpoint_url, query_params)\n return self._request_client.post(endpoint_url, identifier_input,\n query_params)\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, endpoint_name, query_params=None):
endpoint_url = (constants.URL_PREFIX + '/' + self._version + '/' +
endpoint_name)
if query_params is None:
query_params = {}
return self._request_client.get(endpoint_url, query_params)
| fetch_synchronous | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint_name, query_params=None):\n endpoint_url = (constants.URL_PREFIX + '/' + self._version + '/' +\n endpoint_name)\n if query_params is None:\n query_params = {}\n return self._request_client.get(endpoint_url, query_params)\n",
"role": "user"
},
{
"content": "fetch_synchronous",
"role": "assistant"
}
] |
def x(self, identifier_data):
identifier_input = []
if isinstance(identifier_data, list) and len(identifier_data) > 0:
for address in identifier_data:
identifier_input.append(self._convert_to_identifier_json(address))
else:
identifier_input.append(self._convert_to_identifier_json(
identifier_data))
return identifier_input
| get_identifier_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identifier_data):\n identifier_input = []\n if isinstance(identifier_data, list) and len(identifier_data) > 0:\n for address in identifier_data:\n identifier_input.append(self._convert_to_identifier_json(address))\n else:\n identifier_input.append(self._convert_to_identifier_json(\n identifier_data))\n return identifier_input\n",
"role": "user"
},
{
"content": "get_identifier_input",
"role": "assistant"
}
] |
def x(self, endpoint_name, identifier_data, query_params=None):
if query_params is None:
query_params = {}
identifier_input = self.get_identifier_input(identifier_data)
return self._api_client.fetch(endpoint_name, identifier_input, query_params
)
| fetch_identifier_component | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint_name, identifier_data, query_params=None):\n if query_params is None:\n query_params = {}\n identifier_input = self.get_identifier_input(identifier_data)\n return self._api_client.fetch(endpoint_name, identifier_input, query_params\n )\n",
"role": "user"
},
{
"content": "fetch_identifier_component",
"role": "assistant"
}
] |
def x(self, address_data):
if isinstance(address_data, str):
return {'slug': address_data}
if isinstance(address_data, tuple) and len(address_data) > 0:
address_json = {'address': address_data[0]}
if len(address_data) > 1:
address_json['zipcode'] = address_data[1]
if len(address_data) > 2:
address_json['meta'] = address_data[2]
return address_json
if isinstance(address_data, dict):
allowed_keys = ['address', 'zipcode', 'unit', 'city', 'state',
'slug', 'meta', 'client_value', 'client_value_sqft']
for key in address_data:
if key not in allowed_keys:
msg = 'Key in address input not allowed: ' + key
raise housecanary.exceptions.InvalidInputException(msg)
if 'address' in address_data or 'slug' in address_data:
return address_data
msg = (
"Input is invalid. Must be a list of (address, zipcode) tuples, or a dict or list of dicts with each item containing at least an 'address' or 'slug' key."
)
raise housecanary.exceptions.InvalidInputException(msg)
| convert_to_identifier_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address_data):\n if isinstance(address_data, str):\n return {'slug': address_data}\n if isinstance(address_data, tuple) and len(address_data) > 0:\n address_json = {'address': address_data[0]}\n if len(address_data) > 1:\n address_json['zipcode'] = address_data[1]\n if len(address_data) > 2:\n address_json['meta'] = address_data[2]\n return address_json\n if isinstance(address_data, dict):\n allowed_keys = ['address', 'zipcode', 'unit', 'city', 'state',\n 'slug', 'meta', 'client_value', 'client_value_sqft']\n for key in address_data:\n if key not in allowed_keys:\n msg = 'Key in address input not allowed: ' + key\n raise housecanary.exceptions.InvalidInputException(msg)\n if 'address' in address_data or 'slug' in address_data:\n return address_data\n msg = (\n \"Input is invalid. Must be a list of (address, zipcode) tuples, or a dict or list of dicts with each item containing at least an 'address' or 'slug' key.\"\n )\n raise housecanary.exceptions.InvalidInputException(msg)\n",
"role": "user"
},
{
"content": "convert_to_identifier_json",
"role": "assistant"
}
] |
def x(self, address, zipcode, report_type='full', format_type='json'):
query_params = {'report_type': report_type, 'format': format_type,
'address': address, 'zipcode': zipcode}
return self._api_client.fetch_synchronous('property/value_report',
query_params)
| value_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address, zipcode, report_type='full', format_type='json'):\n query_params = {'report_type': report_type, 'format': format_type,\n 'address': address, 'zipcode': zipcode}\n return self._api_client.fetch_synchronous('property/value_report',\n query_params)\n",
"role": "user"
},
{
"content": "value_report",
"role": "assistant"
}
] |
def x(self, address, zipcode, format_type='json'):
query_params = {'format': format_type, 'address': address, 'zipcode':
zipcode}
return self._api_client.fetch_synchronous('property/rental_report',
query_params)
| rental_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address, zipcode, format_type='json'):\n query_params = {'format': format_type, 'address': address, 'zipcode':\n zipcode}\n return self._api_client.fetch_synchronous('property/rental_report',\n query_params)\n",
"role": "user"
},
{
"content": "rental_report",
"role": "assistant"
}
] |
def x(self, zip_data, components):
if not isinstance(components, list):
print('Components param must be a list')
return
query_params = {'components': ','.join(components)}
return self.fetch_identifier_component('zip/component_mget', zip_data,
query_params)
| component_mget | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, zip_data, components):\n if not isinstance(components, list):\n print('Components param must be a list')\n return\n query_params = {'components': ','.join(components)}\n return self.fetch_identifier_component('zip/component_mget', zip_data,\n query_params)\n",
"role": "user"
},
{
"content": "component_mget",
"role": "assistant"
}
] |
def x(request):
version_json = import_string(version_callback)(settings.BASE_DIR)
if version_json is None:
return HttpResponseNotFound('version.json not found')
else:
return JsonResponse(version_json)
| version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n version_json = import_string(version_callback)(settings.BASE_DIR)\n if version_json is None:\n return HttpResponseNotFound('version.json not found')\n else:\n return JsonResponse(version_json)\n",
"role": "user"
},
{
"content": "version",
"role": "assistant"
}
] |
def x(request):
all_checks = checks.registry.registry.get_checks(include_deployment_checks
=not settings.DEBUG)
details = {}
statuses = {}
level = 0
for check in all_checks:
detail = heartbeat_check_detail(check)
statuses[check.__name__] = detail['status']
level = max(level, detail['level'])
if detail['level'] > 0:
details[check.__name__] = detail
if level < checks.messages.WARNING:
status_code = 200
heartbeat_passed.send(sender=heartbeat, level=level)
else:
status_code = 500
heartbeat_failed.send(sender=heartbeat, level=level)
payload = {'status': level_to_text(level), 'checks': statuses,
'details': details}
return JsonResponse(payload, status=status_code)
| heartbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n all_checks = checks.registry.registry.get_checks(include_deployment_checks\n =not settings.DEBUG)\n details = {}\n statuses = {}\n level = 0\n for check in all_checks:\n detail = heartbeat_check_detail(check)\n statuses[check.__name__] = detail['status']\n level = max(level, detail['level'])\n if detail['level'] > 0:\n details[check.__name__] = detail\n if level < checks.messages.WARNING:\n status_code = 200\n heartbeat_passed.send(sender=heartbeat, level=level)\n else:\n status_code = 500\n heartbeat_failed.send(sender=heartbeat, level=level)\n payload = {'status': level_to_text(level), 'checks': statuses,\n 'details': details}\n return JsonResponse(payload, status=status_code)\n",
"role": "user"
},
{
"content": "heartbeat",
"role": "assistant"
}
] |
def x(json_data, result_key):
component_results = []
for key, value in list(json_data.items()):
if key not in [result_key, 'meta']:
component_result = ComponentResult(key, value['result'], value[
'api_code'], value['api_code_description'])
component_results.append(component_result)
return component_results
| create_component_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_data, result_key):\n component_results = []\n for key, value in list(json_data.items()):\n if key not in [result_key, 'meta']:\n component_result = ComponentResult(key, value['result'], value[\n 'api_code'], value['api_code_description'])\n component_results.append(component_result)\n return component_results\n",
"role": "user"
},
{
"content": "create_component_results",
"role": "assistant"
}
] |
def x(self):
return next((True for cr in self.component_results if cr.has_error()),
False)
| has_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return next((True for cr in self.component_results if cr.has_error()), \n False)\n",
"role": "user"
},
{
"content": "has_error",
"role": "assistant"
}
] |
def x(self):
return [{cr.component_name: cr.get_error()} for cr in self.
component_results if cr.has_error()]
| get_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [{cr.component_name: cr.get_error()} for cr in self.\n component_results if cr.has_error()]\n",
"role": "user"
},
{
"content": "get_errors",
"role": "assistant"
}
] |
def x(cls, json_data):
prop = Property()
address_info = json_data['address_info']
prop.address = address_info['address']
prop.block_id = address_info['block_id']
prop.zipcode = address_info['zipcode']
prop.zipcode_plus4 = address_info['zipcode_plus4']
prop.address_full = address_info['address_full']
prop.city = address_info['city']
prop.county_fips = address_info['county_fips']
prop.geo_precision = address_info['geo_precision']
prop.lat = address_info['lat']
prop.lng = address_info['lng']
prop.slug = address_info['slug']
prop.state = address_info['state']
prop.unit = address_info['unit']
prop.meta = None
if 'meta' in json_data:
prop.meta = json_data['meta']
prop.component_results = _create_component_results(json_data,
'address_info')
return prop
| create_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json_data):\n prop = Property()\n address_info = json_data['address_info']\n prop.address = address_info['address']\n prop.block_id = address_info['block_id']\n prop.zipcode = address_info['zipcode']\n prop.zipcode_plus4 = address_info['zipcode_plus4']\n prop.address_full = address_info['address_full']\n prop.city = address_info['city']\n prop.county_fips = address_info['county_fips']\n prop.geo_precision = address_info['geo_precision']\n prop.lat = address_info['lat']\n prop.lng = address_info['lng']\n prop.slug = address_info['slug']\n prop.state = address_info['state']\n prop.unit = address_info['unit']\n prop.meta = None\n if 'meta' in json_data:\n prop.meta = json_data['meta']\n prop.component_results = _create_component_results(json_data,\n 'address_info')\n return prop\n",
"role": "user"
},
{
"content": "create_from_json",
"role": "assistant"
}
] |
def x(cls, json_data):
block = Block()
block_info = json_data['block_info']
block.block_id = block_info['block_id']
block.num_bins = block_info['num_bins'
] if 'num_bins' in block_info else None
block.property_type = block_info['property_type'
] if 'property_type' in block_info else None
block.meta = json_data['meta'] if 'meta' in json_data else None
block.component_results = _create_component_results(json_data, 'block_info'
)
return block
| create_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json_data):\n block = Block()\n block_info = json_data['block_info']\n block.block_id = block_info['block_id']\n block.num_bins = block_info['num_bins'\n ] if 'num_bins' in block_info else None\n block.property_type = block_info['property_type'\n ] if 'property_type' in block_info else None\n block.meta = json_data['meta'] if 'meta' in json_data else None\n block.component_results = _create_component_results(json_data, 'block_info'\n )\n return block\n",
"role": "user"
},
{
"content": "create_from_json",
"role": "assistant"
}
] |
def x(cls, json_data):
zipcode = ZipCode()
zipcode.zipcode = json_data['zipcode_info']['zipcode']
zipcode.meta = json_data['meta'] if 'meta' in json_data else None
zipcode.component_results = _create_component_results(json_data,
'zipcode_info')
return zipcode
| create_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json_data):\n zipcode = ZipCode()\n zipcode.zipcode = json_data['zipcode_info']['zipcode']\n zipcode.meta = json_data['meta'] if 'meta' in json_data else None\n zipcode.component_results = _create_component_results(json_data,\n 'zipcode_info')\n return zipcode\n",
"role": "user"
},
{
"content": "create_from_json",
"role": "assistant"
}
] |
def x(cls, json_data):
msa = Msa()
msa.msa = json_data['msa_info']['msa']
msa.meta = json_data['meta'] if 'meta' in json_data else None
msa.component_results = _create_component_results(json_data, 'msa_info')
return msa
| create_from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, json_data):\n msa = Msa()\n msa.msa = json_data['msa_info']['msa']\n msa.meta = json_data['meta'] if 'meta' in json_data else None\n msa.component_results = _create_component_results(json_data, 'msa_info')\n return msa\n",
"role": "user"
},
{
"content": "create_from_json",
"role": "assistant"
}
] |
def x(iterable, condition):
if not callable(condition):
cond_value = condition
def x(x):
return x == cond_value
return itertools.dropwhile(lambda x: not condition(x), iterable)
| starts_when | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, condition):\n if not callable(condition):\n cond_value = condition\n\n def x(x):\n return x == cond_value\n return itertools.dropwhile(lambda x: not condition(x), iterable)\n",
"role": "user"
},
{
"content": "starts_when",
"role": "assistant"
}
] |
def x(iterable, condition):
if not callable(condition):
cond_value = condition
def x(x):
return x == cond_value
return itertools.takewhile(lambda x: not condition(x), iterable)
| stops_when | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, condition):\n if not callable(condition):\n cond_value = condition\n\n def x(x):\n return x == cond_value\n return itertools.takewhile(lambda x: not condition(x), iterable)\n",
"role": "user"
},
{
"content": "stops_when",
"role": "assistant"
}
] |
def x(iterable, key=None, fingerprints=()):
fingerprints = fingerprints or set()
fingerprint = None
try:
if key is None:
for x in iterable:
if x not in fingerprints:
yield x
fingerprints.add(x)
else:
for x in iterable:
fingerprint = key(x)
if fingerprint not in fingerprints:
yield x
fingerprints.add(fingerprint)
except TypeError:
try:
hash(fingerprint)
except TypeError:
raise TypeError(
"The 'key' function returned a non hashable object of type '%s' when receiving '%s'. Make sure this function always returns a hashable object. Hint: immutable primitives likeint, str or tuple, are hashable while dict, set and list are not."
% (type(fingerprint), x))
else:
raise
| skip_duplicates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, key=None, fingerprints=()):\n fingerprints = fingerprints or set()\n fingerprint = None\n try:\n if key is None:\n for x in iterable:\n if x not in fingerprints:\n yield x\n fingerprints.add(x)\n else:\n for x in iterable:\n fingerprint = key(x)\n if fingerprint not in fingerprints:\n yield x\n fingerprints.add(fingerprint)\n except TypeError:\n try:\n hash(fingerprint)\n except TypeError:\n raise TypeError(\n \"The 'key' function returned a non hashable object of type '%s' when receiving '%s'. Make sure this function always returns a hashable object. Hint: immutable primitives likeint, str or tuple, are hashable while dict, set and list are not.\"\n % (type(fingerprint), x))\n else:\n raise\n",
"role": "user"
},
{
"content": "skip_duplicates",
"role": "assistant"
}
] |
def x(iterable, chunksize, cast=tuple):
it = iter(iterable)
while True:
yield cast(itertools.chain([next(it)], itertools.islice(it,
chunksize - 1)))
| chunks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterable, chunksize, cast=tuple):\n it = iter(iterable)\n while True:\n yield cast(itertools.chain([next(it)], itertools.islice(it, \n chunksize - 1)))\n",
"role": "user"
},
{
"content": "chunks",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.