source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
requests = self._format()
serps = self._fetch(requests)
urls = self._process(serps)
details = self._fetch(urls)
emails = self._extract()
return {'emails': emails, 'processed': len(self.data)}
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n requests = self._format()\n serps = self._fetch(requests)\n urls = self._process(serps)\n details = self._fetch(urls)\n emails = self._extract()\n return {'emails': emails, 'processed': len(self.data)}\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(executable_name, env_var='PATH'):
exec_fp = None
if env_var in os.environ:
paths = os.environ[env_var]
for path in paths.split(os.pathsep):
curr_exec_fp = os.path.join(path, executable_name)
if os.access(curr_exec_fp, os.X_OK):
exec_fp = curr_exec_fp
break
return exec_fp
| which | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(executable_name, env_var='PATH'):\n exec_fp = None\n if env_var in os.environ:\n paths = os.environ[env_var]\n for path in paths.split(os.pathsep):\n curr_exec_fp = os.path.join(path, executable_name)\n if os.access(curr_exec_fp, os.X_OK):\n exec_fp = curr_exec_fp\n break\n return exec_fp\n",
"role": "user"
},
{
"content": "which",
"role": "assistant"
}
] |
def x(param_iter, PathToBin=None, PathToCmd=None, PathsToInputs=None,
PathToOutput=None, PathToStderr='/dev/null', PathToStdout='/dev/null',
UniqueOutputs=False, InputParam=None, OutputParam=None):
if not PathsToInputs:
raise ValueError('No input file(s) specified.')
if not PathToOutput:
raise ValueError('No output file specified.')
if not isinstance(PathsToInputs, list):
PathsToInputs = [PathsToInputs]
if PathToBin is None:
PathToBin = ''
if PathToCmd is None:
PathToCmd = ''
if PathToStdout is None:
stdout_ = ''
else:
stdout_ = '> "%s"' % PathToStdout
if PathToStderr is None:
stderr_ = ''
else:
stderr_ = '2> "%s"' % PathToStderr
if OutputParam is None:
output = '> "%s"' % PathToOutput
stdout_ = ''
else:
output_param = param_iter.AppParams[OutputParam]
output_param.on('"%s"' % PathToOutput)
output = str(output_param)
output_param.off()
output_count = 0
base_command = ' '.join([PathToBin, PathToCmd])
for params in param_iter:
for inputfile in PathsToInputs:
cmdline = [base_command]
cmdline.extend(sorted(filter(None, map(str, params.values()))))
if InputParam is None:
input = '< "%s"' % inputfile
else:
input_param = params[InputParam]
input_param.on('"%s"' % inputfile)
input = str(input_param)
input_param.off()
cmdline.append(input)
if UniqueOutputs:
cmdline.append(''.join([output, str(output_count)]))
output_count += 1
else:
cmdline.append(output)
cmdline.append(stdout_)
cmdline.append(stderr_)
yield ' '.join(cmdline)
| cmdline_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param_iter, PathToBin=None, PathToCmd=None, PathsToInputs=None,\n PathToOutput=None, PathToStderr='/dev/null', PathToStdout='/dev/null',\n UniqueOutputs=False, InputParam=None, OutputParam=None):\n if not PathsToInputs:\n raise ValueError('No input file(s) specified.')\n if not PathToOutput:\n raise ValueError('No output file specified.')\n if not isinstance(PathsToInputs, list):\n PathsToInputs = [PathsToInputs]\n if PathToBin is None:\n PathToBin = ''\n if PathToCmd is None:\n PathToCmd = ''\n if PathToStdout is None:\n stdout_ = ''\n else:\n stdout_ = '> \"%s\"' % PathToStdout\n if PathToStderr is None:\n stderr_ = ''\n else:\n stderr_ = '2> \"%s\"' % PathToStderr\n if OutputParam is None:\n output = '> \"%s\"' % PathToOutput\n stdout_ = ''\n else:\n output_param = param_iter.AppParams[OutputParam]\n output_param.on('\"%s\"' % PathToOutput)\n output = str(output_param)\n output_param.off()\n output_count = 0\n base_command = ' '.join([PathToBin, PathToCmd])\n for params in param_iter:\n for inputfile in PathsToInputs:\n cmdline = [base_command]\n cmdline.extend(sorted(filter(None, map(str, params.values()))))\n if InputParam is None:\n input = '< \"%s\"' % inputfile\n else:\n input_param = params[InputParam]\n input_param.on('\"%s\"' % inputfile)\n input = str(input_param)\n input_param.off()\n cmdline.append(input)\n if UniqueOutputs:\n cmdline.append(''.join([output, str(output_count)]))\n output_count += 1\n else:\n cmdline.append(output)\n cmdline.append(stdout_)\n cmdline.append(stderr_)\n yield ' '.join(cmdline)\n",
"role": "user"
},
{
"content": "cmdline_generator",
"role": "assistant"
}
] |
def x(tmp_dir=gettempdir(), prefix='tmp', suffix='.txt', result_constructor
=FilePath):
if not tmp_dir:
tmp_dir = ''
elif not tmp_dir.endswith('/'):
tmp_dir += '/'
chars = 'abcdefghigklmnopqrstuvwxyz'
picks = chars + chars.upper() + '0123456790'
return result_constructor(tmp_dir) + result_constructor(prefix
) + result_constructor('%s%s' % (''.join([choice(picks) for i in
range(20)]), suffix))
| get_tmp_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tmp_dir=gettempdir(), prefix='tmp', suffix='.txt', result_constructor\n =FilePath):\n if not tmp_dir:\n tmp_dir = ''\n elif not tmp_dir.endswith('/'):\n tmp_dir += '/'\n chars = 'abcdefghigklmnopqrstuvwxyz'\n picks = chars + chars.upper() + '0123456790'\n return result_constructor(tmp_dir) + result_constructor(prefix\n ) + result_constructor('%s%s' % (''.join([choice(picks) for i in\n range(20)]), suffix))\n",
"role": "user"
},
{
"content": "get_tmp_filename",
"role": "assistant"
}
] |
def x(seqs, add_seq_names=False):
if isinstance(seqs, str):
if '\n' in seqs:
return '_input_as_multiline_string'
else:
return '_input_as_string'
if isinstance(seqs, list) and len(seqs) and isinstance(seqs[0], tuple):
return '_input_as_seq_id_seq_pairs'
if add_seq_names:
return '_input_as_seqs'
return '_input_as_lines'
| guess_input_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seqs, add_seq_names=False):\n if isinstance(seqs, str):\n if '\\n' in seqs:\n return '_input_as_multiline_string'\n else:\n return '_input_as_string'\n if isinstance(seqs, list) and len(seqs) and isinstance(seqs[0], tuple):\n return '_input_as_seq_id_seq_pairs'\n if add_seq_names:\n return '_input_as_seqs'\n return '_input_as_lines'\n",
"role": "user"
},
{
"content": "guess_input_handler",
"role": "assistant"
}
] |
def x(self):
file_keys = self.file_keys
for item in file_keys:
if self[item] is not None:
self[item].close()
remove(self[item].name)
if hasattr(self, '_input_filename'):
remove(self._input_filename)
| cleanUp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n file_keys = self.file_keys\n for item in file_keys:\n if self[item] is not None:\n self[item].close()\n remove(self[item].name)\n if hasattr(self, '_input_filename'):\n remove(self._input_filename)\n",
"role": "user"
},
{
"content": "cleanUp",
"role": "assistant"
}
] |
def x(self, data):
filename = self._input_filename = FilePath(self.getTmpFilename(self.TmpDir)
)
data_file = open(filename, 'w')
data_file.write(data)
data_file.close()
return filename
| input_as_multiline_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n filename = self._input_filename = FilePath(self.getTmpFilename(self.TmpDir)\n )\n data_file = open(filename, 'w')\n data_file.write(data)\n data_file.close()\n return filename\n",
"role": "user"
},
{
"content": "input_as_multiline_string",
"role": "assistant"
}
] |
def x(self, data):
filename = self._input_filename = FilePath(self.getTmpFilename(self.TmpDir)
)
filename = FilePath(filename)
data_file = open(filename, 'w')
data_to_file = '\n'.join([str(d).strip('\n') for d in data])
data_file.write(data_to_file)
data_file.close()
return filename
| input_as_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n filename = self._input_filename = FilePath(self.getTmpFilename(self.TmpDir)\n )\n filename = FilePath(filename)\n data_file = open(filename, 'w')\n data_to_file = '\\n'.join([str(d).strip('\\n') for d in data])\n data_file.write(data_to_file)\n data_file.close()\n return filename\n",
"role": "user"
},
{
"content": "input_as_lines",
"role": "assistant"
}
] |
def x(self, data):
return self._command_delimiter.join(map(str, map(self._input_as_path,
data)))
| input_as_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n return self._command_delimiter.join(map(str, map(self._input_as_path,\n data)))\n",
"role": "user"
},
{
"content": "input_as_paths",
"role": "assistant"
}
] |
def x(self, path):
path = FilePath(path)
if isabs(path):
return path
else:
return self.WorkingDir + path
| absolute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n path = FilePath(path)\n if isabs(path):\n return path\n else:\n return self.WorkingDir + path\n",
"role": "user"
},
{
"content": "absolute",
"role": "assistant"
}
] |
def x(self):
command_parts = []
cd_command = ''.join(['cd ', str(self.WorkingDir), ';'])
if self._command is None:
raise ApplicationError('_command has not been set.')
command = self._command
parameters = self.Parameters
command_parts.append(cd_command)
command_parts.append(command)
command_parts.append(self._command_delimiter.join(filter(None, map(str,
parameters.values()))))
return self._command_delimiter.join(command_parts).strip()
| get_base_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n command_parts = []\n cd_command = ''.join(['cd ', str(self.WorkingDir), ';'])\n if self._command is None:\n raise ApplicationError('_command has not been set.')\n command = self._command\n parameters = self.Parameters\n command_parts.append(cd_command)\n command_parts.append(command)\n command_parts.append(self._command_delimiter.join(filter(None, map(str,\n parameters.values()))))\n return self._command_delimiter.join(command_parts).strip()\n",
"role": "user"
},
{
"content": "get_base_command",
"role": "assistant"
}
] |
def x(self, params):
command = self._command
found_in_path = which(command.strip('"')) is not None
if not (exists(command) or found_in_path):
raise ApplicationNotFoundError(
'Cannot find %s. Is it installed? Is it in your path?' % command)
| error_on_missing_application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n command = self._command\n found_in_path = which(command.strip('\"')) is not None\n if not (exists(command) or found_in_path):\n raise ApplicationNotFoundError(\n 'Cannot find %s. Is it installed? Is it in your path?' % command)\n",
"role": "user"
},
{
"content": "error_on_missing_application",
"role": "assistant"
}
] |
def x(self, tmp_dir=None, prefix='tmp', suffix='.txt', include_class_id=
False, result_constructor=FilePath):
if not tmp_dir:
tmp_dir = self.TmpDir
elif not tmp_dir.endswith('/'):
tmp_dir += '/'
if include_class_id:
class_id = str(self.__class__())
prefix = ''.join([prefix, class_id[class_id.rindex('.') + 1:
class_id.index(' ')]])
try:
mkdir(tmp_dir)
except OSError:
pass
return result_constructor(tmp_dir) + result_constructor(prefix
) + result_constructor(''.join([choice(_all_chars) for i in range(
self.TmpNameLen)])) + result_constructor(suffix)
| getTmpFilename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tmp_dir=None, prefix='tmp', suffix='.txt', include_class_id=\n False, result_constructor=FilePath):\n if not tmp_dir:\n tmp_dir = self.TmpDir\n elif not tmp_dir.endswith('/'):\n tmp_dir += '/'\n if include_class_id:\n class_id = str(self.__class__())\n prefix = ''.join([prefix, class_id[class_id.rindex('.') + 1:\n class_id.index(' ')]])\n try:\n mkdir(tmp_dir)\n except OSError:\n pass\n return result_constructor(tmp_dir) + result_constructor(prefix\n ) + result_constructor(''.join([choice(_all_chars) for i in range(\n self.TmpNameLen)])) + result_constructor(suffix)\n",
"role": "user"
},
{
"content": "getTmpFilename",
"role": "assistant"
}
] |
def x(self, orm):
for category in orm['document_library.DocumentCategory'].objects.all():
category.slug = category.documentcategorytitle_set.all()[0
].title.lower()
category.save()
| forwards | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, orm):\n for category in orm['document_library.DocumentCategory'].objects.all():\n category.slug = category.documentcategorytitle_set.all()[0\n ].title.lower()\n category.save()\n",
"role": "user"
},
{
"content": "forwards",
"role": "assistant"
}
] |
def x(char):
index = utils.VOWELS.find(char.lower())
if index != -1:
return 5 - index % 6
else:
return Accent.NONE
| get_accent_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(char):\n index = utils.VOWELS.find(char.lower())\n if index != -1:\n return 5 - index % 6\n else:\n return Accent.NONE\n",
"role": "user"
},
{
"content": "get_accent_char",
"role": "assistant"
}
] |
def x(string):
accents = list(filter(lambda accent: accent != Accent.NONE, map(
get_accent_char, string)))
return accents[-1] if accents else Accent.NONE
| get_accent_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n accents = list(filter(lambda accent: accent != Accent.NONE, map(\n get_accent_char, string)))\n return accents[-1] if accents else Accent.NONE\n",
"role": "user"
},
{
"content": "get_accent_string",
"role": "assistant"
}
] |
def x(components, accent):
vowel = components[1]
last_consonant = components[2]
if accent == Accent.NONE:
vowel = remove_accent_string(vowel)
return [components[0], vowel, last_consonant]
if vowel == '':
return components
raw_string = remove_accent_string(vowel).lower()
new_vowel = ''
index = max(raw_string.find('ê'), raw_string.find('ơ'))
if index != -1:
new_vowel = vowel[:index] + add_accent_char(vowel[index], accent
) + vowel[index + 1:]
elif len(vowel) == 1 or len(vowel) == 2 and last_consonant == '':
new_vowel = add_accent_char(vowel[0], accent) + vowel[1:]
else:
new_vowel = vowel[:1] + add_accent_char(vowel[1], accent) + vowel[2:]
return [components[0], new_vowel, components[2]]
| add_accent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(components, accent):\n vowel = components[1]\n last_consonant = components[2]\n if accent == Accent.NONE:\n vowel = remove_accent_string(vowel)\n return [components[0], vowel, last_consonant]\n if vowel == '':\n return components\n raw_string = remove_accent_string(vowel).lower()\n new_vowel = ''\n index = max(raw_string.find('ê'), raw_string.find('ơ'))\n if index != -1:\n new_vowel = vowel[:index] + add_accent_char(vowel[index], accent\n ) + vowel[index + 1:]\n elif len(vowel) == 1 or len(vowel) == 2 and last_consonant == '':\n new_vowel = add_accent_char(vowel[0], accent) + vowel[1:]\n else:\n new_vowel = vowel[:1] + add_accent_char(vowel[1], accent) + vowel[2:]\n return [components[0], new_vowel, components[2]]\n",
"role": "user"
},
{
"content": "add_accent",
"role": "assistant"
}
] |
def x(char, accent):
if char == '':
return ''
case = char.isupper()
char = char.lower()
index = utils.VOWELS.find(char)
if index != -1:
index = index - index % 6 + 5
char = utils.VOWELS[index - accent]
return utils.change_case(char, case)
| add_accent_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(char, accent):\n if char == '':\n return ''\n case = char.isupper()\n char = char.lower()\n index = utils.VOWELS.find(char)\n if index != -1:\n index = index - index % 6 + 5\n char = utils.VOWELS[index - accent]\n return utils.change_case(char, case)\n",
"role": "user"
},
{
"content": "add_accent_char",
"role": "assistant"
}
] |
def x(string, accent, index):
if index == -1:
return string
return string[:index] + accent.accent.add_accent_char(string[index], accent
) + string[index + 1:]
| add_accent_at | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, accent, index):\n if index == -1:\n return string\n return string[:index] + accent.accent.add_accent_char(string[index], accent\n ) + string[index + 1:]\n",
"role": "user"
},
{
"content": "add_accent_at",
"role": "assistant"
}
] |
def x(string):
return utils.join([add_accent_char(c, Accent.NONE) for c in string])
| remove_accent_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n return utils.join([add_accent_char(c, Accent.NONE) for c in string])\n",
"role": "user"
},
{
"content": "remove_accent_string",
"role": "assistant"
}
] |
def x(argv=None):
usage = 'usage: %prog [options] input_sequences_filepath'
version = 'Version: %prog ' + __version__
parser = OptionParser(usage=usage, version=version)
parser.add_option('-o', '--output_fp', action='store', type='string',
dest='output_fp', help='Path to store ' +
'output file [default: generated from input_sequences_filepath]')
parser.add_option('-c', '--min_confidence', action='store', type=
'float', dest='min_confidence', help='minimum confidence ' +
'level to return a classification [default: %default]')
parser.set_defaults(verbose=False, min_confidence=0.8)
opts, args = parser.parse_args(argv)
if len(args) != 1:
parser.error('Exactly one argument is required.')
return opts, args
| parse_command_line_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n usage = 'usage: %prog [options] input_sequences_filepath'\n version = 'Version: %prog ' + __version__\n parser = OptionParser(usage=usage, version=version)\n parser.add_option('-o', '--output_fp', action='store', type='string',\n dest='output_fp', help='Path to store ' +\n 'output file [default: generated from input_sequences_filepath]')\n parser.add_option('-c', '--min_confidence', action='store', type=\n 'float', dest='min_confidence', help='minimum confidence ' +\n 'level to return a classification [default: %default]')\n parser.set_defaults(verbose=False, min_confidence=0.8)\n opts, args = parser.parse_args(argv)\n if len(args) != 1:\n parser.error('Exactly one argument is required.')\n return opts, args\n",
"role": "user"
},
{
"content": "parse_command_line_parameters",
"role": "assistant"
}
] |
def x(data, min_confidence=0.8, output_fp=None, training_data_fp=None,
fixrank=True, max_memory=None, tmp_dir=tempfile.gettempdir()):
data = list(data)
seq_id_lookup = {}
for seq_id, seq in parse_fasta(data):
seq_id_lookup[seq_id.split()[0]] = seq_id
app_kwargs = {}
if tmp_dir is not None:
app_kwargs['TmpDir'] = tmp_dir
app = RdpClassifier(**app_kwargs)
if max_memory is not None:
app.Parameters['-Xmx'].on(max_memory)
temp_output_file = tempfile.NamedTemporaryFile(prefix='RdpAssignments_',
suffix='.txt', dir=tmp_dir)
app.Parameters['-o'].on(temp_output_file.name)
if training_data_fp is not None:
app.Parameters['-t'].on(training_data_fp)
if fixrank:
app.Parameters['-f'].on('fixrank')
else:
app.Parameters['-f'].on('allrank')
app_result = app(data)
assignments = {}
for line in app_result['StdOut']:
excep = parse_rdp_exception(line)
if excep is not None:
_, rdp_id = excep
orig_id = seq_id_lookup[rdp_id]
assignments[orig_id] = 'Unassignable', 1.0
for line in app_result['Assignments']:
rdp_id, direction, taxa = parse_rdp_assignment(line)
if taxa[0][0] == 'Root':
taxa = taxa[1:]
orig_id = seq_id_lookup[rdp_id]
lineage, confidence = get_rdp_lineage(taxa, min_confidence)
if lineage:
assignments[orig_id] = ';'.join(lineage), confidence
else:
assignments[orig_id] = 'Unclassified', 1.0
if output_fp:
try:
output_file = open(output_fp, 'w')
except OSError:
raise OSError("Can't open output file for writing: %s" % output_fp)
for seq_id, assignment in assignments.items():
lineage, confidence = assignment
output_file.write('%s\t%s\t%1.3f\n' % (seq_id, lineage, confidence)
)
output_file.close()
return None
else:
return assignments
| assign_taxonomy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, min_confidence=0.8, output_fp=None, training_data_fp=None,\n fixrank=True, max_memory=None, tmp_dir=tempfile.gettempdir()):\n data = list(data)\n seq_id_lookup = {}\n for seq_id, seq in parse_fasta(data):\n seq_id_lookup[seq_id.split()[0]] = seq_id\n app_kwargs = {}\n if tmp_dir is not None:\n app_kwargs['TmpDir'] = tmp_dir\n app = RdpClassifier(**app_kwargs)\n if max_memory is not None:\n app.Parameters['-Xmx'].on(max_memory)\n temp_output_file = tempfile.NamedTemporaryFile(prefix='RdpAssignments_',\n suffix='.txt', dir=tmp_dir)\n app.Parameters['-o'].on(temp_output_file.name)\n if training_data_fp is not None:\n app.Parameters['-t'].on(training_data_fp)\n if fixrank:\n app.Parameters['-f'].on('fixrank')\n else:\n app.Parameters['-f'].on('allrank')\n app_result = app(data)\n assignments = {}\n for line in app_result['StdOut']:\n excep = parse_rdp_exception(line)\n if excep is not None:\n _, rdp_id = excep\n orig_id = seq_id_lookup[rdp_id]\n assignments[orig_id] = 'Unassignable', 1.0\n for line in app_result['Assignments']:\n rdp_id, direction, taxa = parse_rdp_assignment(line)\n if taxa[0][0] == 'Root':\n taxa = taxa[1:]\n orig_id = seq_id_lookup[rdp_id]\n lineage, confidence = get_rdp_lineage(taxa, min_confidence)\n if lineage:\n assignments[orig_id] = ';'.join(lineage), confidence\n else:\n assignments[orig_id] = 'Unclassified', 1.0\n if output_fp:\n try:\n output_file = open(output_fp, 'w')\n except OSError:\n raise OSError(\"Can't open output file for writing: %s\" % output_fp)\n for seq_id, assignment in assignments.items():\n lineage, confidence = assignment\n output_file.write('%s\\t%s\\t%1.3f\\n' % (seq_id, lineage, confidence)\n )\n output_file.close()\n return None\n else:\n return assignments\n",
"role": "user"
},
{
"content": "assign_taxonomy",
"role": "assistant"
}
] |
def x(training_seqs_file, taxonomy_file, model_output_dir, max_memory=None,
tmp_dir=tempfile.gettempdir()):
app_kwargs = {}
if tmp_dir is not None:
app_kwargs['TmpDir'] = tmp_dir
app = RdpTrainer(**app_kwargs)
if max_memory is not None:
app.Parameters['-Xmx'].on(max_memory)
temp_taxonomy_file = tempfile.NamedTemporaryFile(prefix='RdpTaxonomy_',
suffix='.txt', dir=tmp_dir)
temp_taxonomy_file.write(taxonomy_file.read())
temp_taxonomy_file.seek(0)
app.Parameters['taxonomy_file'].on(temp_taxonomy_file.name)
app.Parameters['model_output_dir'].on(model_output_dir)
return app(training_seqs_file)
| train_rdp_classifier | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(training_seqs_file, taxonomy_file, model_output_dir, max_memory=None,\n tmp_dir=tempfile.gettempdir()):\n app_kwargs = {}\n if tmp_dir is not None:\n app_kwargs['TmpDir'] = tmp_dir\n app = RdpTrainer(**app_kwargs)\n if max_memory is not None:\n app.Parameters['-Xmx'].on(max_memory)\n temp_taxonomy_file = tempfile.NamedTemporaryFile(prefix='RdpTaxonomy_',\n suffix='.txt', dir=tmp_dir)\n temp_taxonomy_file.write(taxonomy_file.read())\n temp_taxonomy_file.seek(0)\n app.Parameters['taxonomy_file'].on(temp_taxonomy_file.name)\n app.Parameters['model_output_dir'].on(model_output_dir)\n return app(training_seqs_file)\n",
"role": "user"
},
{
"content": "train_rdp_classifier",
"role": "assistant"
}
] |
def x(training_seqs_file, taxonomy_file, seqs_to_classify, min_confidence=
0.8, model_output_dir=None, classification_output_fp=None, max_memory=
None, tmp_dir=tempfile.gettempdir()):
if model_output_dir is None:
training_dir = tempfile.mkdtemp(prefix='RdpTrainer_', dir=tmp_dir)
else:
training_dir = model_output_dir
training_results = train_rdp_classifier(training_seqs_file,
taxonomy_file, training_dir, max_memory=max_memory, tmp_dir=tmp_dir)
training_data_fp = training_results['properties'].name
assignment_results = assign_taxonomy(seqs_to_classify, min_confidence=
min_confidence, output_fp=classification_output_fp,
training_data_fp=training_data_fp, max_memory=max_memory, fixrank=
False, tmp_dir=tmp_dir)
if model_output_dir is None:
try:
rmtree(training_dir)
except OSError:
msg = 'Temporary training directory %s not removed' % training_dir
if os.path.isdir(training_dir):
training_dir_files = os.listdir(training_dir)
msg += '\nDetected files %s' % training_dir_files
warnings.warn(msg, RuntimeWarning)
return assignment_results
| train_rdp_classifier_and_assign_taxonomy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(training_seqs_file, taxonomy_file, seqs_to_classify, min_confidence=\n 0.8, model_output_dir=None, classification_output_fp=None, max_memory=\n None, tmp_dir=tempfile.gettempdir()):\n if model_output_dir is None:\n training_dir = tempfile.mkdtemp(prefix='RdpTrainer_', dir=tmp_dir)\n else:\n training_dir = model_output_dir\n training_results = train_rdp_classifier(training_seqs_file,\n taxonomy_file, training_dir, max_memory=max_memory, tmp_dir=tmp_dir)\n training_data_fp = training_results['properties'].name\n assignment_results = assign_taxonomy(seqs_to_classify, min_confidence=\n min_confidence, output_fp=classification_output_fp,\n training_data_fp=training_data_fp, max_memory=max_memory, fixrank=\n False, tmp_dir=tmp_dir)\n if model_output_dir is None:\n try:\n rmtree(training_dir)\n except OSError:\n msg = 'Temporary training directory %s not removed' % training_dir\n if os.path.isdir(training_dir):\n training_dir_files = os.listdir(training_dir)\n msg += '\\nDetected files %s' % training_dir_files\n warnings.warn(msg, RuntimeWarning)\n return assignment_results\n",
"role": "user"
},
{
"content": "train_rdp_classifier_and_assign_taxonomy",
"role": "assistant"
}
] |
def x(line):
toks = line.strip().split('\t')
seq_id = toks.pop(0)
direction = toks.pop(0)
if len(toks) % 3 != 0:
raise ValueError(
'Expected assignments in a repeating series of (rank, name, confidence), received %s'
% toks)
assignments = []
itoks = iter(toks)
for taxon, rank, confidence_str in zip(itoks, itoks, itoks):
if not taxon:
continue
assignments.append((taxon.strip('"'), rank, float(confidence_str)))
return seq_id, direction, assignments
| parse_rdp_assignment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n toks = line.strip().split('\\t')\n seq_id = toks.pop(0)\n direction = toks.pop(0)\n if len(toks) % 3 != 0:\n raise ValueError(\n 'Expected assignments in a repeating series of (rank, name, confidence), received %s'\n % toks)\n assignments = []\n itoks = iter(toks)\n for taxon, rank, confidence_str in zip(itoks, itoks, itoks):\n if not taxon:\n continue\n assignments.append((taxon.strip('\"'), rank, float(confidence_str)))\n return seq_id, direction, assignments\n",
"role": "user"
},
{
"content": "parse_rdp_assignment",
"role": "assistant"
}
] |
def x(self, params):
if not (os.path.exists('java') or which('java')):
raise ApplicationNotFoundError(
'Cannot find java runtime. Is it installed? Is it in your path?')
jar_fp = self._get_jar_fp()
if jar_fp is None:
raise ApplicationNotFoundError(
'JAR file not found in current directory and the RDP_JAR_PATH environment variable is not set. Please set RDP_JAR_PATH to the full pathname of the JAR file.'
)
if not os.path.exists(jar_fp):
raise ApplicationNotFoundError('JAR file %s does not exist.' % jar_fp)
| error_on_missing_application | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params):\n if not (os.path.exists('java') or which('java')):\n raise ApplicationNotFoundError(\n 'Cannot find java runtime. Is it installed? Is it in your path?')\n jar_fp = self._get_jar_fp()\n if jar_fp is None:\n raise ApplicationNotFoundError(\n 'JAR file not found in current directory and the RDP_JAR_PATH environment variable is not set. Please set RDP_JAR_PATH to the full pathname of the JAR file.'\n )\n if not os.path.exists(jar_fp):\n raise ApplicationNotFoundError('JAR file %s does not exist.' % jar_fp)\n",
"role": "user"
},
{
"content": "error_on_missing_application",
"role": "assistant"
}
] |
def x(self):
if os.path.exists(self._command):
return self._command
elif 'RDP_JAR_PATH' in environ:
return getenv('RDP_JAR_PATH')
else:
return None
| get_jar_fp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.exists(self._command):\n return self._command\n elif 'RDP_JAR_PATH' in environ:\n return getenv('RDP_JAR_PATH')\n else:\n return None\n",
"role": "user"
},
{
"content": "get_jar_fp",
"role": "assistant"
}
] |
def x(self):
cd_command = ''.join(['cd ', str(self.WorkingDir), ';'])
jvm_command = 'java'
jvm_arguments = self._commandline_join([self.Parameters[k] for k in
self._jvm_parameters])
jar_arguments = '-jar "%s"' % self._get_jar_fp()
rdp_arguments = self._commandline_join([self.Parameters[k] for k in
self._options])
command_parts = [cd_command, jvm_command, jvm_arguments, jar_arguments,
rdp_arguments, '-q']
return self._commandline_join(command_parts).strip()
| get_base_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cd_command = ''.join(['cd ', str(self.WorkingDir), ';'])\n jvm_command = 'java'\n jvm_arguments = self._commandline_join([self.Parameters[k] for k in\n self._jvm_parameters])\n jar_arguments = '-jar \"%s\"' % self._get_jar_fp()\n rdp_arguments = self._commandline_join([self.Parameters[k] for k in\n self._options])\n command_parts = [cd_command, jvm_command, jvm_arguments, jar_arguments,\n rdp_arguments, '-q']\n return self._commandline_join(command_parts).strip()\n",
"role": "user"
},
{
"content": "get_base_command",
"role": "assistant"
}
] |
def x(self, tokens):
commands = filter(None, map(str, tokens))
return self._command_delimiter.join(commands).strip()
| commandline_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tokens):\n commands = filter(None, map(str, tokens))\n return self._command_delimiter.join(commands).strip()\n",
"role": "user"
},
{
"content": "commandline_join",
"role": "assistant"
}
] |
def x(self, data):
assignment_fp = str(self.Parameters['-o'].Value).strip('"')
if not os.path.isabs(assignment_fp):
assignment_fp = os.path.relpath(assignment_fp, self.WorkingDir)
return {'Assignments': ResultPath(assignment_fp, IsWritten=True)}
| get_result_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n assignment_fp = str(self.Parameters['-o'].Value).strip('\"')\n if not os.path.isabs(assignment_fp):\n assignment_fp = os.path.relpath(assignment_fp, self.WorkingDir)\n return {'Assignments': ResultPath(assignment_fp, IsWritten=True)}\n",
"role": "user"
},
{
"content": "get_result_paths",
"role": "assistant"
}
] |
def x(self):
cd_command = ''.join(['cd ', str(self.WorkingDir), ';'])
jvm_command = 'java'
jvm_args = self._commandline_join([self.Parameters[k] for k in self.
_jvm_parameters])
cp_args = '-cp "%s" %s' % (self._get_jar_fp(), self.TrainingClass)
command_parts = [cd_command, jvm_command, jvm_args, cp_args]
return self._commandline_join(command_parts).strip()
| get_base_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cd_command = ''.join(['cd ', str(self.WorkingDir), ';'])\n jvm_command = 'java'\n jvm_args = self._commandline_join([self.Parameters[k] for k in self.\n _jvm_parameters])\n cp_args = '-cp \"%s\" %s' % (self._get_jar_fp(), self.TrainingClass)\n command_parts = [cd_command, jvm_command, jvm_args, cp_args]\n return self._commandline_join(command_parts).strip()\n",
"role": "user"
},
{
"content": "get_base_command",
"role": "assistant"
}
] |
def x(self):
model_dir = self.Parameters['model_output_dir'].Value
absolute_model_dir = os.path.abspath(model_dir)
return FilePath(absolute_model_dir)
| ModelDir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n model_dir = self.Parameters['model_output_dir'].Value\n absolute_model_dir = os.path.abspath(model_dir)\n return FilePath(absolute_model_dir)\n",
"role": "user"
},
{
"content": "ModelDir",
"role": "assistant"
}
] |
def x(self, data):
input_handler = getattr(self, self.__InputHandler)
input_parts = [self.Parameters['taxonomy_file'], input_handler(data),
self.Parameters['training_set_id'], self.Parameters[
'taxonomy_version'], self.Parameters['modification_info'], self.
ModelDir]
return self._commandline_join(input_parts)
| input_handler_decorator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n input_handler = getattr(self, self.__InputHandler)\n input_parts = [self.Parameters['taxonomy_file'], input_handler(data),\n self.Parameters['training_set_id'], self.Parameters[\n 'taxonomy_version'], self.Parameters['modification_info'], self.\n ModelDir]\n return self._commandline_join(input_parts)\n",
"role": "user"
},
{
"content": "input_handler_decorator",
"role": "assistant"
}
] |
def x(self, output_dir):
self._write_properties_file()
properties_fp = os.path.join(self.ModelDir, self.PropertiesFile)
result_paths = {'properties': ResultPath(properties_fp, IsWritten=True)}
return result_paths
| get_result_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_dir):\n self._write_properties_file()\n properties_fp = os.path.join(self.ModelDir, self.PropertiesFile)\n result_paths = {'properties': ResultPath(properties_fp, IsWritten=True)}\n return result_paths\n",
"role": "user"
},
{
"content": "get_result_paths",
"role": "assistant"
}
] |
def x(self):
properties_fp = os.path.join(self.ModelDir, self.PropertiesFile)
properties_file = open(properties_fp, 'w')
properties_file.write(
"""# Sample ResourceBundle properties file
bergeyTree=bergeyTrainingTree.xml
probabilityList=genus_wordConditionalProbList.txt
probabilityIndex=wordConditionalProbIndexArr.txt
wordPrior=logWordPrior.txt
classifierVersion=Naive Bayesian rRNA Classifier Version 1.0, November 2003
"""
)
properties_file.close()
| write_properties_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n properties_fp = os.path.join(self.ModelDir, self.PropertiesFile)\n properties_file = open(properties_fp, 'w')\n properties_file.write(\n \"\"\"# Sample ResourceBundle properties file\nbergeyTree=bergeyTrainingTree.xml\nprobabilityList=genus_wordConditionalProbList.txt\nprobabilityIndex=wordConditionalProbIndexArr.txt\nwordPrior=logWordPrior.txt\nclassifierVersion=Naive Bayesian rRNA Classifier Version 1.0, November 2003\n\"\"\"\n )\n properties_file.close()\n",
"role": "user"
},
{
"content": "write_properties_file",
"role": "assistant"
}
] |
def x(self, hostname):
host = Host(self.session, name=hostname)
return host.delete()
| delete_old_host | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostname):\n host = Host(self.session, name=hostname)\n return host.delete()\n",
"role": "user"
},
{
"content": "delete_old_host",
"role": "assistant"
}
] |
def x(self, hostname, ipv4addr, comment=None):
host = Host(self.session, name=hostname)
if host.ipv4addrs:
host.ipv4addrs = []
host.add_ipv4addr(ipv4addr)
host.comment = comment
return host.save()
| add_new_host | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostname, ipv4addr, comment=None):\n host = Host(self.session, name=hostname)\n if host.ipv4addrs:\n host.ipv4addrs = []\n host.add_ipv4addr(ipv4addr)\n host.comment = comment\n return host.save()\n",
"role": "user"
},
{
"content": "add_new_host",
"role": "assistant"
}
] |
def x(seqs_fp, moltype=DNA, params=None, accurate=False):
app = Mafft(InputHandler='_input_as_path', params=params)
app.Parameters[MOLTYPE_MAP[moltype]].on()
app.Parameters['--quiet'].on()
if accurate:
app.Parameters['--globalpair'].on()
app.Parameters['--maxiterate'].Value = 1000
res = app(seqs_fp)
alignment = Alignment.read(res['StdOut'], constructor=moltype)
res.cleanUp()
return alignment
| align_unaligned_seqs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seqs_fp, moltype=DNA, params=None, accurate=False):\n app = Mafft(InputHandler='_input_as_path', params=params)\n app.Parameters[MOLTYPE_MAP[moltype]].on()\n app.Parameters['--quiet'].on()\n if accurate:\n app.Parameters['--globalpair'].on()\n app.Parameters['--maxiterate'].Value = 1000\n res = app(seqs_fp)\n alignment = Alignment.read(res['StdOut'], constructor=moltype)\n res.cleanUp()\n return alignment\n",
"role": "user"
},
{
"content": "align_unaligned_seqs",
"role": "assistant"
}
] |
def x(seqs_fp, aln_fp, moltype=DNA, params=None, accurate=False):
if params is None:
params = {'--seed': aln_fp}
else:
params['--seed'] = aln_fp
return align_unaligned_seqs(seqs_fp, moltype, params, accurate)
| add_seqs_to_alignment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seqs_fp, aln_fp, moltype=DNA, params=None, accurate=False):\n if params is None:\n params = {'--seed': aln_fp}\n else:\n params['--seed'] = aln_fp\n return align_unaligned_seqs(seqs_fp, moltype, params, accurate)\n",
"role": "user"
},
{
"content": "add_seqs_to_alignment",
"role": "assistant"
}
] |
def x(aln1_fp, aln2_fp, moltype, params=None):
app = Mafft(InputHandler='_input_as_paths', params=params,
SuppressStderr=False)
app._command = 'mafft-profile'
res = app([aln1_fp, aln2_fp])
return Alignment.read(res['StdOut'], constructor=moltype)
| align_two_alignments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aln1_fp, aln2_fp, moltype, params=None):\n app = Mafft(InputHandler='_input_as_paths', params=params,\n SuppressStderr=False)\n app._command = 'mafft-profile'\n res = app([aln1_fp, aln2_fp])\n return Alignment.read(res['StdOut'], constructor=moltype)\n",
"role": "user"
},
{
"content": "align_two_alignments",
"role": "assistant"
}
] |
def x(self, data):
lines = []
for i, s in enumerate(data):
lines.append(''.join(['>', str(i + 1)]))
lines.append(s)
return self._input_as_lines(lines)
| input_as_seqs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n lines = []\n for i, s in enumerate(data):\n lines.append(''.join(['>', str(i + 1)]))\n lines.append(s)\n return self._input_as_lines(lines)\n",
"role": "user"
},
{
"content": "input_as_seqs",
"role": "assistant"
}
] |
def x(cls, config, name, section_key='segmenters'):
section = config[section_key][name]
segmenter_class_path = section['class']
Segmenter = yamlconf.import_module(segmenter_class_path)
return Segmenter.from_config(config, name, section_key=section_key)
| from_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, config, name, section_key='segmenters'):\n section = config[section_key][name]\n segmenter_class_path = section['class']\n Segmenter = yamlconf.import_module(segmenter_class_path)\n return Segmenter.from_config(config, name, section_key=section_key)\n",
"role": "user"
},
{
"content": "from_config",
"role": "assistant"
}
] |
def x(length):
return escape.to_unicode(binascii.hexlify(os.urandom(length))[length:])
| random_hex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length):\n return escape.to_unicode(binascii.hexlify(os.urandom(length))[length:])\n",
"role": "user"
},
{
"content": "random_hex",
"role": "assistant"
}
] |
def x(password, password_salt=None):
password_salt = password_salt or oz.settings['session_salt']
salted_password = password_salt + password
return 'sha256!%s' % hashlib.sha256(salted_password.encode('utf-8')
).hexdigest()
| password_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(password, password_salt=None):\n password_salt = password_salt or oz.settings['session_salt']\n salted_password = password_salt + password\n return 'sha256!%s' % hashlib.sha256(salted_password.encode('utf-8')\n ).hexdigest()\n",
"role": "user"
},
{
"content": "password_hash",
"role": "assistant"
}
] |
def x(func, a, b, xtol=1e-12, maxiter=100):
fa = func(a)
if fa == 0.0:
return a
fb = func(b)
if fb == 0.0:
return b
assert sign(fa) != sign(fb)
for i in xrange(maxiter):
c = (a + b) / 2.0
fc = func(c)
if fc == 0.0 or abs(b - a) / 2.0 < xtol:
return c
if sign(fc) == sign(func(a)):
a = c
else:
b = c
else:
raise RuntimeError('Failed to converge after %d iterations.' % maxiter)
| bisect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, a, b, xtol=1e-12, maxiter=100):\n fa = func(a)\n if fa == 0.0:\n return a\n fb = func(b)\n if fb == 0.0:\n return b\n assert sign(fa) != sign(fb)\n for i in xrange(maxiter):\n c = (a + b) / 2.0\n fc = func(c)\n if fc == 0.0 or abs(b - a) / 2.0 < xtol:\n return c\n if sign(fc) == sign(func(a)):\n a = c\n else:\n b = c\n else:\n raise RuntimeError('Failed to converge after %d iterations.' % maxiter)\n",
"role": "user"
},
{
"content": "bisect",
"role": "assistant"
}
] |
def x(s):
matched_obj = SPLIT_URL_RE.match(s)
if not matched_obj:
raise URLParseException('Invalid Resource URL: "%s"' % s)
url_string, arguments_string = matched_obj.groups()
args_as_strings = URL_ARGUMENTS_RE.findall(arguments_string)
args = []
kwargs = {}
for arg_string in args_as_strings:
kwarg_match = ARG_RE.match(arg_string)
if kwarg_match:
key, value = kwarg_match.groups()
kwargs[key.strip()] = value.strip()
else:
args.append(arg_string.strip())
if not SCHEME_RE.match(url_string):
url_string = '%s://%s' % (DEFAULT_SCHEME, url_string)
return url_string.strip(), args, kwargs
| parse_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n matched_obj = SPLIT_URL_RE.match(s)\n if not matched_obj:\n raise URLParseException('Invalid Resource URL: \"%s\"' % s)\n url_string, arguments_string = matched_obj.groups()\n args_as_strings = URL_ARGUMENTS_RE.findall(arguments_string)\n args = []\n kwargs = {}\n for arg_string in args_as_strings:\n kwarg_match = ARG_RE.match(arg_string)\n if kwarg_match:\n key, value = kwarg_match.groups()\n kwargs[key.strip()] = value.strip()\n else:\n args.append(arg_string.strip())\n if not SCHEME_RE.match(url_string):\n url_string = '%s://%s' % (DEFAULT_SCHEME, url_string)\n return url_string.strip(), args, kwargs\n",
"role": "user"
},
{
"content": "parse_string",
"role": "assistant"
}
] |
def x(experiment):
redis = oz.redis.create_connection()
oz.bandit.add_experiment(redis, experiment)
| add_experiment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(experiment):\n redis = oz.redis.create_connection()\n oz.bandit.add_experiment(redis, experiment)\n",
"role": "user"
},
{
"content": "add_experiment",
"role": "assistant"
}
] |
def x(experiment):
redis = oz.redis.create_connection()
oz.bandit.Experiment(redis, experiment).archive()
| archive_experiment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(experiment):\n redis = oz.redis.create_connection()\n oz.bandit.Experiment(redis, experiment).archive()\n",
"role": "user"
},
{
"content": "archive_experiment",
"role": "assistant"
}
] |
def x(experiment, choice):
redis = oz.redis.create_connection()
oz.bandit.Experiment(redis, experiment).add_choice(choice)
| add_experiment_choice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(experiment, choice):\n redis = oz.redis.create_connection()\n oz.bandit.Experiment(redis, experiment).add_choice(choice)\n",
"role": "user"
},
{
"content": "add_experiment_choice",
"role": "assistant"
}
] |
def x(experiment, choice):
redis = oz.redis.create_connection()
oz.bandit.Experiment(redis, experiment).remove_choice(choice)
| remove_experiment_choice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(experiment, choice):\n redis = oz.redis.create_connection()\n oz.bandit.Experiment(redis, experiment).remove_choice(choice)\n",
"role": "user"
},
{
"content": "remove_experiment_choice",
"role": "assistant"
}
] |
def x():
redis = oz.redis.create_connection()
for experiment in oz.bandit.get_experiments(redis):
experiment.compute_default_choice()
csq, confident = experiment.confidence()
print('%s:' % experiment.name)
print('- creation date: %s' % experiment.metadata['creation_date'])
print('- default choice: %s' % experiment.default_choice)
print('- chi squared: %s' % csq)
print('- confident: %s' % confident)
print('- choices:')
for choice in experiment.choices:
print(' - %s: plays=%s, rewards=%s, performance=%s' % (choice.
name, choice.plays, choice.rewards, choice.performance))
| get_experiment_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n redis = oz.redis.create_connection()\n for experiment in oz.bandit.get_experiments(redis):\n experiment.compute_default_choice()\n csq, confident = experiment.confidence()\n print('%s:' % experiment.name)\n print('- creation date: %s' % experiment.metadata['creation_date'])\n print('- default choice: %s' % experiment.default_choice)\n print('- chi squared: %s' % csq)\n print('- confident: %s' % confident)\n print('- choices:')\n for choice in experiment.choices:\n print(' - %s: plays=%s, rewards=%s, performance=%s' % (choice.\n name, choice.plays, choice.rewards, choice.performance))\n",
"role": "user"
},
{
"content": "get_experiment_results",
"role": "assistant"
}
] |
def x(filename):
redis = oz.redis.create_connection()
with open(filename, 'r') as f:
schema = escape.json_decode(f.read())
oz.bandit.sync_from_spec(redis, schema)
| sync_experiments_from_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n redis = oz.redis.create_connection()\n with open(filename, 'r') as f:\n schema = escape.json_decode(f.read())\n oz.bandit.sync_from_spec(redis, schema)\n",
"role": "user"
},
{
"content": "sync_experiments_from_spec",
"role": "assistant"
}
] |
def x(self, title):
chap_id = 'chap%s' % self.chap_counter
self.chap_counter += 1
self.sidebar += '<a href="#%s" class="list-group-item">%s</a>\n' % (chap_id
, title)
self.body += '<h1 id="%s">%s</h1>\n' % (chap_id, title)
| add_chapter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title):\n chap_id = 'chap%s' % self.chap_counter\n self.chap_counter += 1\n self.sidebar += '<a href=\"#%s\" class=\"list-group-item\">%s</a>\\n' % (chap_id\n , title)\n self.body += '<h1 id=\"%s\">%s</h1>\\n' % (chap_id, title)\n",
"role": "user"
},
{
"content": "add_chapter",
"role": "assistant"
}
] |
def x(self, figure, dpi=72):
name = os.path.join(self._dir, '/fig%s.png' % self.fig_counter)
self.fig_counter += 1
figure.savefig(name, dpi=dpi)
plt.close(figure)
self.body += '<img src="%s" />\n' % name
| add_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, figure, dpi=72):\n name = os.path.join(self._dir, '/fig%s.png' % self.fig_counter)\n self.fig_counter += 1\n figure.savefig(name, dpi=dpi)\n plt.close(figure)\n self.body += '<img src=\"%s\" />\\n' % name\n",
"role": "user"
},
{
"content": "add_image",
"role": "assistant"
}
] |
def x(self, force=False):
path = self.title + '.html'
value = self._template.format(title=self.title, body=self.body, sidebar
=self.sidebar)
write_file(path, value, force=force)
plt.ion()
| write_report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force=False):\n path = self.title + '.html'\n value = self._template.format(title=self.title, body=self.body, sidebar\n =self.sidebar)\n write_file(path, value, force=force)\n plt.ion()\n",
"role": "user"
},
{
"content": "write_report",
"role": "assistant"
}
] |
def x(dbname, var, resolution=None, tscale=None):
db_cfg = {}
cfg_dir = 'datasource'
cfg_files = pkg_resources.resource_listdir('oceansdb', cfg_dir)
cfg_files = [f for f in cfg_files if f[-5:] == '.json']
for src_cfg in cfg_files:
text = pkg_resources.resource_string('oceansdb', os.path.join(
cfg_dir, src_cfg))
text = text.decode('UTF-8', 'replace')
cfg = json.loads(text)
for c in cfg:
assert c not in db_cfg, 'Trying to overwrite %s'
db_cfg[c] = cfg[c]
dbpath = oceansdb_dir()
datafiles = []
cfg = db_cfg[dbname]
if resolution is None:
resolution = cfg['vars'][var]['default_resolution']
if tscale is None:
tscale = cfg['vars'][var][resolution]['default_tscale']
for c in cfg['vars'][var][resolution][tscale]:
download_file(outputdir=dbpath, **c)
if 'filename' in c:
filename = os.path.join(dbpath, c['filename'])
else:
filename = os.path.join(dbpath, os.path.basename(urlparse(c[
'url']).path))
if 'varnames' in cfg['vars'][var][resolution]:
datafiles.append(Dataset_flex(filename, aliases=cfg['vars'][var
][resolution]['varnames']))
else:
datafiles.append(Dataset_flex(filename))
return datafiles
| dbsource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbname, var, resolution=None, tscale=None):\n db_cfg = {}\n cfg_dir = 'datasource'\n cfg_files = pkg_resources.resource_listdir('oceansdb', cfg_dir)\n cfg_files = [f for f in cfg_files if f[-5:] == '.json']\n for src_cfg in cfg_files:\n text = pkg_resources.resource_string('oceansdb', os.path.join(\n cfg_dir, src_cfg))\n text = text.decode('UTF-8', 'replace')\n cfg = json.loads(text)\n for c in cfg:\n assert c not in db_cfg, 'Trying to overwrite %s'\n db_cfg[c] = cfg[c]\n dbpath = oceansdb_dir()\n datafiles = []\n cfg = db_cfg[dbname]\n if resolution is None:\n resolution = cfg['vars'][var]['default_resolution']\n if tscale is None:\n tscale = cfg['vars'][var][resolution]['default_tscale']\n for c in cfg['vars'][var][resolution][tscale]:\n download_file(outputdir=dbpath, **c)\n if 'filename' in c:\n filename = os.path.join(dbpath, c['filename'])\n else:\n filename = os.path.join(dbpath, os.path.basename(urlparse(c[\n 'url']).path))\n if 'varnames' in cfg['vars'][var][resolution]:\n datafiles.append(Dataset_flex(filename, aliases=cfg['vars'][var\n ][resolution]['varnames']))\n else:\n datafiles.append(Dataset_flex(filename))\n return datafiles\n",
"role": "user"
},
{
"content": "dbsource",
"role": "assistant"
}
] |
def x(a, b):
a, b = list(a), list(b)
opcodes = SM(None, a, b).get_opcodes()
return parse_opcodes(opcodes)
| diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a, b = list(a), list(b)\n opcodes = SM(None, a, b).get_opcodes()\n return parse_opcodes(opcodes)\n",
"role": "user"
},
{
"content": "diff",
"role": "assistant"
}
] |
async def convert_endpoint(url_string, ts, is_just_checking):
"""
Main logic for HTTP endpoint.
"""
response = singletons.server.response
singletons.settings
foreign_res = ForeignResource(url_string)
target_ts = TypeString(ts)
target_resource = TypedResource(url_string, target_ts)
if target_resource.cache_exists():
if is_just_checking:
return _just_checking_response(True, target_resource)
return await response.file(target_resource.cache_path, headers={
'Content-Type': target_ts.mimetype})
if not foreign_res.cache_exists():
singletons.workers.enqueue_download(foreign_res)
singletons.workers.enqueue_sync(enqueue_conversion_path, url_string,
str(target_ts), singletons.workers.enqueue_convert)
if is_just_checking:
return _just_checking_response(False, target_resource)
return singletons.placeholders.stream_response(target_ts, response)
| convert_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def convert_endpoint(url_string, ts, is_just_checking):\n \"\"\"\n Main logic for HTTP endpoint.\n \"\"\"\n response = singletons.server.response\n singletons.settings\n foreign_res = ForeignResource(url_string)\n target_ts = TypeString(ts)\n target_resource = TypedResource(url_string, target_ts)\n if target_resource.cache_exists():\n if is_just_checking:\n return _just_checking_response(True, target_resource)\n return await response.file(target_resource.cache_path, headers={\n 'Content-Type': target_ts.mimetype})\n if not foreign_res.cache_exists():\n singletons.workers.enqueue_download(foreign_res)\n singletons.workers.enqueue_sync(enqueue_conversion_path, url_string,\n str(target_ts), singletons.workers.enqueue_convert)\n if is_just_checking:\n return _just_checking_response(False, target_resource)\n return singletons.placeholders.stream_response(target_ts, response)\n",
"role": "user"
},
{
"content": "convert_endpoint",
"role": "assistant"
}
] |
def x(command_list, in_path, out_path, args):
replacements = {'$IN': in_path, '$OUT': out_path}
for i, arg in enumerate(args):
replacements['$' + str(i)] = arg
results = [replacements.get(arg, arg) for arg in command_list]
return [item for item in results if item]
| apply_command_list_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command_list, in_path, out_path, args):\n replacements = {'$IN': in_path, '$OUT': out_path}\n for i, arg in enumerate(args):\n replacements['$' + str(i)] = arg\n results = [replacements.get(arg, arg) for arg in command_list]\n return [item for item in results if item]\n",
"role": "user"
},
{
"content": "apply_command_list_template",
"role": "assistant"
}
] |
async def convert_local(path, to_type):
"""
Given an absolute path to a local file, convert to a given to_type
"""
typed_foreign_res = TypedLocalResource(path)
original_ts = typed_foreign_res.typestring
conversion_path = singletons.converter_graph.find_path(original_ts, to_type
)
for is_first, is_last, path_step in first_last_iterator(conversion_path):
converter_class, from_ts, to_ts = path_step
converter = converter_class()
in_resource = TypedLocalResource(path, from_ts)
if is_first:
in_resource = typed_foreign_res
out_resource = TypedLocalResource(path, to_ts)
if is_last:
out_resource = TypedPathedLocalResource(path, to_ts)
await converter.convert(in_resource, out_resource)
| convert_local | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def convert_local(path, to_type):\n \"\"\"\n Given an absolute path to a local file, convert to a given to_type\n \"\"\"\n typed_foreign_res = TypedLocalResource(path)\n original_ts = typed_foreign_res.typestring\n conversion_path = singletons.converter_graph.find_path(original_ts, to_type\n )\n for is_first, is_last, path_step in first_last_iterator(conversion_path):\n converter_class, from_ts, to_ts = path_step\n converter = converter_class()\n in_resource = TypedLocalResource(path, from_ts)\n if is_first:\n in_resource = typed_foreign_res\n out_resource = TypedLocalResource(path, to_ts)\n if is_last:\n out_resource = TypedPathedLocalResource(path, to_ts)\n await converter.convert(in_resource, out_resource)\n",
"role": "user"
},
{
"content": "convert_local",
"role": "assistant"
}
] |
def x(url_string, to_type, enqueue_convert):
target_ts = TypeString(to_type)
foreign_res = ForeignResource(url_string)
typed_foreign_res = foreign_res.guess_typed()
if not typed_foreign_res.cache_exists():
typed_foreign_res.symlink_from(foreign_res)
original_ts = typed_foreign_res.typestring
path = singletons.converter_graph.find_path(original_ts, target_ts)
is_first = True
for converter_class, from_ts, to_ts in path:
converter = converter_class()
in_resource = TypedResource(url_string, from_ts)
if is_first:
in_resource = TypedForeignResource(url_string, from_ts)
out_resource = TypedResource(url_string, to_ts)
enqueue_convert(converter, in_resource, out_resource)
is_first = False
| enqueue_conversion_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url_string, to_type, enqueue_convert):\n target_ts = TypeString(to_type)\n foreign_res = ForeignResource(url_string)\n typed_foreign_res = foreign_res.guess_typed()\n if not typed_foreign_res.cache_exists():\n typed_foreign_res.symlink_from(foreign_res)\n original_ts = typed_foreign_res.typestring\n path = singletons.converter_graph.find_path(original_ts, target_ts)\n is_first = True\n for converter_class, from_ts, to_ts in path:\n converter = converter_class()\n in_resource = TypedResource(url_string, from_ts)\n if is_first:\n in_resource = TypedForeignResource(url_string, from_ts)\n out_resource = TypedResource(url_string, to_ts)\n enqueue_convert(converter, in_resource, out_resource)\n is_first = False\n",
"role": "user"
},
{
"content": "enqueue_conversion_path",
"role": "assistant"
}
] |
def x(path, otherwise):
if os.path.exists(path):
print("WARNING: Path '%s' already exists; skipping" % path)
else:
otherwise(path)
| check_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, otherwise):\n if os.path.exists(path):\n print(\"WARNING: Path '%s' already exists; skipping\" % path)\n else:\n otherwise(path)\n",
"role": "user"
},
{
"content": "check_path",
"role": "assistant"
}
] |
def x(project_name, path):
with open(skeleton_path('config.py'), 'r') as config_source:
config_content = config_source.read()
config_content = config_content.replace('__PROJECT_NAME__', project_name)
with open(path, 'w') as config_dest:
config_dest.write(config_content)
| config_maker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_name, path):\n with open(skeleton_path('config.py'), 'r') as config_source:\n config_content = config_source.read()\n config_content = config_content.replace('__PROJECT_NAME__', project_name)\n with open(path, 'w') as config_dest:\n config_dest.write(config_content)\n",
"role": "user"
},
{
"content": "config_maker",
"role": "assistant"
}
] |
def x(parts):
return os.path.join(os.path.dirname(oz.__file__), 'skeleton', parts)
| skeleton_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parts):\n return os.path.join(os.path.dirname(oz.__file__), 'skeleton', parts)\n",
"role": "user"
},
{
"content": "skeleton_path",
"role": "assistant"
}
] |
def x(project_name):
if not VALID_PROJECT_NAME.match(project_name):
print(
'Invalid project name. It may only contain letters, numbers and underscores.'
, file=sys.stderr)
return
check_path(project_name, functools.partial(shutil.copytree,
skeleton_path('plugin')))
check_path('static', os.mkdir)
check_path('templates', os.mkdir)
check_path('config.py', functools.partial(config_maker, project_name))
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project_name):\n if not VALID_PROJECT_NAME.match(project_name):\n print(\n 'Invalid project name. It may only contain letters, numbers and underscores.'\n , file=sys.stderr)\n return\n check_path(project_name, functools.partial(shutil.copytree,\n skeleton_path('plugin')))\n check_path('static', os.mkdir)\n check_path('templates', os.mkdir)\n check_path('config.py', functools.partial(config_maker, project_name))\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x():
tornado.log.enable_pretty_logging()
server_type = oz.settings['server_type']
if server_type not in [None, 'wsgi', 'asyncio', 'twisted']:
raise Exception('Unknown server type: %s' % server_type)
if server_type == 'asyncio':
from tornado.platform.asyncio import AsyncIOMainLoop
AsyncIOMainLoop().install()
elif server_type == 'twisted':
from tornado.platform.twisted import TwistedIOLoop
TwistedIOLoop().install()
if server_type == 'wsgi':
wsgi_app = tornado.wsgi.WSGIApplication(oz._routes, **oz.settings)
wsgi_srv = wsgiref.simple_server.make_server('', oz.settings['port'
], wsgi_app)
wsgi_srv.serve_forever()
else:
web_app = tornado.web.Application(oz._routes, **oz.settings)
if oz.settings['ssl_cert_file'] != None and oz.settings['ssl_key_file'
] != None:
ssl_options = {'certfile': oz.settings['ssl_cert_file'],
'keyfile': oz.settings['ssl_key_file'], 'cert_reqs': oz.
settings['ssl_cert_reqs'], 'ca_certs': oz.settings[
'ssl_ca_certs']}
else:
ssl_options = None
http_srv = tornado.httpserver.HTTPServer(web_app, ssl_options=
ssl_options, body_timeout=oz.settings['body_timeout'], xheaders
=oz.settings['xheaders'])
http_srv.bind(oz.settings['port'])
server_workers = oz.settings['server_workers']
if server_workers > 1:
if oz.settings['debug']:
print(
'WARNING: Debug is enabled, but multiple server workers have been configured. Only one server worker can run in debug mode.'
)
server_workers = 1
elif server_type == 'asyncio' or server_type == 'twisted':
print(
'WARNING: A non-default server type is being used, but multiple server workers have been configured. Only one server worker can run on a non-default server type.'
)
server_workers = 1
http_srv.start(server_workers)
if oz.settings.get('use_graceful_shutdown'):
if server_type == 'asyncio' or server_type == 'twisted':
print(
'WARNING: Cannot enable graceful shutdown for asyncio or twisted server types.'
)
else:
signal.signal(signal.SIGTERM, functools.partial(
_shutdown_tornado_ioloop, http_srv))
signal.signal(signal.SIGINT, functools.partial(
_shutdown_tornado_ioloop, http_srv))
if server_type == 'asyncio':
import asyncio
asyncio.get_event_loop().run_forever()
elif server_type == 'twisted':
from twisted.internet import reactor
reactor.run()
else:
from tornado import ioloop
ioloop.IOLoop.instance().start()
| server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n tornado.log.enable_pretty_logging()\n server_type = oz.settings['server_type']\n if server_type not in [None, 'wsgi', 'asyncio', 'twisted']:\n raise Exception('Unknown server type: %s' % server_type)\n if server_type == 'asyncio':\n from tornado.platform.asyncio import AsyncIOMainLoop\n AsyncIOMainLoop().install()\n elif server_type == 'twisted':\n from tornado.platform.twisted import TwistedIOLoop\n TwistedIOLoop().install()\n if server_type == 'wsgi':\n wsgi_app = tornado.wsgi.WSGIApplication(oz._routes, **oz.settings)\n wsgi_srv = wsgiref.simple_server.make_server('', oz.settings['port'\n ], wsgi_app)\n wsgi_srv.serve_forever()\n else:\n web_app = tornado.web.Application(oz._routes, **oz.settings)\n if oz.settings['ssl_cert_file'] != None and oz.settings['ssl_key_file'\n ] != None:\n ssl_options = {'certfile': oz.settings['ssl_cert_file'],\n 'keyfile': oz.settings['ssl_key_file'], 'cert_reqs': oz.\n settings['ssl_cert_reqs'], 'ca_certs': oz.settings[\n 'ssl_ca_certs']}\n else:\n ssl_options = None\n http_srv = tornado.httpserver.HTTPServer(web_app, ssl_options=\n ssl_options, body_timeout=oz.settings['body_timeout'], xheaders\n =oz.settings['xheaders'])\n http_srv.bind(oz.settings['port'])\n server_workers = oz.settings['server_workers']\n if server_workers > 1:\n if oz.settings['debug']:\n print(\n 'WARNING: Debug is enabled, but multiple server workers have been configured. Only one server worker can run in debug mode.'\n )\n server_workers = 1\n elif server_type == 'asyncio' or server_type == 'twisted':\n print(\n 'WARNING: A non-default server type is being used, but multiple server workers have been configured. Only one server worker can run on a non-default server type.'\n )\n server_workers = 1\n http_srv.start(server_workers)\n if oz.settings.get('use_graceful_shutdown'):\n if server_type == 'asyncio' or server_type == 'twisted':\n print(\n 'WARNING: Cannot enable graceful shutdown for asyncio or twisted server types.'\n )\n else:\n signal.signal(signal.SIGTERM, functools.partial(\n _shutdown_tornado_ioloop, http_srv))\n signal.signal(signal.SIGINT, functools.partial(\n _shutdown_tornado_ioloop, http_srv))\n if server_type == 'asyncio':\n import asyncio\n asyncio.get_event_loop().run_forever()\n elif server_type == 'twisted':\n from twisted.internet import reactor\n reactor.run()\n else:\n from tornado import ioloop\n ioloop.IOLoop.instance().start()\n",
"role": "user"
},
{
"content": "server",
"role": "assistant"
}
] |
def x():
try:
import IPython
except:
print(
'ERROR: IPython is not installed. Please install it to use the repl.'
, file=sys.stderr)
raise
IPython.embed(user_ns=dict(settings=oz.settings, actions=oz._actions,
uimodules=oz._uimodules, routes=oz._routes))
| repl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n import IPython\n except:\n print(\n 'ERROR: IPython is not installed. Please install it to use the repl.'\n , file=sys.stderr)\n raise\n IPython.embed(user_ns=dict(settings=oz.settings, actions=oz._actions,\n uimodules=oz._uimodules, routes=oz._routes))\n",
"role": "user"
},
{
"content": "repl",
"role": "assistant"
}
] |
def x(self, resource_url):
scheme = resource_url.parsed.scheme
if scheme in ('http', 'https', 'file'):
return _get_basename_based_on_url(resource_url)
elif scheme in ('git', 'git+https', 'git+http'):
if len(resource_url.args) == 2:
git_tree, subpath = resource_url.args
basename = os.path.basename(subpath)
if basename:
return basename
return _get_basename_based_on_url(resource_url)
| find_resource_url_basename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_url):\n scheme = resource_url.parsed.scheme\n if scheme in ('http', 'https', 'file'):\n return _get_basename_based_on_url(resource_url)\n elif scheme in ('git', 'git+https', 'git+http'):\n if len(resource_url.args) == 2:\n git_tree, subpath = resource_url.args\n basename = os.path.basename(subpath)\n if basename:\n return basename\n return _get_basename_based_on_url(resource_url)\n",
"role": "user"
},
{
"content": "find_resource_url_basename",
"role": "assistant"
}
] |
def x(self, resource_url):
resolvers = self.converters.values()
for resolver in resolvers:
if not hasattr(resolver, 'get_destination_type'):
continue
destination_type = resolver.get_destination_type(resource_url)
if destination_type:
return destination_type
| find_destination_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_url):\n resolvers = self.converters.values()\n for resolver in resolvers:\n if not hasattr(resolver, 'get_destination_type'):\n continue\n destination_type = resolver.get_destination_type(resource_url)\n if destination_type:\n return destination_type\n",
"role": "user"
},
{
"content": "find_destination_type",
"role": "assistant"
}
] |
async def download(self, resource_url):
"""
Download given Resource URL by finding path through graph and applying
each step
"""
resolver_path = self.find_path_from_url(resource_url)
await self.apply_resolver_path(resource_url, resolver_path)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def download(self, resource_url):\n \"\"\"\n Download given Resource URL by finding path through graph and applying\n each step\n \"\"\"\n resolver_path = self.find_path_from_url(resource_url)\n await self.apply_resolver_path(resource_url, resolver_path)\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(aln, moltype, params={}):
new_aln = get_align_for_phylip(StringIO(aln))
aln2 = Alignment(new_aln)
seqs = aln2.toFasta()
parsinsert_app = ParsInsert(params=params)
result = parsinsert_app(seqs)
tree = DndParser(result['Tree'].read(), constructor=PhyloNode)
result.cleanUp()
return tree
| insert_sequences_into_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aln, moltype, params={}):\n new_aln = get_align_for_phylip(StringIO(aln))\n aln2 = Alignment(new_aln)\n seqs = aln2.toFasta()\n parsinsert_app = ParsInsert(params=params)\n result = parsinsert_app(seqs)\n tree = DndParser(result['Tree'].read(), constructor=PhyloNode)\n result.cleanUp()\n return tree\n",
"role": "user"
},
{
"content": "insert_sequences_into_tree",
"role": "assistant"
}
] |
def x(self, data):
result = {}
result['Tree'] = ResultPath(Path=splitext(self._input_filename)[0] +
'.tree')
return result
| get_result_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n result = {}\n result['Tree'] = ResultPath(Path=splitext(self._input_filename)[0] +\n '.tree')\n return result\n",
"role": "user"
},
{
"content": "get_result_paths",
"role": "assistant"
}
] |
async def download(resource_url):
"""
Download given resource_url
"""
scheme = resource_url.parsed.scheme
if scheme in ('http', 'https'):
await download_http(resource_url)
elif scheme in ('git', 'git+https', 'git+http'):
await download_git(resource_url)
else:
raise ValueError('Unknown URL scheme: "%s"' % scheme)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def download(resource_url):\n \"\"\"\n Download given resource_url\n \"\"\"\n scheme = resource_url.parsed.scheme\n if scheme in ('http', 'https'):\n await download_http(resource_url)\n elif scheme in ('git', 'git+https', 'git+http'):\n await download_git(resource_url)\n else:\n raise ValueError('Unknown URL scheme: \"%s\"' % scheme)\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(self, dir_name):
if dir_name[0] == '/':
dir_name = dir_name[1:len(dir_name)]
self.url = ('http://<Region>.file.myqcloud.com' +
'/files/v2/<appid>/<bucket_name>/<dir_name>/')
self.url = self.url.replace('<Region>', self.config.region).replace(
'<appid>', str(self.config.app_id))
self.url = str(self.url).replace('<bucket_name>', self.config.bucket
).replace('<dir_name>', dir_name)
self.headers['Authorization'] = CosAuth(self.config).sign_more(self.
config.bucket, '', 30)
response, content = self.http.request(uri=self.url, method='POST', body
='{"op": "create", "biz_attr": ""}', headers=self.headers)
if eval(content.decode('utf8')).get('code') == 0:
return True
else:
return False
| create_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir_name):\n if dir_name[0] == '/':\n dir_name = dir_name[1:len(dir_name)]\n self.url = ('http://<Region>.file.myqcloud.com' +\n '/files/v2/<appid>/<bucket_name>/<dir_name>/')\n self.url = self.url.replace('<Region>', self.config.region).replace(\n '<appid>', str(self.config.app_id))\n self.url = str(self.url).replace('<bucket_name>', self.config.bucket\n ).replace('<dir_name>', dir_name)\n self.headers['Authorization'] = CosAuth(self.config).sign_more(self.\n config.bucket, '', 30)\n response, content = self.http.request(uri=self.url, method='POST', body\n ='{\"op\": \"create\", \"biz_attr\": \"\"}', headers=self.headers)\n if eval(content.decode('utf8')).get('code') == 0:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "create_folder",
"role": "assistant"
}
] |
def x(self, dir_name=None, prefix=None, num=1000, context=None):
if dir_name[0] == '/':
dir_name = dir_name[1:len(dir_name)]
self.url = (
'http://<Region>.file.myqcloud.com/files/v2/<appid>/<bucket_name>/')
self.url = self.url.replace('<Region>', self.config.region).replace(
'<appid>', str(self.config.app_id)).replace('<bucket_name>', self.
config.bucket)
if dir_name is not None:
self.url = self.url + str(dir_name) + '/'
if prefix is not None:
self.url = self.url + str(prefix)
self.url = self.url + '?op=list&num=' + str(num)
if context is not None:
self.url = self.url + '&context=' + str(context)
self.headers['Authorization'] = CosAuth(self.config).sign_more(self.
config.bucket, '', 30)
response, content = self.http.request(uri=self.url, method='GET',
headers=self.headers)
return content.decode('utf8')
| list_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir_name=None, prefix=None, num=1000, context=None):\n if dir_name[0] == '/':\n dir_name = dir_name[1:len(dir_name)]\n self.url = (\n 'http://<Region>.file.myqcloud.com/files/v2/<appid>/<bucket_name>/')\n self.url = self.url.replace('<Region>', self.config.region).replace(\n '<appid>', str(self.config.app_id)).replace('<bucket_name>', self.\n config.bucket)\n if dir_name is not None:\n self.url = self.url + str(dir_name) + '/'\n if prefix is not None:\n self.url = self.url + str(prefix)\n self.url = self.url + '?op=list&num=' + str(num)\n if context is not None:\n self.url = self.url + '&context=' + str(context)\n self.headers['Authorization'] = CosAuth(self.config).sign_more(self.\n config.bucket, '', 30)\n response, content = self.http.request(uri=self.url, method='GET',\n headers=self.headers)\n return content.decode('utf8')\n",
"role": "user"
},
{
"content": "list_folder",
"role": "assistant"
}
] |
def x(self, dir_name):
if dir_name[0] == '/':
dir_name = dir_name[1:len(dir_name)]
self.url = ('http://' + self.config.region + '.file.myqcloud.com' +
'/files/v2/' + str(self.config.app_id) + '/' + self.config.bucket +
'/' + dir_name + '/?op=stat')
self.headers['Authorization'] = CosAuth(self.config).sign_more(self.
config.bucket, '', 30)
reponse, content = self.http.request(uri=self.url, method='GET',
headers=self.headers)
return content.decode('utf8')
| query_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir_name):\n if dir_name[0] == '/':\n dir_name = dir_name[1:len(dir_name)]\n self.url = ('http://' + self.config.region + '.file.myqcloud.com' +\n '/files/v2/' + str(self.config.app_id) + '/' + self.config.bucket +\n '/' + dir_name + '/?op=stat')\n self.headers['Authorization'] = CosAuth(self.config).sign_more(self.\n config.bucket, '', 30)\n reponse, content = self.http.request(uri=self.url, method='GET',\n headers=self.headers)\n return content.decode('utf8')\n",
"role": "user"
},
{
"content": "query_folder",
"role": "assistant"
}
] |
def x(self, real_file_path, file_name, dir_name=None):
if dir_name is not None and dir_name[0] == '/':
dir_name = dir_name[1:len(dir_name)]
if dir_name is None:
dir_name = ''
self.url = ('http://' + self.config.region +
'.file.myqcloud.com/files/v2/' + str(self.config.app_id) + '/' +
self.config.bucket)
if dir_name is not None:
self.url = self.url + '/' + dir_name
self.url = self.url + '/' + file_name
headers = {}
headers['Authorization'] = CosAuth(self.config).sign_more(self.config.
bucket, '', 30)
files = {'file': ('', open(real_file_path, 'rb'))}
r = requests.post(url=self.url, data={'op': 'upload', 'biz_attr': '',
'insertOnly': '0'}, files={'filecontent': (real_file_path, open(
real_file_path, 'rb'), 'application/octet-stream')}, headers=headers)
return str(eval(r.content.decode('utf8')).get('data'))
| upload_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, real_file_path, file_name, dir_name=None):\n if dir_name is not None and dir_name[0] == '/':\n dir_name = dir_name[1:len(dir_name)]\n if dir_name is None:\n dir_name = ''\n self.url = ('http://' + self.config.region +\n '.file.myqcloud.com/files/v2/' + str(self.config.app_id) + '/' +\n self.config.bucket)\n if dir_name is not None:\n self.url = self.url + '/' + dir_name\n self.url = self.url + '/' + file_name\n headers = {}\n headers['Authorization'] = CosAuth(self.config).sign_more(self.config.\n bucket, '', 30)\n files = {'file': ('', open(real_file_path, 'rb'))}\n r = requests.post(url=self.url, data={'op': 'upload', 'biz_attr': '',\n 'insertOnly': '0'}, files={'filecontent': (real_file_path, open(\n real_file_path, 'rb'), 'application/octet-stream')}, headers=headers)\n return str(eval(r.content.decode('utf8')).get('data'))\n",
"role": "user"
},
{
"content": "upload_file",
"role": "assistant"
}
] |
def x(self, real_file_path, slice_size, file_name, offset=0, dir_name=None):
if dir_name is not None and dir_name[0] == '/':
dir_name = dir_name[1:len(dir_name)]
if dir_name is None:
dir_name = ''
self.url = ('http://' + self.config.region +
'.file.myqcloud.com/files/v2/' + str(self.config.app_id) + '/' +
self.config.bucket)
if dir_name is not None:
self.url = self.url + '/' + dir_name
self.url = self.url + '/' + file_name
file_size = os.path.getsize(real_file_path)
session = self._upload_slice_control(file_size=file_size, slice_size=
slice_size)
with open(real_file_path, 'rb') as local_file:
while offset < file_size:
file_content = local_file.read(slice_size)
self._upload_slice_data(filecontent=file_content, session=
session, offset=offset)
offset += slice_size
r = self._upload_slice_finish(session=session, file_size=file_size)
return r
| upload_slice_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, real_file_path, slice_size, file_name, offset=0, dir_name=None):\n if dir_name is not None and dir_name[0] == '/':\n dir_name = dir_name[1:len(dir_name)]\n if dir_name is None:\n dir_name = ''\n self.url = ('http://' + self.config.region +\n '.file.myqcloud.com/files/v2/' + str(self.config.app_id) + '/' +\n self.config.bucket)\n if dir_name is not None:\n self.url = self.url + '/' + dir_name\n self.url = self.url + '/' + file_name\n file_size = os.path.getsize(real_file_path)\n session = self._upload_slice_control(file_size=file_size, slice_size=\n slice_size)\n with open(real_file_path, 'rb') as local_file:\n while offset < file_size:\n file_content = local_file.read(slice_size)\n self._upload_slice_data(filecontent=file_content, session=\n session, offset=offset)\n offset += slice_size\n r = self._upload_slice_finish(session=session, file_size=file_size)\n return r\n",
"role": "user"
},
{
"content": "upload_slice_file",
"role": "assistant"
}
] |
def x(self, url, file_name, dir_name=None):
real_file_name = str(int(time.time() * 1000))
urllib.request.urlretrieve(url, real_file_name)
data = self.upload_file(real_file_name, file_name, dir_name)
os.remove(real_file_name)
return data
| upload_file_from_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, file_name, dir_name=None):\n real_file_name = str(int(time.time() * 1000))\n urllib.request.urlretrieve(url, real_file_name)\n data = self.upload_file(real_file_name, file_name, dir_name)\n os.remove(real_file_name)\n return data\n",
"role": "user"
},
{
"content": "upload_file_from_url",
"role": "assistant"
}
] |
def x(self, bucket, cos_path, expired):
return self.app_sign(bucket, cos_path, expired)
| sign_more | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, cos_path, expired):\n return self.app_sign(bucket, cos_path, expired)\n",
"role": "user"
},
{
"content": "sign_more",
"role": "assistant"
}
] |
def x(self, bucket, cos_path, expired):
return self.app_sign(bucket, cos_path, expired, False)
| sign_download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, cos_path, expired):\n return self.app_sign(bucket, cos_path, expired, False)\n",
"role": "user"
},
{
"content": "sign_download",
"role": "assistant"
}
] |
def x(self, target):
if isinstance(target, Alloy):
return IIIVZincBlendeStrained001(unstrained=self, substrate=target)
else:
return IIIVZincBlendeStrained001(unstrained=self,
strain_out_of_plane=target)
| strained_001 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n if isinstance(target, Alloy):\n return IIIVZincBlendeStrained001(unstrained=self, substrate=target)\n else:\n return IIIVZincBlendeStrained001(unstrained=self,\n strain_out_of_plane=target)\n",
"role": "user"
},
{
"content": "strained_001",
"role": "assistant"
}
] |
def x(self, **kwargs):
return min(self.Eg_Gamma(**kwargs), self.Eg_L(**kwargs), self.Eg_X(**
kwargs))
| Eg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n return min(self.Eg_Gamma(**kwargs), self.Eg_L(**kwargs), self.Eg_X(**\n kwargs))\n",
"role": "user"
},
{
"content": "Eg",
"role": "assistant"
}
] |
def x(self, **kwargs):
Eg = self.Eg_Gamma_0(**kwargs)
Delta_SO = self.Delta_SO(**kwargs)
Ep = self.Ep(**kwargs)
meff = self.meff_e_Gamma_0(**kwargs)
return (1.0 / meff - 1 - Ep * (Eg + 2.0 * Delta_SO / 3.0) / (Eg * (Eg +
Delta_SO))) / 2
| F | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n Eg = self.Eg_Gamma_0(**kwargs)\n Delta_SO = self.Delta_SO(**kwargs)\n Ep = self.Ep(**kwargs)\n meff = self.meff_e_Gamma_0(**kwargs)\n return (1.0 / meff - 1 - Ep * (Eg + 2.0 * Delta_SO / 3.0) / (Eg * (Eg +\n Delta_SO))) / 2\n",
"role": "user"
},
{
"content": "F",
"role": "assistant"
}
] |
def x(self, **kwargs):
T = kwargs.get('T', 300.0)
return self.a_300K(**kwargs) + self.thermal_expansion(**kwargs) * (T -
300.0)
| a | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n T = kwargs.get('T', 300.0)\n return self.a_300K(**kwargs) + self.thermal_expansion(**kwargs) * (T - \n 300.0)\n",
"role": "user"
},
{
"content": "a",
"role": "assistant"
}
] |
def x(self, **kwargs):
Eg = self.Eg_Gamma(**kwargs)
Delta_SO = self.Delta_SO(**kwargs)
Ep = self.Ep(**kwargs)
luttinger1 = self.luttinger1(**kwargs)
return 1.0 / (luttinger1 - Ep * Delta_SO / (3 * Eg * (Eg + Delta_SO)))
| meff_SO | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n Eg = self.Eg_Gamma(**kwargs)\n Delta_SO = self.Delta_SO(**kwargs)\n Ep = self.Ep(**kwargs)\n luttinger1 = self.luttinger1(**kwargs)\n return 1.0 / (luttinger1 - Ep * Delta_SO / (3 * Eg * (Eg + Delta_SO)))\n",
"role": "user"
},
{
"content": "meff_SO",
"role": "assistant"
}
] |
def x(self, **kwargs):
Eg = self.Eg_Gamma(**kwargs)
Delta_SO = self.Delta_SO(**kwargs)
Ep = self.Ep(**kwargs)
F = self.F(**kwargs)
return 1.0 / (1.0 + 2.0 * F + Ep * (Eg + 2.0 * Delta_SO / 3.0) / (Eg *
(Eg + Delta_SO)))
| meff_e_Gamma | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n Eg = self.Eg_Gamma(**kwargs)\n Delta_SO = self.Delta_SO(**kwargs)\n Ep = self.Ep(**kwargs)\n F = self.F(**kwargs)\n return 1.0 / (1.0 + 2.0 * F + Ep * (Eg + 2.0 * Delta_SO / 3.0) / (Eg *\n (Eg + Delta_SO)))\n",
"role": "user"
},
{
"content": "meff_e_Gamma",
"role": "assistant"
}
] |
def x(self, **kwargs):
return 2.0 / (2 * self.luttinger1(**kwargs) - self.luttinger2(**kwargs) -
3 * self.luttinger3(**kwargs))
| meff_hh_110 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n return 2.0 / (2 * self.luttinger1(**kwargs) - self.luttinger2(**kwargs) -\n 3 * self.luttinger3(**kwargs))\n",
"role": "user"
},
{
"content": "meff_hh_110",
"role": "assistant"
}
] |
def x(self, **kwargs):
return 2.0 / (2 * self.luttinger1(**kwargs) + self.luttinger2(**kwargs) +
3 * self.luttinger3(**kwargs))
| meff_lh_110 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n return 2.0 / (2 * self.luttinger1(**kwargs) + self.luttinger2(**kwargs) +\n 3 * self.luttinger3(**kwargs))\n",
"role": "user"
},
{
"content": "meff_lh_110",
"role": "assistant"
}
] |
def x(self, **kwargs):
Eg = self.Eg_Gamma(**kwargs)
meff = self.meff_e_Gamma(**kwargs)
T = kwargs.get('T', 300.0)
return k * T / Eg * (1 - meff) ** 2
| nonparabolicity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n Eg = self.Eg_Gamma(**kwargs)\n meff = self.meff_e_Gamma(**kwargs)\n T = kwargs.get('T', 300.0)\n return k * T / Eg * (1 - meff) ** 2\n",
"role": "user"
},
{
"content": "nonparabolicity",
"role": "assistant"
}
] |
def x(self, lat, lon, var):
dims, idx = cropIndices(self.dims, lat, lon)
subset = {}
for v in var:
subset = {v: self.ncs[0][v][idx['yn'], idx['xn']]}
return subset, dims
| crop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon, var):\n dims, idx = cropIndices(self.dims, lat, lon)\n subset = {}\n for v in var:\n subset = {v: self.ncs[0][v][idx['yn'], idx['xn']]}\n return subset, dims\n",
"role": "user"
},
{
"content": "crop",
"role": "assistant"
}
] |
def x(self, lat, lon, var):
subset, dims = self.crop(lat, lon, var)
if np.all([(y in dims['lat']) for y in lat]) & np.all([(x in dims['lon'
]) for x in lon]):
yn = np.nonzero([(y in lat) for y in dims['lat']])[0]
xn = np.nonzero([(x in lon) for x in dims['lon']])[0]
output = {}
for v in subset:
output[v] = subset[v][:, xn][yn]
return output
points_out = []
for latn in lat:
for lonn in lon:
points_out.append([latn, lonn])
points_out = np.array(points_out)
output = {}
for v in var:
output[v] = ma.masked_all((lat.size, lon.size), dtype=subset[v].dtype)
idx = np.nonzero(~ma.getmaskarray(subset[v]))
if idx[0].size > 0:
points = np.array([dims['lat'][idx[0]], dims['lon'][idx[1]]]).T
values = subset[v][idx]
ind = np.array([(np.unique(points[:, i]).size > 1) for i in
range(points.shape[1])])
assert ind.any()
values_out = griddata(np.atleast_1d(np.squeeze(points[:, ind])),
values, np.atleast_1d(np.squeeze(points_out[:, ind])))
idx = np.isfinite(values_out)
for [y, x], out in zip(points_out[idx], values_out[idx]):
output[v][y == lat, x == lon] = out
return output
| interpolate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lat, lon, var):\n subset, dims = self.crop(lat, lon, var)\n if np.all([(y in dims['lat']) for y in lat]) & np.all([(x in dims['lon'\n ]) for x in lon]):\n yn = np.nonzero([(y in lat) for y in dims['lat']])[0]\n xn = np.nonzero([(x in lon) for x in dims['lon']])[0]\n output = {}\n for v in subset:\n output[v] = subset[v][:, xn][yn]\n return output\n points_out = []\n for latn in lat:\n for lonn in lon:\n points_out.append([latn, lonn])\n points_out = np.array(points_out)\n output = {}\n for v in var:\n output[v] = ma.masked_all((lat.size, lon.size), dtype=subset[v].dtype)\n idx = np.nonzero(~ma.getmaskarray(subset[v]))\n if idx[0].size > 0:\n points = np.array([dims['lat'][idx[0]], dims['lon'][idx[1]]]).T\n values = subset[v][idx]\n ind = np.array([(np.unique(points[:, i]).size > 1) for i in\n range(points.shape[1])])\n assert ind.any()\n values_out = griddata(np.atleast_1d(np.squeeze(points[:, ind])),\n values, np.atleast_1d(np.squeeze(points_out[:, ind])))\n idx = np.isfinite(values_out)\n for [y, x], out in zip(points_out[idx], values_out[idx]):\n output[v][y == lat, x == lon] = out\n return output\n",
"role": "user"
},
{
"content": "interpolate",
"role": "assistant"
}
] |
def x(self, converter_list, prune_converters):
for converter in converter_list:
if prune_converters:
try:
converter.configure()
except ConverterUnavailable as e:
log.warning('%s unavailable: %s' % (converter.__class__.
__name__, str(e)))
continue
for in_ in converter.inputs:
for out in converter.outputs:
self.dgraph.add_edge(in_, out, converter.cost)
self.converters[in_, out] = converter
if hasattr(converter, 'direct_outputs'):
self._setup_direct_converter(converter)
| setup_converter_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, converter_list, prune_converters):\n for converter in converter_list:\n if prune_converters:\n try:\n converter.configure()\n except ConverterUnavailable as e:\n log.warning('%s unavailable: %s' % (converter.__class__.\n __name__, str(e)))\n continue\n for in_ in converter.inputs:\n for out in converter.outputs:\n self.dgraph.add_edge(in_, out, converter.cost)\n self.converters[in_, out] = converter\n if hasattr(converter, 'direct_outputs'):\n self._setup_direct_converter(converter)\n",
"role": "user"
},
{
"content": "setup_converter_graph",
"role": "assistant"
}
] |
def x(self, preferred_conversion_paths):
for path in preferred_conversion_paths:
for pair in pair_looper(path):
if pair not in self.converters:
log.warning('Invalid conversion path %s, unknown step %s' %
(repr(path), repr(pair)))
break
else:
self.dgraph.add_preferred_path(*path)
| setup_preferred_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, preferred_conversion_paths):\n for path in preferred_conversion_paths:\n for pair in pair_looper(path):\n if pair not in self.converters:\n log.warning('Invalid conversion path %s, unknown step %s' %\n (repr(path), repr(pair)))\n break\n else:\n self.dgraph.add_preferred_path(*path)\n",
"role": "user"
},
{
"content": "setup_preferred_paths",
"role": "assistant"
}
] |
def x(self, conversion_profiles):
for key, path in conversion_profiles.items():
if isinstance(path, str):
path = path,
for left, right in pair_looper(path):
pair = _format(left), _format(right)
if pair not in self.converters:
msg = 'Invalid conversion profile %s, unknown step %s'
log.warning(msg % (repr(key), repr(pair)))
break
else:
self.conversion_profiles[key] = path
| setup_profiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conversion_profiles):\n for key, path in conversion_profiles.items():\n if isinstance(path, str):\n path = path,\n for left, right in pair_looper(path):\n pair = _format(left), _format(right)\n if pair not in self.converters:\n msg = 'Invalid conversion profile %s, unknown step %s'\n log.warning(msg % (repr(key), repr(pair)))\n break\n else:\n self.conversion_profiles[key] = path\n",
"role": "user"
},
{
"content": "setup_profiles",
"role": "assistant"
}
] |
def x(self, converter):
inputs = converter.direct_inputs if hasattr(converter, 'direct_inputs'
) else converter.inputs
for in_ in inputs:
for out in converter.direct_outputs:
self.direct_converters[in_, out] = converter
| setup_direct_converter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, converter):\n inputs = converter.direct_inputs if hasattr(converter, 'direct_inputs'\n ) else converter.inputs\n for in_ in inputs:\n for out in converter.direct_outputs:\n self.direct_converters[in_, out] = converter\n",
"role": "user"
},
{
"content": "setup_direct_converter",
"role": "assistant"
}
] |
def x(self, in_, out):
if in_.arguments:
raise ValueError('Cannot originate path in argumented TypeString')
profile = self.conversion_profiles.get(str(out), str(out))
if isinstance(profile, str):
profile = profile,
types_by_format = {_format(s): TypeString(s) for s in profile}
in_str = str(in_)
out_str = _format(profile[0])
direct_converter = self.direct_converters.get((in_str, out_str))
if direct_converter:
out_ts = types_by_format.get(out_str, TypeString(out_str))
return [(direct_converter, TypeString(in_str), out_ts)]
path = self.dgraph.shortest_path(in_str, out_str)
path += profile[1:]
results = []
for left, right in pair_looper(path):
converter = self.converters.get((_format(left), _format(right)))
right_typestring = types_by_format.get(right, TypeString(right))
results.append((converter, TypeString(left), right_typestring))
return results
| find_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, in_, out):\n if in_.arguments:\n raise ValueError('Cannot originate path in argumented TypeString')\n profile = self.conversion_profiles.get(str(out), str(out))\n if isinstance(profile, str):\n profile = profile,\n types_by_format = {_format(s): TypeString(s) for s in profile}\n in_str = str(in_)\n out_str = _format(profile[0])\n direct_converter = self.direct_converters.get((in_str, out_str))\n if direct_converter:\n out_ts = types_by_format.get(out_str, TypeString(out_str))\n return [(direct_converter, TypeString(in_str), out_ts)]\n path = self.dgraph.shortest_path(in_str, out_str)\n path += profile[1:]\n results = []\n for left, right in pair_looper(path):\n converter = self.converters.get((_format(left), _format(right)))\n right_typestring = types_by_format.get(right, TypeString(right))\n results.append((converter, TypeString(left), right_typestring))\n return results\n",
"role": "user"
},
{
"content": "find_path",
"role": "assistant"
}
] |
def x(self, conversion_profiles, in_, out):
original_profiles = dict(self.conversion_profiles)
self._setup_profiles(conversion_profiles)
results = self.find_path(in_, out)
self.conversion_profiles = original_profiles
return results
| find_path_with_profiles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conversion_profiles, in_, out):\n original_profiles = dict(self.conversion_profiles)\n self._setup_profiles(conversion_profiles)\n results = self.find_path(in_, out)\n self.conversion_profiles = original_profiles\n return results\n",
"role": "user"
},
{
"content": "find_path_with_profiles",
"role": "assistant"
}
] |
def x(filename, lineno, context_lines):
def x(start, end):
return [linecache.getline(filename, l).rstrip() for l in range(
start, end)]
lower_bound = max(1, lineno - context_lines)
upper_bound = lineno + context_lines
linecache.checkcache(filename)
pre_context = get_lines(lower_bound, lineno)
context_line = linecache.getline(filename, lineno).rstrip()
post_context = get_lines(lineno + 1, upper_bound)
return lower_bound, pre_context, context_line, post_context
| get_lines_from_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, lineno, context_lines):\n\n def x(start, end):\n return [linecache.getline(filename, l).rstrip() for l in range(\n start, end)]\n lower_bound = max(1, lineno - context_lines)\n upper_bound = lineno + context_lines\n linecache.checkcache(filename)\n pre_context = get_lines(lower_bound, lineno)\n context_line = linecache.getline(filename, lineno).rstrip()\n post_context = get_lines(lineno + 1, upper_bound)\n return lower_bound, pre_context, context_line, post_context\n",
"role": "user"
},
{
"content": "get_lines_from_file",
"role": "assistant"
}
] |
def x(tback, is_breakpoint):
frames = []
while tback is not None:
if tback.tb_next is None and is_breakpoint:
break
filename = tback.tb_frame.f_code.co_filename
function = tback.tb_frame.f_code.co_name
context = tback.tb_frame.f_locals
lineno = tback.tb_lineno - 1
tback_id = id(tback)
pre_context_lineno, pre_context, context_line, post_context = (
get_lines_from_file(filename, lineno + 1, 7))
frames.append(ErrorFrame(tback, filename, function, lineno, context,
tback_id, pre_context, context_line, post_context,
pre_context_lineno))
tback = tback.tb_next
return frames
| get_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tback, is_breakpoint):\n frames = []\n while tback is not None:\n if tback.tb_next is None and is_breakpoint:\n break\n filename = tback.tb_frame.f_code.co_filename\n function = tback.tb_frame.f_code.co_name\n context = tback.tb_frame.f_locals\n lineno = tback.tb_lineno - 1\n tback_id = id(tback)\n pre_context_lineno, pre_context, context_line, post_context = (\n get_lines_from_file(filename, lineno + 1, 7))\n frames.append(ErrorFrame(tback, filename, function, lineno, context,\n tback_id, pre_context, context_line, post_context,\n pre_context_lineno))\n tback = tback.tb_next\n return frames\n",
"role": "user"
},
{
"content": "get_frames",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.