source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(mgr):
if not mgr.find_conda_envs:
return {}
mgr.log.debug('Looking for conda environments in %s...', mgr.conda_env_dirs
)
env_paths = find_env_paths_in_basedirs(mgr.conda_env_dirs)
env_paths.extend(_find_conda_env_paths_from_conda(mgr))
env_paths = list(set(env_paths))
mgr.log.debug('Scanning conda environments for python kernels...')
env_data = convert_to_env_data(mgr=mgr, env_paths=env_paths,
validator_func=validate_IPykernel, activate_func=
_get_env_vars_for_conda_env, name_template=mgr.
conda_prefix_template, display_name_template=mgr.
display_name_template, name_prefix='')
if mgr.find_r_envs:
mgr.log.debug('Scanning conda environments for R kernels...')
env_data.update(convert_to_env_data(mgr=mgr, env_paths=env_paths,
validator_func=validate_IRkernel, activate_func=
_get_env_vars_for_conda_env, name_template=mgr.
conda_prefix_template, display_name_template=mgr.
display_name_template, name_prefix='r_'))
return env_data
| get_conda_env_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mgr):\n if not mgr.find_conda_envs:\n return {}\n mgr.log.debug('Looking for conda environments in %s...', mgr.conda_env_dirs\n )\n env_... |
def x(mgr):
if not mgr.use_conda_directly:
return []
mgr.log.debug('Looking for conda environments by calling conda directly...'
)
import subprocess
import json
try:
p = subprocess.Popen(['conda', 'env', 'list', '--json'], stdin=
subprocess.PIPE, stdout=subprocess.PIPE)
comm = p.communicate()
output = comm[0].decode()
if p.returncode != 0 or len(output) == 0:
mgr.log.error(
"Couldn't call 'conda' to get the environments. Output:\n%s",
str(comm))
return []
except FileNotFoundError:
mgr.log.error("'conda' not found in path.")
return []
output = json.loads(output)
envs = output['envs']
return envs
| find_conda_env_paths_from_conda | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mgr):\n if not mgr.use_conda_directly:\n return []\n mgr.log.debug('Looking for conda environments by calling conda directly...'\n )\n i... |
def x(self, envname):
if self.whitelist_envs and envname in self.whitelist_envs:
return True
elif self.whitelist_envs:
return False
if self.blacklist_envs and envname not in self.blacklist_envs:
return True
elif self.blacklist_envs:
return False
else:
return True
| validate_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, envname):\n if self.whitelist_envs and envname in self.whitelist_envs:\n return True\n elif self.whitelist_envs:\n return False\n ... |
def x(self, reload=False):
if not reload and getattr(self, '_env_data_cache', {}):
return getattr(self, '_env_data_cache')
env_data = {}
for supplyer in ENV_SUPPLYER:
env_data.update(supplyer(self))
env_data = {name: env_data[name] for name in env_data if self.
validate_env(name)}
new_kernels = [env for env in list(env_data.keys()) if env not in list(
self._env_data_cache.keys())]
if new_kernels:
self.log.info('Found new kernels in environments: %s', ', '.join(
new_kernels))
self._env_data_cache = env_data
return env_data
| get_env_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reload=False):\n if not reload and getattr(self, '_env_data_cache', {}):\n return getattr(self, '_env_data_cache')\n env_data = {}\n for ... |
def x(self):
data = self._get_env_data()
return {name: data[name][0] for name in data}
| find_kernel_specs_for_envs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self._get_env_data()\n return {name: data[name][0] for name in data}\n",
"role": "user"
},
{
"content": "find_kernel_specs_fo... |
def x(self):
data = self._get_env_data()
return {name: data[name][1] for name in data}
| get_all_kernel_specs_for_envs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self._get_env_data()\n return {name: data[name][1] for name in data}\n",
"role": "user"
},
{
"content": "get_all_kernel_specs... |
def x(self):
specs = self.find_kernel_specs_for_envs()
specs.update(super(EnvironmentKernelSpecManager, self).find_kernel_specs())
return specs
| find_kernel_specs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n specs = self.find_kernel_specs_for_envs()\n specs.update(super(EnvironmentKernelSpecManager, self).find_kernel_specs())\n return specs\n",
... |
def x(self):
specs = self.get_all_kernel_specs_for_envs()
specs.update(super(EnvironmentKernelSpecManager, self).get_all_specs())
return specs
| get_all_specs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n specs = self.get_all_kernel_specs_for_envs()\n specs.update(super(EnvironmentKernelSpecManager, self).get_all_specs())\n return specs\n",
... |
def x(self, kernel_name):
try:
return super(EnvironmentKernelSpecManager, self).get_kernel_spec(
kernel_name)
except (NoSuchKernel, FileNotFoundError):
venv_kernel_name = kernel_name.lower()
specs = self.get_all_kernel_specs_for_envs()
if venv_kernel_name in specs:
return specs[venv_kernel_name]
else:
raise NoSuchKernel(kernel_name)
| get_kernel_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kernel_name):\n try:\n return super(EnvironmentKernelSpecManager, self).get_kernel_spec(\n kernel_name)\n except (NoSuchKernel, F... |
def x(string_to_transliterate, lang_code='sr'):
if lang_code.lower() not in TRANSLIT_DICT:
return string_to_transliterate
elif not TRANSLIT_DICT[lang_code.lower()]['tolatin']:
return string_to_transliterate
else:
transliteration_dict = TRANSLIT_DICT[lang_code.lower()]['tolatin']
latinized_str = ''
string_to_transliterate = __decode_utf8(string_to_transliterate)
for c in string_to_transliterate:
if c in transliteration_dict:
latinized_str += transliteration_dict[c]
else:
latinized_str += c
return __encode_utf8(latinized_str)
| to_latin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string_to_transliterate, lang_code='sr'):\n if lang_code.lower() not in TRANSLIT_DICT:\n return string_to_transliterate\n elif not TRANSLIT_DICT[l... |
def x(string_to_transliterate, lang_code='sr'):
if lang_code.lower() not in TRANSLIT_DICT:
return string_to_transliterate
elif not TRANSLIT_DICT[lang_code.lower()]['tocyrillic']:
return string_to_transliterate
else:
transliteration_dict = TRANSLIT_DICT[lang_code.lower()]['tocyrillic']
cyrillic_str = ''
string_to_transliterate = __decode_utf8(string_to_transliterate)
length_of_string_to_transliterate = len(string_to_transliterate)
index = 0
while index < length_of_string_to_transliterate:
c = string_to_transliterate[index]
c_plus_1 = u''
if index != length_of_string_to_transliterate - 1:
c_plus_1 = string_to_transliterate[index + 1]
if (c == u'L' or c == u'l') and c_plus_1 == u'j' or (c == u'N' or
c == u'n') and c_plus_1 == u'j' or (c == u'D' or c == u'd'
) and c_plus_1 == u'ž' or lang_code == 'mk' and (c == u'D' or
c == u'd') and c_plus_1 == u'z' or lang_code == 'ru' and (c in
u'Cc' and c_plus_1 in u'Hh' or c in u'Ee' and c_plus_1 in
u'Hh' or c == u'i' and c_plus_1 == u'y' and
string_to_transliterate[index + 2:index + 3] not in u'aou' or
c in u'Jj' and c_plus_1 in u'UuAaEe' or c in u'Ss' and
c_plus_1 in u'HhZz' or c in u'Yy' and c_plus_1 in u'AaOoUu' or
c in u'Zz' and c_plus_1 in u'Hh'):
index += 1
c += c_plus_1
if c in transliteration_dict:
if (lang_code == 'ru' and c in u'Yy' and cyrillic_str and
cyrillic_str[-1].lower() in u'аеиоуэя'):
cyrillic_str += u'й' if c == u'y' else u'Й'
else:
cyrillic_str += transliteration_dict[c]
else:
cyrillic_str += c
index += 1
return __encode_utf8(cyrillic_str)
| to_cyrillic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string_to_transliterate, lang_code='sr'):\n if lang_code.lower() not in TRANSLIT_DICT:\n return string_to_transliterate\n elif not TRANSLIT_DICT[l... |
def x(self, stream, media_type=None, parser_context=None):
assert etree, 'XMLParser requires defusedxml to be installed'
parser_context = parser_context or {}
encoding = parser_context.get('encoding', settings.DEFAULT_CHARSET)
parser = etree.DefusedXMLParser(encoding=encoding)
try:
tree = etree.parse(stream, parser=parser, forbid_dtd=True)
except (etree.ParseError, ValueError) as exc:
raise ParseError('XML parse error - %s' % six.text_type(exc))
data = self._xml_convert(tree.getroot())
return data
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, media_type=None, parser_context=None):\n assert etree, 'XMLParser requires defusedxml to be installed'\n parser_context = parser_context or... |
def x(self, element):
children = list(element)
if len(children) == 0:
return self._type_convert(element.text)
else:
if children[0].tag == 'list-item':
data = []
for child in children:
data.append(self._xml_convert(child))
else:
data = {}
for child in children:
data[child.tag] = self._xml_convert(child)
return data
| xml_convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element):\n children = list(element)\n if len(children) == 0:\n return self._type_convert(element.text)\n else:\n if children[0].t... |
def x(self, value):
if value is None:
return value
try:
return datetime.datetime.strptime(value, '%Y-%m-%d %H:%M:%S')
except ValueError:
pass
try:
return int(value)
except ValueError:
pass
try:
return decimal.Decimal(value)
except decimal.InvalidOperation:
pass
return value
| type_convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value is None:\n return value\n try:\n return datetime.datetime.strptime(value, '%Y-%m-%d %H:%M:%S')\n except ValueEr... |
def x(self, data, accepted_media_type=None, renderer_context=None):
if data is None:
return ''
stream = StringIO()
xml = SimplerXMLGenerator(stream, self.charset)
xml.startDocument()
xml.startElement(self.root_tag_name, {})
self._to_xml(xml, data)
xml.endElement(self.root_tag_name)
xml.endDocument()
return stream.getvalue()
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, accepted_media_type=None, renderer_context=None):\n if data is None:\n return ''\n stream = StringIO()\n xml = SimplerXMLGenerator(... |
def x(self):
device_type = 'cisco_ios'
if self.transport == 'telnet':
device_type = 'cisco_ios_telnet'
self.device = ConnectHandler(device_type=device_type, host=self.
hostname, username=self.username, password=self.password, **self.
netmiko_optional_args)
self.device.enable()
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n device_type = 'cisco_ios'\n if self.transport == 'telnet':\n device_type = 'cisco_ios_telnet'\n self.device = ConnectHandler(device_ty... |
def x(config):
tmp_dir = tempfile.gettempdir()
rand_fname = py23_compat.text_type(uuid.uuid4())
filename = os.path.join(tmp_dir, rand_fname)
with open(filename, 'wt') as fobj:
fobj.write(config)
return filename
| create_tmp_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n tmp_dir = tempfile.gettempdir()\n rand_fname = py23_compat.text_type(uuid.uuid4())\n filename = os.path.join(tmp_dir, rand_fname)\n with... |
def x(self, source_file=None, source_config=None, dest_file=None,
file_system=None):
return_status = False
msg = ''
if source_file and source_config:
raise ValueError(
'Cannot simultaneously set source_file and source_config')
if source_config:
if self.inline_transfer:
return_status, msg = self._inline_tcl_xfer(source_config=
source_config, dest_file=dest_file, file_system=file_system)
else:
tmp_file = self._create_tmp_file(source_config)
return_status, msg = self._scp_file(source_file=tmp_file,
dest_file=dest_file, file_system=file_system)
if tmp_file and os.path.isfile(tmp_file):
os.remove(tmp_file)
if source_file:
if self.inline_transfer:
return_status, msg = self._inline_tcl_xfer(source_file=
source_file, dest_file=dest_file, file_system=file_system)
else:
return_status, msg = self._scp_file(source_file=source_file,
dest_file=dest_file, file_system=file_system)
if not return_status:
if msg == '':
msg = 'Transfer to remote device failed'
return return_status, msg
| load_candidate_wrapper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_file=None, source_config=None, dest_file=None,\n file_system=None):\n return_status = False\n msg = ''\n if source_file and source_con... |
def x(self, filename=None, config=None):
self.config_replace = True
return_status, msg = self._load_candidate_wrapper(source_file=filename,
source_config=config, dest_file=self.candidate_cfg, file_system=
self.dest_file_system)
if not return_status:
raise ReplaceConfigException(msg)
| load_replace_candidate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None, config=None):\n self.config_replace = True\n return_status, msg = self._load_candidate_wrapper(source_file=filename,\n source... |
def x(self, filename=None, config=None):
self.config_replace = False
return_status, msg = self._load_candidate_wrapper(source_file=filename,
source_config=config, dest_file=self.merge_cfg, file_system=self.
dest_file_system)
if not return_status:
raise MergeConfigException(msg)
| load_merge_candidate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None, config=None):\n self.config_replace = False\n return_status, msg = self._load_candidate_wrapper(source_file=filename,\n sourc... |
def x(self, cmd):
current_prompt = self.device.find_prompt().strip()
terminating_char = current_prompt[-1]
pattern = '[>#{}]\\s*$'.format(terminating_char)
output = self.device.send_command_expect(cmd, expect_string=pattern)
self.device.set_base_prompt()
return output
| commit_hostname_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n current_prompt = self.device.find_prompt().strip()\n terminating_char = current_prompt[-1]\n pattern = '[>#{}]\\\\s*$'.format(terminatin... |
def x(self):
self._gen_rollback_cfg()
if self.config_replace:
filename = self.candidate_cfg
cfg_file = self._gen_full_path(filename)
if not self._check_file_exists(cfg_file):
raise ReplaceConfigException('Candidate config file does not exist'
)
if self.auto_rollback_on_error:
cmd = 'configure replace {} force revert trigger error'.format(
cfg_file)
else:
cmd = 'configure replace {} force'.format(cfg_file)
output = self._commit_hostname_handler(cmd)
if ('original configuration has been successfully restored' in
output or 'error' in output.lower() or 'failed' in output.lower()):
msg = 'Candidate config could not be applied\n{}'.format(output)
raise ReplaceConfigException(msg)
elif '%Please turn config archive on' in output:
msg = (
"napalm-ios replace() requires Cisco 'archive' feature to be enabled."
)
raise ReplaceConfigException(msg)
else:
filename = self.merge_cfg
cfg_file = self._gen_full_path(filename)
if not self._check_file_exists(cfg_file):
raise MergeConfigException(
'Merge source config file does not exist')
cmd = 'copy {} running-config'.format(cfg_file)
self._disable_confirm()
output = self._commit_hostname_handler(cmd)
self._enable_confirm()
if 'Invalid input detected' in output:
self.rollback()
err_header = (
'Configuration merge failed; automatic rollback attempted')
merge_error = '{0}:\n{1}'.format(err_header, output)
raise MergeConfigException(merge_error)
output += self.device.send_command_expect('write mem')
| commit_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._gen_rollback_cfg()\n if self.config_replace:\n filename = self.candidate_cfg\n cfg_file = self._gen_full_path(filename)\n ... |
def x(self):
discard_candidate = 'copy running-config {}'.format(self._gen_full_path
(self.candidate_cfg))
discard_merge = 'copy null: {}'.format(self._gen_full_path(self.merge_cfg))
self._disable_confirm()
self.device.send_command_expect(discard_candidate)
self.device.send_command_expect(discard_merge)
self._enable_confirm()
| discard_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n discard_candidate = 'copy running-config {}'.format(self._gen_full_path\n (self.candidate_cfg))\n discard_merge = 'copy null: {}'.format(... |
def x(self, source_file=None, source_config=None, dest_file=None,
file_system=None, TransferClass=FileTransfer):
if not source_file and not source_config:
raise ValueError('File source not specified for transfer.')
if not dest_file or not file_system:
raise ValueError('Destination file or file system not specified.')
if source_file:
kwargs = dict(ssh_conn=self.device, source_file=source_file,
dest_file=dest_file, direction='put', file_system=file_system)
elif source_config:
kwargs = dict(ssh_conn=self.device, source_config=source_config,
dest_file=dest_file, direction='put', file_system=file_system)
enable_scp = True
if self.inline_transfer:
enable_scp = False
with TransferClass(**kwargs) as transfer:
if transfer.check_file_exists() and transfer.compare_md5():
msg = 'File already exists and has correct MD5: no SCP needed'
return True, msg
if not transfer.verify_space_available():
msg = 'Insufficient space available on remote device'
return False, msg
if enable_scp:
transfer.enable_scp()
transfer.transfer_file()
if transfer.verify_file():
msg = 'File successfully transferred to remote device'
return True, msg
else:
msg = 'File transfer to remote device failed'
return False, msg
return False, ''
| xfer_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_file=None, source_config=None, dest_file=None,\n file_system=None, TransferClass=FileTransfer):\n if not source_file and not source_config:\... |
def x(self, filename, file_system=None):
if file_system is None:
return '{}/{}'.format(self.dest_file_system, filename)
else:
if ':' not in file_system:
raise ValueError('Invalid file_system specified: {}'.format(
file_system))
return '{}/{}'.format(file_system, filename)
| gen_full_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, file_system=None):\n if file_system is None:\n return '{}/{}'.format(self.dest_file_system, filename)\n else:\n if ':' not ... |
def x(self):
cfg_file = self._gen_full_path(self.rollback_cfg)
cmd = 'copy running-config {}'.format(cfg_file)
self._disable_confirm()
self.device.send_command_expect(cmd)
self._enable_confirm()
| gen_rollback_cfg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cfg_file = self._gen_full_path(self.rollback_cfg)\n cmd = 'copy running-config {}'.format(cfg_file)\n self._disable_confirm()\n self.devic... |
def x(self, cfg_file):
cmd = 'dir {}'.format(cfg_file)
success_pattern = 'Directory of {}'.format(cfg_file)
output = self.device.send_command_expect(cmd)
if 'Error opening' in output:
return False
elif success_pattern in output:
return True
return False
| check_file_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cfg_file):\n cmd = 'dir {}'.format(cfg_file)\n success_pattern = 'Directory of {}'.format(cfg_file)\n output = self.device.send_command_expect(c... |
def x(self, interface_brief):
if self.interface_map.get(interface_brief):
return self.interface_map.get(interface_brief)
command = 'show int {}'.format(interface_brief)
output = self._send_command(command)
first_line = output.splitlines()[0]
if 'line protocol' in first_line:
full_int_name = first_line.split()[0]
self.interface_map[interface_brief] = full_int_name
return self.interface_map.get(interface_brief)
else:
return interface_brief
| expand_interface_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, interface_brief):\n if self.interface_map.get(interface_brief):\n return self.interface_map.get(interface_brief)\n command = 'show int {}'.f... |
def x(self):
lldp = {}
command = 'show lldp neighbors'
output = self._send_command(command)
if '% Invalid input' in output:
return {}
try:
split_output = re.split('^Device ID.*$', output, flags=re.M)[1]
split_output = re.split('^Total entries displayed.*$', split_output,
flags=re.M)[0]
except IndexError:
return {}
split_output = split_output.strip()
for lldp_entry in split_output.splitlines():
try:
(device_id, local_int_brief, hold_time, capability, remote_port
) = lldp_entry.split()
except ValueError:
if len(lldp_entry.split()) == 4:
capability_missing = True if lldp_entry[46] == ' ' else False
if capability_missing:
device_id, local_int_brief, hold_time, remote_port = (
lldp_entry.split())
else:
tmp_field, hold_time, capability, remote_port = (lldp_entry
.split())
device_id = tmp_field[:20]
local_int_brief = tmp_field[20:]
lldp_tmp = self._lldp_detail_parser(local_int_brief)
device_id_new = lldp_tmp[3][0]
if device_id_new[:20] == device_id:
device_id = device_id_new
else:
raise ValueError('Unable to obtain remote device name')
local_port = self._expand_interface_name(local_int_brief)
entry = {'port': remote_port, 'hostname': device_id}
lldp.setdefault(local_port, [])
lldp[local_port].append(entry)
return lldp
| get_lldp_neighbors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lldp = {}\n command = 'show lldp neighbors'\n output = self._send_command(command)\n if '% Invalid input' in output:\n return {}\n ... |
def x(self, interface=''):
lldp = {}
lldp_neighbors = self.get_lldp_neighbors()
if interface:
lldp_data = lldp_neighbors.get(interface)
if lldp_data:
lldp_neighbors = {interface: lldp_data}
else:
lldp_neighbors = {}
for interface in lldp_neighbors:
local_port = interface
lldp_fields = self._lldp_detail_parser(interface)
for field in lldp_fields:
for i, value in enumerate(field):
if 'not advertised' in value:
field[i] = 'N/A'
number_entries = len(lldp_fields[0])
for test_list in lldp_fields:
if len(test_list) != number_entries:
raise ValueError(
'Failure processing show lldp neighbors detail')
(port_id, port_description, chassis_id, system_name,
system_description, system_capabilities, enabled_capabilities,
remote_address) = lldp_fields
standardized_fields = zip(port_id, port_description, chassis_id,
system_name, system_description, system_capabilities,
enabled_capabilities, remote_address)
lldp.setdefault(local_port, [])
for entry in standardized_fields:
(remote_port_id, remote_port_description, remote_chassis_id,
remote_system_name, remote_system_description,
remote_system_capab, remote_enabled_capab, remote_mgmt_address
) = entry
lldp[local_port].append({'parent_interface': u'N/A',
'remote_port': remote_port_id, 'remote_port_description':
remote_port_description, 'remote_chassis_id':
remote_chassis_id, 'remote_system_name': remote_system_name,
'remote_system_description': remote_system_description,
'remote_system_capab': remote_system_capab,
'remote_system_enable_capab': remote_enabled_capab})
return lldp
| get_lldp_neighbors_detail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, interface=''):\n lldp = {}\n lldp_neighbors = self.get_lldp_neighbors()\n if interface:\n lldp_data = lldp_neighbors.get(interface)\n ... |
def x(self):
vendor = u'Cisco'
uptime = -1
serial_number, fqdn, os_version, hostname, domain_name = ('Unknown',) * 5
show_ver = self._send_command('show version')
show_hosts = self._send_command('show hosts')
show_ip_int_br = self._send_command('show ip interface brief')
for line in show_ver.splitlines():
if ' uptime is ' in line:
hostname, uptime_str = line.split(' uptime is ')
uptime = self.parse_uptime(uptime_str)
hostname = hostname.strip()
if 'Processor board ID' in line:
_, serial_number = line.split('Processor board ID ')
serial_number = serial_number.strip()
if re.search('Cisco IOS Software', line):
try:
_, os_version = line.split('Cisco IOS Software, ')
except ValueError:
_, os_version = re.split('Cisco IOS Software \\[.*?\\], ', line
)
os_version = os_version.strip()
elif re.search('IOS (tm).+Software', line):
_, os_version = line.split('IOS (tm) ')
os_version = os_version.strip()
for line in show_hosts.splitlines():
if 'Default domain' in line:
_, domain_name = line.split('Default domain is ')
domain_name = domain_name.strip()
break
if domain_name != 'Unknown' and hostname != 'Unknown':
fqdn = u'{}.{}'.format(hostname, domain_name)
try:
match_model = re.search('Cisco (.+?) .+bytes of', show_ver, flags=
re.IGNORECASE)
model = match_model.group(1)
except AttributeError:
model = u'Unknown'
interface_list = []
show_ip_int_br = show_ip_int_br.strip()
for line in show_ip_int_br.splitlines():
if 'Interface ' in line:
continue
interface = line.split()[0]
interface_list.append(interface)
return {'uptime': uptime, 'vendor': vendor, 'os_version': py23_compat.
text_type(os_version), 'serial_number': py23_compat.text_type(
serial_number), 'model': py23_compat.text_type(model), 'hostname':
py23_compat.text_type(hostname), 'fqdn': fqdn, 'interface_list':
interface_list}
| get_facts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n vendor = u'Cisco'\n uptime = -1\n serial_number, fqdn, os_version, hostname, domain_name = ('Unknown',) * 5\n show_ver = self._send_comman... |
def x(self):
last_flapped = -1.0
command = 'show interfaces'
output = self._send_command(command)
interface = description = mac_address = speed = speedformat = ''
is_enabled = is_up = None
interface_dict = {}
for line in output.splitlines():
interface_regex_1 = (
'^(\\S+?)\\s+is\\s+(.+?),\\s+line\\s+protocol\\s+is\\s+(\\S+)')
interface_regex_2 = '^(\\S+)\\s+is\\s+(up|down)'
for pattern in (interface_regex_1, interface_regex_2):
interface_match = re.search(pattern, line)
if interface_match:
interface = interface_match.group(1)
status = interface_match.group(2)
try:
protocol = interface_match.group(3)
except IndexError:
protocol = ''
if 'admin' in status.lower():
is_enabled = False
else:
is_enabled = True
if protocol:
is_up = bool('up' in protocol)
else:
is_up = bool('up' in status)
break
mac_addr_regex = '^\\s+Hardware.+address\\s+is\\s+({})'.format(
MAC_REGEX)
if re.search(mac_addr_regex, line):
mac_addr_match = re.search(mac_addr_regex, line)
mac_address = napalm_base.helpers.mac(mac_addr_match.groups()[0])
descr_regex = '^\\s+Description:\\s+(.+?)$'
if re.search(descr_regex, line):
descr_match = re.search(descr_regex, line)
description = descr_match.groups()[0]
speed_regex = '^\\s+MTU\\s+\\d+.+BW\\s+(\\d+)\\s+([KMG]?b)'
if re.search(speed_regex, line):
speed_match = re.search(speed_regex, line)
speed = speed_match.groups()[0]
speedformat = speed_match.groups()[1]
speed = float(speed)
if speedformat.startswith('Kb'):
speed = speed / 1000.0
elif speedformat.startswith('Gb'):
speed = speed * 1000
speed = int(round(speed))
if interface == '':
raise ValueError(
'Interface attributes were found without any known interface'
)
if not isinstance(is_up, bool) or not isinstance(is_enabled, bool):
raise ValueError('Did not correctly find the interface status')
interface_dict[interface] = {'is_enabled': is_enabled, 'is_up':
is_up, 'description': description, 'mac_address':
mac_address, 'last_flapped': last_flapped, 'speed': speed}
interface = description = mac_address = speed = speedformat = ''
is_enabled = is_up = None
return interface_dict
| get_interfaces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n last_flapped = -1.0\n command = 'show interfaces'\n output = self._send_command(command)\n interface = description = mac_address = speed =... |
def x(self):
interfaces = {}
command = 'show ip interface'
show_ip_interface = self._send_command(command)
command = 'show ipv6 interface'
show_ipv6_interface = self._send_command(command)
INTERNET_ADDRESS = '\\s+(?:Internet address is|Secondary address)'
INTERNET_ADDRESS += ' (?P<ip>{})/(?P<prefix>\\d+)'.format(IPV4_ADDR_REGEX)
LINK_LOCAL_ADDRESS = (
'\\s+IPv6 is enabled, link-local address is (?P<ip>[a-fA-F0-9:]+)')
GLOBAL_ADDRESS = (
'\\s+(?P<ip>[a-fA-F0-9:]+), subnet is (?:[a-fA-F0-9:]+)/(?P<prefix>\\d+)'
)
interfaces = {}
for line in show_ip_interface.splitlines():
if len(line.strip()) == 0:
continue
if line[0] != ' ':
ipv4 = {}
interface_name = line.split()[0]
m = re.match(INTERNET_ADDRESS, line)
if m:
ip, prefix = m.groups()
ipv4.update({ip: {'prefix_length': int(prefix)}})
interfaces[interface_name] = {'ipv4': ipv4}
for line in show_ipv6_interface.splitlines():
if len(line.strip()) == 0:
continue
if line[0] != ' ':
ifname = line.split()[0]
ipv6 = {}
if ifname not in interfaces:
interfaces[ifname] = {'ipv6': ipv6}
else:
interfaces[ifname].update({'ipv6': ipv6})
m = re.match(LINK_LOCAL_ADDRESS, line)
if m:
ip = m.group(1)
ipv6.update({ip: {'prefix_length': 10}})
m = re.match(GLOBAL_ADDRESS, line)
if m:
ip, prefix = m.groups()
ipv6.update({ip: {'prefix_length': int(prefix)}})
return interfaces
| get_interfaces_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n interfaces = {}\n command = 'show ip interface'\n show_ip_interface = self._send_command(command)\n command = 'show ipv6 interface'\n s... |
def x(bgp_uptime):
bgp_uptime = bgp_uptime.strip()
uptime_letters = set(['w', 'h', 'd'])
if 'never' in bgp_uptime:
return -1
elif ':' in bgp_uptime:
times = bgp_uptime.split(':')
times = [int(x) for x in times]
hours, minutes, seconds = times
return hours * 3600 + minutes * 60 + seconds
elif uptime_letters & set(bgp_uptime):
form1 = '(\\d+)d(\\d+)h'
form2 = '(\\d+)w(\\d+)d'
form3 = '(\\d+)y(\\d+)w'
match = re.search(form1, bgp_uptime)
if match:
days = int(match.group(1))
hours = int(match.group(2))
return days * DAY_SECONDS + hours * 3600
match = re.search(form2, bgp_uptime)
if match:
weeks = int(match.group(1))
days = int(match.group(2))
return weeks * WEEK_SECONDS + days * DAY_SECONDS
match = re.search(form3, bgp_uptime)
if match:
years = int(match.group(1))
weeks = int(match.group(2))
return years * YEAR_SECONDS + weeks * WEEK_SECONDS
raise ValueError('Unexpected value for BGP uptime string: {}'.format(
bgp_uptime))
| bgp_time_conversion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bgp_uptime):\n bgp_uptime = bgp_uptime.strip()\n uptime_letters = set(['w', 'h', 'd'])\n if 'never' in bgp_uptime:\n return -1\n elif ':' in... |
def x(self):
environment = {}
cpu_cmd = 'show proc cpu'
mem_cmd = 'show memory statistics'
temp_cmd = 'show env temperature status'
output = self._send_command(cpu_cmd)
environment.setdefault('cpu', {})
environment['cpu'][0] = {}
environment['cpu'][0]['%usage'] = 0.0
for line in output.splitlines():
if 'CPU utilization' in line:
cpu_regex = '^.*one minute: (\\d+)%; five.*$'
match = re.search(cpu_regex, line)
environment['cpu'][0]['%usage'] = float(match.group(1))
break
output = self._send_command(mem_cmd)
for line in output.splitlines():
if 'Processor' in line:
_, _, _, proc_used_mem, proc_free_mem = line.split()[:5]
elif 'I/O' in line or 'io' in line:
_, _, _, io_used_mem, io_free_mem = line.split()[:5]
used_mem = int(proc_used_mem) + int(io_used_mem)
free_mem = int(proc_free_mem) + int(io_free_mem)
environment.setdefault('memory', {})
environment['memory']['used_ram'] = used_mem
environment['memory']['available_ram'] = free_mem
environment.setdefault('temperature', {})
output = self._send_command(temp_cmd)
if '% Invalid' not in output:
for line in output.splitlines():
if 'System Temperature Value' in line:
system_temp = float(line.split(':')[1].split()[0])
elif 'Yellow Threshold' in line:
system_temp_alert = float(line.split(':')[1].split()[0])
elif 'Red Threshold' in line:
system_temp_crit = float(line.split(':')[1].split()[0])
env_value = {'is_alert': system_temp >= system_temp_alert,
'is_critical': system_temp >= system_temp_crit, 'temperature':
system_temp}
environment['temperature']['system'] = env_value
else:
env_value = {'is_alert': False, 'is_critical': False, 'temperature':
-1.0}
environment['temperature']['invalid'] = env_value
environment.setdefault('power', {})
environment['power']['invalid'] = {'status': True, 'output': -1.0,
'capacity': -1.0}
environment.setdefault('fans', {})
environment['fans']['invalid'] = {'status': True}
return environment
| get_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n environment = {}\n cpu_cmd = 'show proc cpu'\n mem_cmd = 'show memory statistics'\n temp_cmd = 'show env temperature status'\n output =... |
def x(self):
arp_table = []
command = 'show arp | exclude Incomplete'
output = self._send_command(command)
output = output.split('\n')
output = output[1:]
for line in output:
if len(line) == 0:
return {}
if len(line.split()) == 5:
interface = ''
protocol, address, age, mac, eth_type = line.split()
elif len(line.split()) == 6:
protocol, address, age, mac, eth_type, interface = line.split()
else:
raise ValueError('Unexpected output from: {}'.format(line.split()))
try:
if age == '-':
age = 0
age = float(age)
except ValueError:
raise ValueError('Unable to convert age value to float: {}'.
format(age))
if not re.search(RE_IPADDR, address):
raise ValueError('Invalid IP Address detected: {}'.format(address))
if not re.search(RE_MAC, mac):
raise ValueError('Invalid MAC Address detected: {}'.format(mac))
entry = {'interface': interface, 'mac': napalm_base.helpers.mac(mac
), 'ip': address, 'age': age}
arp_table.append(entry)
return arp_table
| get_arp_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n arp_table = []\n command = 'show arp | exclude Incomplete'\n output = self._send_command(command)\n output = output.split('\\n')\n outp... |
def x(self, commands):
cli_output = dict()
if type(commands) is not list:
raise TypeError('Please enter a valid list of commands!')
for command in commands:
output = self._send_command(command)
if 'Invalid input detected' in output:
raise ValueError('Unable to execute command "{}"'.format(command))
cli_output.setdefault(command, {})
cli_output[command] = output
return cli_output
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands):\n cli_output = dict()\n if type(commands) is not list:\n raise TypeError('Please enter a valid list of commands!')\n for comma... |
def x(self):
RE_MACTABLE_DEFAULT = '^' + MAC_REGEX
RE_MACTABLE_6500_1 = '^\\*\\s+{}\\s+{}\\s+'.format(VLAN_REGEX, MAC_REGEX)
RE_MACTABLE_6500_2 = '^{}\\s+{}\\s+'.format(VLAN_REGEX, MAC_REGEX)
RE_MACTABLE_6500_3 = '^\\s{51}\\S+'
RE_MACTABLE_4500_1 = '^{}\\s+{}\\s+'.format(VLAN_REGEX, MAC_REGEX)
RE_MACTABLE_4500_2 = '^\\s{32}\\S+'
RE_MACTABLE_2960_1 = '^All\\s+{}'.format(MAC_REGEX)
RE_MACTABLE_GEN_1 = '^{}\\s+{}\\s+'.format(VLAN_REGEX, MAC_REGEX)
def x(vlan, mac, mac_type, interface):
if mac_type.lower() in ['self', 'static', 'system']:
static = True
if vlan.lower() == 'all':
vlan = 0
if interface.lower() == 'cpu' or re.search('router', interface.
lower()) or re.search('switch', interface.lower()):
interface = ''
else:
static = False
if mac_type.lower() in ['dynamic']:
active = True
else:
active = False
return {'mac': napalm_base.helpers.mac(mac), 'interface': interface,
'vlan': int(vlan), 'static': static, 'active': active, 'moves':
-1, 'last_move': -1.0}
mac_address_table = []
command = IOS_COMMANDS['show_mac_address']
output = self._send_command(command)
output = re.split('^----.*', output, flags=re.M)[1:]
output = '\n'.join(output).strip()
output = re.sub('^\\*', '', output, flags=re.M)
fill_down_vlan = fill_down_mac = fill_down_mac_type = ''
for line in output.splitlines():
if re.search(RE_MACTABLE_6500_3, line) or re.search(RE_MACTABLE_4500_2,
line):
interface = line.strip()
if ',' in interface:
interfaces = interface.split(',')
else:
interfaces = []
interfaces.append(interface)
for single_interface in interfaces:
mac_address_table.append(process_mac_fields(fill_down_vlan,
fill_down_mac, fill_down_mac_type, single_interface))
continue
line = line.strip()
if line == '':
continue
if re.search('^---', line):
line = re.sub('^---', '0', line, flags=re.M)
if re.search(RE_MACTABLE_DEFAULT, line):
if len(line.split()) == 4:
mac, mac_type, vlan, interface = line.split()
mac_address_table.append(process_mac_fields(vlan, mac,
mac_type, interface))
else:
raise ValueError('Unexpected output from: {}'.format(line.
split()))
elif (re.search(RE_MACTABLE_6500_1, line) or re.search(
RE_MACTABLE_6500_2, line)) and len(line.split()) >= 6:
if len(line.split()) == 7:
_, vlan, mac, mac_type, _, _, interface = line.split()
elif len(line.split()) == 6:
vlan, mac, mac_type, _, _, interface = line.split()
if ',' in interface:
interfaces = interface.split(',')
fill_down_vlan = vlan
fill_down_mac = mac
fill_down_mac_type = mac_type
for single_interface in interfaces:
mac_address_table.append(process_mac_fields(vlan, mac,
mac_type, single_interface))
else:
mac_address_table.append(process_mac_fields(vlan, mac,
mac_type, interface))
elif re.search(RE_MACTABLE_4500_1, line) and len(line.split()) == 5:
vlan, mac, mac_type, _, interface = line.split()
mac_address_table.append(process_mac_fields(vlan, mac, mac_type,
interface))
elif re.search('^Vlan\\s+Mac Address\\s+', line):
continue
elif (re.search(RE_MACTABLE_2960_1, line) or re.search(
RE_MACTABLE_GEN_1, line)) and len(line.split()) == 4:
vlan, mac, mac_type, interface = line.split()
if ',' in interface:
interfaces = interface.split(',')
fill_down_vlan = vlan
fill_down_mac = mac
fill_down_mac_type = mac_type
for single_interface in interfaces:
mac_address_table.append(process_mac_fields(vlan, mac,
mac_type, single_interface))
else:
mac_address_table.append(process_mac_fields(vlan, mac,
mac_type, interface))
elif re.search('Total Mac Addresses', line):
continue
elif re.search('Multicast Entries', line):
continue
elif re.search('vlan.*mac.*address.*type.*', line):
continue
else:
raise ValueError('Unexpected output from: {}'.format(repr(line)))
return mac_address_table
| get_mac_address_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n RE_MACTABLE_DEFAULT = '^' + MAC_REGEX\n RE_MACTABLE_6500_1 = '^\\\\*\\\\s+{}\\\\s+{}\\\\s+'.format(VLAN_REGEX, MAC_REGEX)\n RE_MACTABLE_6500_... |
def x(self, destination, source=C.TRACEROUTE_SOURCE, ttl=C.TRACEROUTE_TTL,
timeout=C.TRACEROUTE_TIMEOUT, vrf=C.TRACEROUTE_VRF):
if vrf:
command = 'traceroute vrf {} {}'.format(vrf, destination)
else:
command = 'traceroute {}'.format(destination)
if source:
command += ' source {}'.format(source)
if ttl:
if isinstance(ttl, int) and 0 <= timeout <= 255:
command += ' ttl 0 {}'.format(str(ttl))
if timeout:
if isinstance(timeout, int) and 1 <= timeout <= 3600:
command += ' timeout {}'.format(str(timeout))
max_loops = 5 * ttl * timeout + 150
if max_loops < 500:
max_loops = 500
output = self.device.send_command(command, max_loops=max_loops)
traceroute_dict = dict()
if re.search('Unrecognized host or address', output):
traceroute_dict['error'] = 'unknown host %s' % destination
return traceroute_dict
else:
traceroute_dict['success'] = dict()
results = dict()
hops = re.findall('\\n\\s+[0-9]{1,3}\\s', output)
for hop in hops:
hop_match = re.search(hop, output)
start_index = hop_match.start()
if hops.index(hop) + 1 == len(hops):
stop_index = len(output)
else:
next_hop_match = re.search(hops[hops.index(hop) + 1], output)
stop_index = next_hop_match.start()
hop_string = output[start_index:stop_index].replace(' msec', 'msec')
hop_list = hop_string.split()
current_hop = int(hop_list.pop(0))
results[current_hop] = dict()
results[current_hop]['probes'] = dict()
results[current_hop]['probes'][1] = {'rtt': float(), 'ip_address':
'', 'host_name': ''}
results[current_hop]['probes'][2] = {'rtt': float(), 'ip_address':
'', 'host_name': ''}
results[current_hop]['probes'][3] = {'rtt': float(), 'ip_address':
'', 'host_name': ''}
current_probe = 1
ip_address = ''
host_name = ''
while hop_list:
current_element = hop_list.pop(0)
if current_element == '*':
current_probe += 1
elif 'msec' in current_element:
ip_address = py23_compat.text_type(ip_address)
host_name = py23_compat.text_type(host_name)
rtt = float(current_element.replace('msec', ''))
results[current_hop]['probes'][current_probe]['ip_address'
] = ip_address
results[current_hop]['probes'][current_probe]['host_name'
] = host_name
results[current_hop]['probes'][current_probe]['rtt'] = rtt
current_probe += 1
elif '(' in current_element:
ip_address = current_element.replace('(', '').replace(')', '')
else:
host_name = current_element
ip_address = current_element
traceroute_dict['success'] = results
return traceroute_dict
| traceroute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destination, source=C.TRACEROUTE_SOURCE, ttl=C.TRACEROUTE_TTL,\n timeout=C.TRACEROUTE_TIMEOUT, vrf=C.TRACEROUTE_VRF):\n if vrf:\n command = ... |
def x(self, retrieve='all'):
configs = {'startup': '', 'running': '', 'candidate': ''}
if retrieve in ('startup', 'all'):
command = 'show startup-config'
output = self._send_command(command)
configs['startup'] = output
if retrieve in ('running', 'all'):
command = 'show running-config'
output = self._send_command(command)
configs['running'] = output
return configs
| get_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, retrieve='all'):\n configs = {'startup': '', 'running': '', 'candidate': ''}\n if retrieve in ('startup', 'all'):\n command = 'show startup-... |
def x(self, value):
format_reg = self._device.readU8(ADXL345_REG_DATA_FORMAT) & ~15
format_reg |= value
format_reg |= 8
self._device.write8(ADXL345_REG_DATA_FORMAT, format_reg)
| set_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n format_reg = self._device.readU8(ADXL345_REG_DATA_FORMAT) & ~15\n format_reg |= value\n format_reg |= 8\n self._device.write8(ADXL3... |
def x(self):
raw = self._device.readList(ADXL345_REG_DATAX0, 6)
return struct.unpack('<hhh', raw)
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n raw = self._device.readList(ADXL345_REG_DATAX0, 6)\n return struct.unpack('<hhh', raw)\n",
"role": "user"
},
{
"content": "read",
... |
def x(bus=DEFAULT_SPI_BUS, chip_select=DEFAULT_SPI_CHIP_SELECT):
global _pifacedigitals
for pfd in _pifacedigitals:
try:
pfd.deinit_board()
except AttributeError:
pass
| deinit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bus=DEFAULT_SPI_BUS, chip_select=DEFAULT_SPI_CHIP_SELECT):\n global _pifacedigitals\n for pfd in _pifacedigitals:\n try:\n pfd.deinit_b... |
def x(pin_num, value, hardware_addr=0):
_get_pifacedigital(hardware_addr).output_pins[pin_num].value = value
| digital_write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pin_num, value, hardware_addr=0):\n _get_pifacedigital(hardware_addr).output_pins[pin_num].value = value\n",
"role": "user"
},
{
"content": "dig... |
def x(pin_num, value, hardware_addr=0):
_get_pifacedigital(hardware_addr).gppub.bits[pin_num].value = value
| digital_write_pullup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pin_num, value, hardware_addr=0):\n _get_pifacedigital(hardware_addr).gppub.bits[pin_num].value = value\n",
"role": "user"
},
{
"content": "digi... |
def x():
ip = subprocess.check_output(GET_IP_CMD, shell=True).decode('utf-8')[:-1]
return ip.strip()
| get_my_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ip = subprocess.check_output(GET_IP_CMD, shell=True).decode('utf-8')[:-1]\n return ip.strip()\n",
"role": "user"
},
{
"content": "get_my... |
def x(self, new_value, old_value=0):
print('Setting output port to {}.'.format(new_value))
port_value = old_value
try:
port_value = int(new_value)
except ValueError:
port_value = int(new_value, 16)
finally:
self.pifacedigital.output_port.value = port_value
return port_value
| set_output_port | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_value, old_value=0):\n print('Setting output port to {}.'.format(new_value))\n port_value = old_value\n try:\n port_value = int(new_v... |
def x(self, **kwargs):
_url = kwargs.get('url')
_method = kwargs.get('method', 'GET')
_status = kwargs.get('status', 200)
counter = 0
if _method not in ['GET', 'POST']:
raise ValueError('Method is not GET or POST')
while True:
try:
res = REQ[_method](_url, cookies=self._cookie)
if res.status_code == _status:
break
else:
raise BadStatusException(res.content)
except requests.exceptions.BaseHTTPError:
if counter < self._retries:
counter += 1
continue
raise MaxRetryError
self._last_result = res
return res
| request_api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n _url = kwargs.get('url')\n _method = kwargs.get('method', 'GET')\n _status = kwargs.get('status', 200)\n counter = 0\n if _me... |
def x(self, uid):
_logid = uid
_user_info_url = USER_INFO_URL.format(logid=_logid)
return self._request_api(url=_user_info_url).json()
| get_infos_with_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uid):\n _logid = uid\n _user_info_url = USER_INFO_URL.format(logid=_logid)\n return self._request_api(url=_user_info_url).json()\n",
"role":... |
def x(self, login=None, **kwargs):
_login = kwargs.get('login', login or self._login)
_activity_url = ACTIVITY_URL.format(login=_login)
return self._request_api(url=_activity_url).json()
| get_current_activities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, **kwargs):\n _login = kwargs.get('login', login or self._login)\n _activity_url = ACTIVITY_URL.format(login=_login)\n return self._r... |
def x(self, login=None, **kwargs):
_login = kwargs.get('login', login or self._login)
_notif_url = NOTIF_URL.format(login=_login)
return self._request_api(url=_notif_url).json()
| get_notifications | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, **kwargs):\n _login = kwargs.get('login', login or self._login)\n _notif_url = NOTIF_URL.format(login=_login)\n return self._request... |
def x(self, login=None, promotion=None, **kwargs):
_login = kwargs.get('login', login or self._login)
_promotion_id = kwargs.get('promotion', promotion)
_grades_url = GRADES_URL.format(login=_login, promo_id=_promotion_id)
return self._request_api(url=_grades_url).json()
| get_grades | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, promotion=None, **kwargs):\n _login = kwargs.get('login', login or self._login)\n _promotion_id = kwargs.get('promotion', promotion)\n ... |
def x(self, login=None, **kwargs):
_login = kwargs.get('login', login or self._login)
_activities_url = PICTURE_URL.format(login=_login)
return self._request_api(url=_activities_url).content
| get_picture | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, **kwargs):\n _login = kwargs.get('login', login or self._login)\n _activities_url = PICTURE_URL.format(login=_login)\n return self._... |
def x(self, **kwargs):
_login = kwargs.get('login', self._login)
search_url = SEARCH_URL.format(login=_login)
return self._request_api(url=search_url).json()
| get_projects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n _login = kwargs.get('login', self._login)\n search_url = SEARCH_URL.format(login=_login)\n return self._request_api(url=search_url)... |
def x(self, module=None, **kwargs):
_module_id = kwargs.get('module', module)
_activities_url = ACTIVITIES_URL.format(module_id=_module_id)
return self._request_api(url=_activities_url).json()
| get_activities_for_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module=None, **kwargs):\n _module_id = kwargs.get('module', module)\n _activities_url = ACTIVITIES_URL.format(module_id=_module_id)\n return sel... |
def x(self, module=None, project=None, **kwargs):
_module_id = kwargs.get('module', module)
_project_id = kwargs.get('project', project)
_url = GROUPS_URL.format(module_id=_module_id, project_id=_project_id)
return self._request_api(url=_url).json()
| get_group_for_activity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, module=None, project=None, **kwargs):\n _module_id = kwargs.get('module', module)\n _project_id = kwargs.get('project', project)\n _url = GROUPS... |
def x(self, **kwargs):
_promotion_id = kwargs.get('promotion')
_url = PROMOTION_URL.format(promo_id=_promotion_id)
return self._request_api(url=_url).json()
| get_students | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n _promotion_id = kwargs.get('promotion')\n _url = PROMOTION_URL.format(promo_id=_promotion_id)\n return self._request_api(url=_url).... |
def x(self, login=None, **kwargs):
_login = kwargs.get('login', login)
log_events_url = GSA_EVENTS_URL.format(login=_login)
return self._request_api(url=log_events_url).json()
| get_log_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, **kwargs):\n _login = kwargs.get('login', login)\n log_events_url = GSA_EVENTS_URL.format(login=_login)\n return self._request_api(u... |
def x(self, login=None, start_date=None, end_date=None, **kwargs):
_login = kwargs.get('login', login)
log_events_url = EVENTS_URL.format(login=_login, start_date=start_date,
end_date=end_date)
return self._request_api(url=log_events_url).json()
| get_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, start_date=None, end_date=None, **kwargs):\n _login = kwargs.get('login', login)\n log_events_url = EVENTS_URL.format(login=_login, sta... |
def x(self, login=None, **kwargs):
_login = kwargs.get('login', login)
log_events_url = GSA_LOGS_URL.format(login=_login)
return self._request_api(url=log_events_url).json()
| get_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, login=None, **kwargs):\n _login = kwargs.get('login', login)\n log_events_url = GSA_LOGS_URL.format(login=_login)\n return self._request_api(url... |
def x(cls, headers):
headers = {k.lower(): v for k, v in headers.items()}
accept = headers.get('accept', '*/*')
parsed_accept = accept.split(';')
parsed_accept = [i.strip() for i in parsed_accept]
if all([(i in parsed_accept) for i in cls.PROTOBUF['default']]):
return ProtobufFormat
elif all([(i in parsed_accept) for i in cls.PROTOBUF['text']]):
return ProtobufTextFormat
elif all([(i in parsed_accept) for i in cls.TEXT['0.0.4']]):
return TextFormat
elif all([(i in parsed_accept) for i in cls.TEXT['default']]):
return TextFormat
else:
return cls.FALLBACK
| negotiate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, headers):\n headers = {k.lower(): v for k, v in headers.items()}\n accept = headers.get('accept', '*/*')\n parsed_accept = accept.split(';')\n ... |
def x(self, collector):
if not isinstance(collector, Collector):
raise TypeError(
"Can't register instance, not a valid type of collector")
if collector.name in self.collectors:
raise ValueError('Collector already exists or name colision')
with mutex:
self.collectors[collector.name] = collector
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, collector):\n if not isinstance(collector, Collector):\n raise TypeError(\n \"Can't register instance, not a valid type of collector... |
def x(self, registry):
payload = self.formatter.marshall(registry)
r = requests.post(self.path, data=payload, headers=self.headers)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, registry):\n payload = self.formatter.marshall(registry)\n r = requests.post(self.path, data=payload, headers=self.headers)\n",
"role": "user"
... |
def x(self, registry):
payload = self.formatter.marshall(registry)
r = requests.put(self.path, data=payload, headers=self.headers)
| replace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, registry):\n payload = self.formatter.marshall(registry)\n r = requests.put(self.path, data=payload, headers=self.headers)\n",
"role": "user"
... |
def x(self, collector):
if isinstance(collector, collectors.Counter):
exec_method = self._format_counter
elif isinstance(collector, collectors.Gauge):
exec_method = self._format_gauge
elif isinstance(collector, collectors.Summary):
exec_method = self._format_summary
else:
raise TypeError('Not a valid object format')
help_header = TextFormat.HELP_FMT.format(name=collector.name, help_text
=collector.help_text)
type_header = TextFormat.TYPE_FMT.format(name=collector.name,
value_type=collector.REPR_STR)
lines = [help_header, type_header]
for i in collector.get_all():
r = exec_method(i, collector.name, collector.const_labels)
if not isinstance(r, str) and isinstance(r, collections.Iterable):
lines.extend(r)
else:
lines.append(r)
return lines
| marshall_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, collector):\n if isinstance(collector, collectors.Counter):\n exec_method = self._format_counter\n elif isinstance(collector, collectors.Gau... |
def x(self, registry):
blocks = []
for i in registry.get_all():
blocks.append(self.marshall_collector(i))
blocks = sorted(blocks)
blocks.append('')
return self.__class__.LINE_SEPARATOR_FMT.join(blocks)
| marshall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, registry):\n blocks = []\n for i in registry.get_all():\n blocks.append(self.marshall_collector(i))\n blocks = sorted(blocks)\n blocks... |
def x(self, registry):
result = b''
for i in registry.get_all():
body = self.marshall_collector(i).SerializeToString()
msg = encoder._VarintBytes(len(body)) + body
result += msg
return result
| marshall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, registry):\n result = b''\n for i in registry.get_all():\n body = self.marshall_collector(i).SerializeToString()\n msg = encoder._Var... |
def x(registry):
host = socket.gethostname()
trig_metric = Gauge('trigonometry_example',
'Various trigonometry examples.', {'host': host})
registry.register(trig_metric)
counter = 0
while True:
time.sleep(1)
sine = math.sin(math.radians(counter % 360))
cosine = math.cos(math.radians(counter % 360))
trig_metric.set({'type': 'sine'}, sine)
trig_metric.set({'type': 'cosine'}, cosine)
counter += 1
| gather_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry):\n host = socket.gethostname()\n trig_metric = Gauge('trigonometry_example',\n 'Various trigonometry examples.', {'host': host})\n re... |
def x(self, labels, value):
if labels:
self._label_names_correct(labels)
with mutex:
self.values[labels] = value
| set_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, labels, value):\n if labels:\n self._label_names_correct(labels)\n with mutex:\n self.values[labels] = value\n",
"role": "user"
... |
def x(self, labels):
for k, v in labels.items():
if k in RESTRICTED_LABELS_NAMES:
raise ValueError('Labels not correct')
if any(k.startswith(i) for i in RESTRICTED_LABELS_PREFIXES):
raise ValueError('Labels not correct')
return True
| label_names_correct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, labels):\n for k, v in labels.items():\n if k in RESTRICTED_LABELS_NAMES:\n raise ValueError('Labels not correct')\n if any(k... |
def x(self):
with mutex:
items = self.values.items()
result = []
for k, v in items:
if not k or k == MetricDict.EMPTY_KEY:
key = None
else:
key = decoder.decode(k)
result.append((key, self.get(k)))
return result
| get_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with mutex:\n items = self.values.items()\n result = []\n for k, v in items:\n if not k or k == MetricDict.EMPTY_KEY:\n ... |
def x(self, labels, value):
try:
current = self.get_value(labels)
except KeyError:
current = 0
self.set_value(labels, current + value)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, labels, value):\n try:\n current = self.get_value(labels)\n except KeyError:\n current = 0\n self.set_value(labels, current + valu... |
def x(self, labels, value):
if type(value) not in (float, int):
raise TypeError('Summary only works with digits (int, float)')
with mutex:
try:
e = self.get_value(labels)
except KeyError:
e = quantile.Estimator(*self.__class__.DEFAULT_INVARIANTS)
self.set_value(labels, e)
e.observe(float(value))
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, labels, value):\n if type(value) not in (float, int):\n raise TypeError('Summary only works with digits (int, float)')\n with mutex:\n ... |
def x(self, labels):
return_data = {}
with mutex:
e = self.get_value(labels)
for i in e._invariants:
q = i._quantile
return_data[q] = e.query(q)
return_data[self.__class__.SUM_KEY] = e._sum
return_data[self.__class__.COUNT_KEY] = e._observations
return return_data
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, labels):\n return_data = {}\n with mutex:\n e = self.get_value(labels)\n for i in e._invariants:\n q = i._quantile\n ... |
def x(registry):
host = socket.gethostname()
ram_metric = Gauge('memory_usage_bytes', 'Memory usage in bytes.', {
'host': host})
cpu_metric = Gauge('cpu_usage_percent', 'CPU usage percent.', {'host':
host})
registry.register(ram_metric)
registry.register(cpu_metric)
while True:
time.sleep(1)
ram = psutil.virtual_memory()
swap = psutil.swap_memory()
ram_metric.set({'type': 'virtual'}, ram.used)
ram_metric.set({'type': 'virtual', 'status': 'cached'}, ram.cached)
ram_metric.set({'type': 'swap'}, swap.used)
for c, p in enumerate(psutil.cpu_percent(interval=1, percpu=True)):
cpu_metric.set({'core': c}, p)
| gather_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry):\n host = socket.gethostname()\n ram_metric = Gauge('memory_usage_bytes', 'Memory usage in bytes.', {\n 'host': host})\n cpu_metric =... |
def x(registry):
host = socket.gethostname()
io_metric = Summary('write_file_io_example',
'Writing io file in disk example.', {'host': host})
registry.register(io_metric)
chunk = b'\xff' * 4000
filename_path = '/tmp/prometheus_test'
blocksizes = 100, 10000, 1000000, 100000000
while True:
time.sleep(0.7)
for i in blocksizes:
time_start = time.time()
with open(filename_path, 'wb') as f:
for _ in range(i // 10000):
f.write(chunk)
io_metric.add({'file': filename_path, 'block': i}, time.time() -
time_start)
| gather_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry):\n host = socket.gethostname()\n io_metric = Summary('write_file_io_example',\n 'Writing io file in disk example.', {'host': host})\n ... |
def x(self, name, attribs=None):
if name == '.':
if attribs is None or len(attribs) == 0:
return self
if attribs == self.attribs:
return self
return self.child_index.get(nodehash(name, attribs))
| get_child | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, attribs=None):\n if name == '.':\n if attribs is None or len(attribs) == 0:\n return self\n if attribs == self.attribs:... |
def x(self, path, data=None):
node = self.current[-1]
path = self._splitpath(path)
n_items = len(path)
for n, item in enumerate(path):
tag, attribs = self._splittag(item)
if n == n_items - 1:
node = node.add(Node(tag, attribs))
break
existing = node.get_child(tag, attribs)
if existing is not None:
node = existing
else:
node = node.add(Node(tag, attribs))
if data:
node.text = unquote(data)
return node
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data=None):\n node = self.current[-1]\n path = self._splitpath(path)\n n_items = len(path)\n for n, item in enumerate(path):\n t... |
def x(self, path, data=None, replace=False):
node = self.current[-1]
for item in self._splitpath(path):
tag, attribs = self._splittag(item)
next_node = node.get_child(tag, attribs)
if next_node is not None:
node = next_node
else:
node = node.add(Node(tag, attribs))
if replace:
node.text = ''
if data:
if node.text is None:
node.text = unquote(data)
else:
node.text += unquote(data)
return node
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, data=None, replace=False):\n node = self.current[-1]\n for item in self._splitpath(path):\n tag, attribs = self._splittag(item)\n ... |
def x(self, path, name, value):
node = self.add(path)
node.attribs.append((name, value))
return node
| add_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, name, value):\n node = self.add(path)\n node.attribs.append((name, value))\n return node\n",
"role": "user"
},
{
"content": "a... |
def x(self, path):
self.current.append(self.create(path))
return self.current[-1]
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self.current.append(self.create(path))\n return self.current[-1]\n",
"role": "user"
},
{
"content": "open",
"role": "assis... |
def x(self, path):
self.current.append(self.add(path))
return self.current[-1]
| enter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self.current.append(self.add(path))\n return self.current[-1]\n",
"role": "user"
},
{
"content": "enter",
"role": "assista... |
def x(converter, input_file, format='xml', encoding='utf8'):
with codecs.open(input_file, encoding=encoding) as thefile:
return generate_string(converter, thefile.read(), format=format)
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(converter, input_file, format='xml', encoding='utf8'):\n with codecs.open(input_file, encoding=encoding) as thefile:\n return generate_string(convert... |
def x(converter, input_file, output_file, format='xml', in_encoding='utf8',
out_encoding='utf8'):
with codecs.open(output_file, 'w', encoding=out_encoding) as thefile:
result = generate(converter, input_file, format=format, encoding=
in_encoding)
thefile.write(result)
| generate_to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(converter, input_file, output_file, format='xml', in_encoding='utf8',\n out_encoding='utf8'):\n with codecs.open(output_file, 'w', encoding=out_encoding)... |
def x(converter, input, format='xml'):
serializer = generator.new(format)
if serializer is None:
raise TypeError('invalid output format ' + repr(format))
builder = Builder()
converter.parse_string(input, builder)
return builder.serialize(serializer)
| generate_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(converter, input, format='xml'):\n serializer = generator.new(format)\n if serializer is None:\n raise TypeError('invalid output format ' + repr(f... |
def x(converter, input, output_file, format='xml', out_encoding='utf8'):
with codecs.open(output_file, 'w', encoding=out_encoding) as thefile:
result = generate_string(converter, input, format=format)
thefile.write(result)
| generate_string_to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(converter, input, output_file, format='xml', out_encoding='utf8'):\n with codecs.open(output_file, 'w', encoding=out_encoding) as thefile:\n result =... |
def x(s, dt=None):
if dt is None:
dt = datetime.now()
minute, hour, dom, month, dow = s.split(' ')
weekday = dt.isoweekday()
return _parse_arg(minute, dt.minute) and _parse_arg(hour, dt.hour
) and _parse_arg(dom, dt.day) and _parse_arg(month, dt.month
) and _parse_arg(dow, 0 if weekday == 7 else weekday, True)
| is_now | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, dt=None):\n if dt is None:\n dt = datetime.now()\n minute, hour, dom, month, dow = s.split(' ')\n weekday = dt.isoweekday()\n return _par... |
def x(s, since, dt=None):
if dt is None:
dt = datetime.now(tz=since.tzinfo)
if dt < since:
raise ValueError(
'The since datetime must be before the current datetime.')
while since <= dt:
if is_now(s, since):
return True
since += timedelta(minutes=1)
return False
| has_been | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, since, dt=None):\n if dt is None:\n dt = datetime.now(tz=since.tzinfo)\n if dt < since:\n raise ValueError(\n 'The since date... |
def x(y_true, y_pred):
y_true, y_pred = _mask_value_nan(y_true, y_pred)
return skm.average_precision_score(y_true, y_pred)
| auprc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y_true, y_pred):\n y_true, y_pred = _mask_value_nan(y_true, y_pred)\n return skm.average_precision_score(y_true, y_pred)\n",
"role": "user"
},
{
... |
def x(self, rank=0):
candidates = [t for t in self.trials if t['result']['status'] == STATUS_OK]
if len(candidates) == 0:
return None
losses = [float(t['result']['loss']) for t in candidates]
assert not np.any(np.isnan(losses))
lid = np.where(np.argsort(losses).argsort() == rank)[0][0]
return candidates[lid]['tid']
| best_trial_tid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rank=0):\n candidates = [t for t in self.trials if t['result']['status'] == STATUS_OK]\n if len(candidates) == 0:\n return None\n losses ... |
def x(self, arg):
if self.kill_timeout is not None:
self.delete_running(self.kill_timeout)
return super(KMongoTrials, self).count_by_state_unsynced(arg)
| count_by_state_unsynced | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg):\n if self.kill_timeout is not None:\n self.delete_running(self.kill_timeout)\n return super(KMongoTrials, self).count_by_state_unsynce... |
def x(self, tid, scores=['loss', 'f1', 'accuracy'], figsize=(15, 3)):
history = self.train_history(tid)
import matplotlib.pyplot as plt
fig = plt.figure(figsize=figsize)
for i, score in enumerate(scores):
plt.subplot(1, len(scores), i + 1)
plt.tight_layout()
plt.plot(history[score], label='train')
plt.plot(history['val_' + score], label='validation')
plt.title(score)
plt.ylabel(score)
plt.xlabel('epoch')
plt.legend(loc='best')
return fig
| plot_history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tid, scores=['loss', 'f1', 'accuracy'], figsize=(15, 3)):\n history = self.train_history(tid)\n import matplotlib.pyplot as plt\n fig = plt.figu... |
def x(self, tid, custom_objects=None):
if tid is None:
tid = self.best_trial_tid()
model_path = self.get_trial(tid)['result']['path']['model']
return load_model(model_path, custom_objects=custom_objects)
| load_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tid, custom_objects=None):\n if tid is None:\n tid = self.best_trial_tid()\n model_path = self.get_trial(tid)['result']['path']['model']\n ... |
def x(self):
if len(self.trials) == 0:
return 0
else:
return np.sum(np.array(self.statuses()) == 'ok')
| n_ok | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.trials) == 0:\n return 0\n else:\n return np.sum(np.array(self.statuses()) == 'ok')\n",
"role": "user"
},
{
... |
def x(self, verbose=True):
if len(self.trials) == 0:
return []
not_ok = np.where(np.array(self.statuses()) != 'ok')[0]
if len(not_ok) > 0 and verbose:
print('{0}/{1} trials were not ok.'.format(len(not_ok), len(self.
trials)))
print('Trials: ' + str(not_ok))
print('Statuses: ' + str(np.array(self.statuses())[not_ok]))
r = [merge_dicts({'tid': t['tid']}, t['result'].to_dict()) for t in
self.trials if t['result']['status'] == 'ok']
return r
| get_ok_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=True):\n if len(self.trials) == 0:\n return []\n not_ok = np.where(np.array(self.statuses()) != 'ok')[0]\n if len(not_ok) > 0 and... |
def x(verifier):
@wraps(verifier.verify)
def x(environ, start_response):
data = get_post(environ)
kwargs = dict(urlparse.parse_qsl(data))
kwargs['state'] = json.loads(urllib.unquote(kwargs['state']))
val, completed = verifier.verify(**kwargs)
if not completed:
return val(environ, start_response)
if val:
set_cookie, cookie_value = verifier.create_cookie(val, 'auth')
cookie_value += '; path=/'
url = '{base_url}?{query_string}'.format(base_url=
'/authorization', query_string=kwargs['state']['query'])
response = SeeOther(url, headers=[(set_cookie, cookie_value)])
return response(environ, start_response)
else:
url = '{base_url}?{query_string}'.format(base_url=
'/authorization', query_string=kwargs['state']['query'])
response = SeeOther(url)
return response(environ, start_response)
return wrapper
| VerifierMiddleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(verifier):\n\n @wraps(verifier.verify)\n def x(environ, start_response):\n data = get_post(environ)\n kwargs = dict(urlparse.parse_qsl(data... |
def x(func):
def x(environ, start_response):
data = get_or_post(environ)
cookies = environ.get('HTTP_COOKIE', '')
resp = func(request=data, cookie=cookies)
return resp(environ, start_response)
return wrapper
| pyoidcMiddleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(environ, start_response):\n data = get_or_post(environ)\n cookies = environ.get('HTTP_COOKIE', '')\n resp = func(reque... |
def x(resp):
if isinstance(resp, Redirect) or isinstance(resp, SeeOther):
code = int(resp.status.split()[0])
raise cherrypy.HTTPRedirect(resp.message, code)
return resp.message, resp.status, resp.headers
| resp2flask | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resp):\n if isinstance(resp, Redirect) or isinstance(resp, SeeOther):\n code = int(resp.status.split()[0])\n raise cherrypy.HTTPRedirect(resp.... |
def x(authn_config, template_env):
routing = {}
ac = AuthnBroker()
for authn_method in authn_config:
cls = make_cls_from_name(authn_method['class'])
instance = cls(template_env=template_env, **authn_method['kwargs'])
ac.add(authn_method['acr'], instance)
routing[instance.url_endpoint] = VerifierMiddleware(instance)
return ac, routing
| setup_authentication_methods | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authn_config, template_env):\n routing = {}\n ac = AuthnBroker()\n for authn_method in authn_config:\n cls = make_cls_from_name(authn_method['c... |
def x(provider):
app_routing = {}
endpoints = [AuthorizationEndpoint(pyoidcMiddleware(provider.
authorization_endpoint)), TokenEndpoint(pyoidcMiddleware(provider.
token_endpoint)), UserinfoEndpoint(pyoidcMiddleware(provider.
userinfo_endpoint)), RegistrationEndpoint(pyoidcMiddleware(provider
.registration_endpoint)), EndSessionEndpoint(pyoidcMiddleware(
provider.endsession_endpoint))]
for ep in endpoints:
app_routing['/{}'.format(ep.etype)] = ep
return app_routing
| setup_endpoints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(provider):\n app_routing = {}\n endpoints = [AuthorizationEndpoint(pyoidcMiddleware(provider.\n authorization_endpoint)), TokenEndpoint(pyoidcMidd... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.