source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(xml):
try:
root = etree.fromstring(xml)
except (ExpatError, etree.ParseError):
raise CommunicationError('malformed XML response')
status = root.attrib['status']
if status == 'failed':
error = root.find('error')
raise APIError(int(error.attrib['code']), error.text)
out = []
for track in root.find('tracks').findall('track'):
out.append({'rank': float(track.attrib['rank']), 'artist': track.
find('artist').find('name').text, 'artist_mbid': track.find(
'artist').find('mbid').text, 'title': track.find('name').text,
'track_mbid': track.find('mbid').text})
return out
| parse_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml):\n try:\n root = etree.fromstring(xml)\n except (ExpatError, etree.ParseError):\n raise CommunicationError('malformed XML response')\n... |
def x(apikey, path, metadata=None):
import audioread
with audioread.audio_open(path) as f:
return match(apikey, iter(f), f.samplerate, int(f.duration), f.
channels, metadata)
| match_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apikey, path, metadata=None):\n import audioread\n with audioread.audio_open(path) as f:\n return match(apikey, iter(f), f.samplerate, int(f.durat... |
def x(nmrstar2cfg='', nmrstar3cfg='', resonance_classes_cfg='',
spectrum_descriptions_cfg=''):
nmrstar_constants = {}
resonance_classes = {}
spectrum_descriptions = {}
this_directory = os.path.dirname(__file__)
nmrstar2_config_filepath = os.path.join(this_directory,
'conf/constants_nmrstar2.json')
nmrstar3_config_filepath = os.path.join(this_directory,
'conf/constants_nmrstar3.json')
resonance_classes_config_filepath = os.path.join(this_directory,
'conf/resonance_classes.json')
spectrum_descriptions_config_filepath = os.path.join(this_directory,
'conf/spectrum_descriptions.json')
with open(nmrstar2_config_filepath, 'r') as nmrstar2config, open(
nmrstar3_config_filepath, 'r') as nmrstar3config:
nmrstar_constants['2'] = json.load(nmrstar2config)
nmrstar_constants['3'] = json.load(nmrstar3config)
with open(resonance_classes_config_filepath, 'r') as config:
resonance_classes.update(json.load(config))
with open(spectrum_descriptions_config_filepath, 'r') as config:
spectrum_descriptions.update(json.load(config))
if nmrstar2cfg:
with open(nmrstar2cfg, 'r') as nmrstar2config:
nmrstar_constants['2'].update(json.load(nmrstar2config))
if nmrstar3cfg:
with open(nmrstar2cfg, 'r') as nmrstar3config:
nmrstar_constants['3'].update(json.load(nmrstar3config))
if resonance_classes_cfg:
with open(nmrstar2cfg, 'r') as config:
resonance_classes.update(json.load(config))
if spectrum_descriptions_cfg:
with open(spectrum_descriptions_cfg, 'r') as config:
spectrum_descriptions.update(json.load(config))
NMRSTAR_CONSTANTS.update(nmrstar_constants)
RESONANCE_CLASSES.update(resonance_classes)
SPECTRUM_DESCRIPTIONS.update(spectrum_descriptions)
| update_constants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nmrstar2cfg='', nmrstar3cfg='', resonance_classes_cfg='',\n spectrum_descriptions_cfg=''):\n nmrstar_constants = {}\n resonance_classes = {}\n spec... |
def x(*args):
if args:
for spectrum_name in args:
pprint.pprint({spectrum_name: SPECTRUM_DESCRIPTIONS.get(
spectrum_name, None)}, width=120)
else:
pprint.pprint(SPECTRUM_DESCRIPTIONS, width=120)
| list_spectrum_descriptions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if args:\n for spectrum_name in args:\n pprint.pprint({spectrum_name: SPECTRUM_DESCRIPTIONS.get(\n spectrum_name,... |
def x(filehandle, source):
input_str = filehandle.read()
nmrstar_str = StarFile._is_nmrstar(input_str)
cif_str = StarFile._is_cif(input_str)
json_str = StarFile._is_json(input_str)
if not input_str:
pass
elif nmrstar_str:
starfile = NMRStarFile(source)
starfile._build_file(nmrstar_str)
filehandle.close()
return starfile
elif cif_str:
starfile = CIFFile(source)
starfile._build_file(cif_str)
filehandle.close()
return starfile
elif json_str:
if u'save_' in json_str:
starfile = NMRStarFile(source)
starfile.update(json.loads(json_str, object_pairs_hook=OrderedDict)
)
starfile.id = starfile[u'data']
filehandle.close()
return starfile
elif u'entry.id' in json_str:
starfile = CIFFile(source)
starfile.update(json.loads(json_str, object_pairs_hook=OrderedDict)
)
starfile.id = starfile[u'data']
filehandle.close()
return starfile
else:
raise TypeError('Unknown file format')
else:
raise TypeError('Unknown file format')
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filehandle, source):\n input_str = filehandle.read()\n nmrstar_str = StarFile._is_nmrstar(input_str)\n cif_str = StarFile._is_cif(input_str)\n json... |
def x(self, filehandle, file_format):
try:
if file_format == 'json':
json_str = self._to_json()
filehandle.write(json_str)
elif file_format == 'nmrstar' and isinstance(self, NMRStarFile):
nmrstar_str = self._to_star()
filehandle.write(nmrstar_str)
elif file_format == 'cif' and isinstance(self, CIFFile):
cif_str = self._to_star()
filehandle.write(cif_str)
else:
raise TypeError('Unknown file format.')
except IOError:
raise IOError('"filehandle" parameter must be writable.')
filehandle.close()
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filehandle, file_format):\n try:\n if file_format == 'json':\n json_str = self._to_json()\n filehandle.write(json_str)\n ... |
def x(self):
star_str = io.StringIO()
self.print_file(star_str)
return star_str.getvalue()
| to_star | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n star_str = io.StringIO()\n self.print_file(star_str)\n return star_str.getvalue()\n",
"role": "user"
},
{
"content": "to_star",
... |
def x(string):
if string[0:5] == u'data_' and u'save_' in string or string[0:5
] == b'data_' and b'save_' in string:
return string
return False
| is_nmrstar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n if string[0:5] == u'data_' and u'save_' in string or string[0:5\n ] == b'data_' and b'save_' in string:\n return string\n return... |
def x(string):
if string[0:5] == u'data_' and u'_entry.id' in string or string[0:5
] == b'data_' and b'_entry.id' in string:
return string
return False
| is_cif | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n if string[0:5] == u'data_' and u'_entry.id' in string or string[0:5\n ] == b'data_' and b'_entry.id' in string:\n return string\n ... |
def x(string):
try:
if isinstance(string, bytes):
string = string.decode('utf-8')
json.loads(string)
elif isinstance(string, str):
json.loads(string)
else:
raise TypeError(
"Expecting <class 'str'> or <class 'bytes'>, but {} was passed"
.format(type(string)))
return string
except ValueError:
return False
| is_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n try:\n if isinstance(string, bytes):\n string = string.decode('utf-8')\n json.loads(string)\n elif isinstance... |
def x(self, nmrstar_str):
odict = self
comment_count = 0
lexer = bmrblex(nmrstar_str)
token = next(lexer)
while token != u'':
try:
if token[0:5] == u'save_':
name = token
frame = self._build_saveframe(lexer)
if frame:
odict[name] = frame
elif token[0:5] == u'data_':
self.id = token[5:]
odict[u'data'] = self.id
elif token.lstrip().startswith(u'#'):
odict[u'comment_{}'.format(comment_count)] = token
comment_count += 1
else:
print('Error: Invalid token {}'.format(token), file=sys.stderr)
print('In _build_starfile try block', file=sys.stderr)
raise InvalidToken('{}'.format(token))
except IndexError:
print('Error: Invalid token {}'.format(token), file=sys.stderr)
print('In _build_starfile except block', file=sys.stderr)
raise
finally:
token = next(lexer)
return self
| build_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nmrstar_str):\n odict = self\n comment_count = 0\n lexer = bmrblex(nmrstar_str)\n token = next(lexer)\n while token != u'':\n try:\... |
def x(self, lexer):
odict = OrderedDict()
loop_count = 0
token = next(lexer)
while token != u'save_':
try:
if token[0] == u'_':
odict[token[1:]] = next(lexer)
if self._frame_categories:
if token == '_Saveframe_category' and odict[token[1:]
] not in self._frame_categories:
raise SkipSaveFrame()
elif token == u'loop_':
odict[u'loop_{}'.format(loop_count)] = self._build_loop(lexer)
loop_count += 1
elif token.lstrip().startswith(u'#'):
continue
else:
print('Error: Invalid token {}'.format(token), file=sys.stderr)
print('In _build_saveframe try block', file=sys.stderr)
raise InvalidToken('{}'.format(token))
except IndexError:
print('Error: Invalid token {}'.format(token), file=sys.stderr)
print('In _build_saveframe except block', file=sys.stderr)
raise
except SkipSaveFrame:
self._skip_saveframe(lexer)
odict = None
finally:
if odict is None:
token = u'save_'
else:
token = next(lexer)
return odict
| build_saveframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lexer):\n odict = OrderedDict()\n loop_count = 0\n token = next(lexer)\n while token != u'save_':\n try:\n if token[0] == u... |
def x(self, lexer):
fields = []
values = []
token = next(lexer)
while token[0] == u'_':
fields.append(token[1:])
token = next(lexer)
while token != u'stop_':
values.append(token)
token = next(lexer)
assert float(len(values) / len(fields)).is_integer(
), 'Error in loop construction: number of fields must be equal to number of values.'
values = [OrderedDict(zip(fields, values[i:i + len(fields)])) for i in
range(0, len(values), len(fields))]
return fields, values
| build_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lexer):\n fields = []\n values = []\n token = next(lexer)\n while token[0] == u'_':\n fields.append(token[1:])\n token = next(l... |
def x(self, lexer):
token = u''
while token != u'save_':
token = next(lexer)
| skip_saveframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lexer):\n token = u''\n while token != u'save_':\n token = next(lexer)\n",
"role": "user"
},
{
"content": "skip_saveframe",
... |
def x(self, f=sys.stdout, file_format='nmrstar', tw=3):
if file_format == 'nmrstar':
for saveframe in self.keys():
if saveframe == u'data':
print(u'{}_{}\n'.format(saveframe, self[saveframe]), file=f)
elif saveframe.startswith(u'comment'):
print(u'{}'.format(self[saveframe]), file=f)
else:
print(u'{}'.format(saveframe), file=f)
self.print_saveframe(saveframe, f, file_format, tw)
print(u'\nsave_\n\n', file=f)
elif file_format == 'json':
print(self._to_json(), file=f)
| print_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f=sys.stdout, file_format='nmrstar', tw=3):\n if file_format == 'nmrstar':\n for saveframe in self.keys():\n if saveframe == u'data'... |
def x(self, sf, f=sys.stdout, file_format='nmrstar', tw=3):
if file_format == 'nmrstar':
for sftag in self[sf].keys():
if sftag[:5] == 'loop_':
print(u'\n{}loop_'.format(tw * u' '), file=f)
self.print_loop(sf, sftag, f, file_format, tw * 2)
print(u'\n{}stop_'.format(tw * u' '), file=f)
elif self[sf][sftag].endswith(u'\n'):
print(u'{}_{}'.format(tw * u' ', sftag), file=f)
print(u';\n{};'.format(self[sf][sftag]), file=f)
elif len(self[sf][sftag].split()) > 1:
print(u'{}_{}\t {}'.format(tw * u' ', sftag, u"'{}'".format
(self[sf][sftag])), file=f)
else:
print(u'{}_{}\t {}'.format(tw * u' ', sftag, self[sf][sftag
]), file=f)
elif file_format == 'json':
print(json.dumps(self[sf], sort_keys=False, indent=4), file=f)
| print_saveframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sf, f=sys.stdout, file_format='nmrstar', tw=3):\n if file_format == 'nmrstar':\n for sftag in self[sf].keys():\n if sftag[:5] == 'lo... |
def x(self, sf, sftag, f=sys.stdout, file_format='nmrstar', tw=3):
if file_format == 'nmrstar':
for field in self[sf][sftag][0]:
print(u'{}_{}'.format(tw * u' ', field), file=f)
print(u'', file=f)
for valuesdict in self[sf][sftag][1]:
print(u'{}{}'.format(tw * u' ', u' '.join([(u"'{}'".format(
value) if len(value.split()) > 1 else value) for value in
valuesdict.values()])), file=f)
elif file_format == 'json':
print(json.dumps(self[sf][sftag], sort_keys=False, indent=4), file=f)
| print_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sf, sftag, f=sys.stdout, file_format='nmrstar', tw=3):\n if file_format == 'nmrstar':\n for field in self[sf][sftag][0]:\n print(u'{... |
def x(self, amino_acids=None, atoms=None, amino_acids_and_atoms=None,
nmrstar_version='3'):
if (amino_acids_and_atoms and amino_acids or amino_acids_and_atoms and
atoms):
raise ValueError(
'"amino_acids_and_atoms" parameter cannot be used simultaneously with "amino_acids" and "atoms" parameters, one or another must be provided.'
)
chemshifts_loop = NMRSTAR_CONSTANTS[nmrstar_version]['chemshifts_loop']
aminoacid_seq_id = NMRSTAR_CONSTANTS[nmrstar_version]['aminoacid_seq_id']
aminoacid_code = NMRSTAR_CONSTANTS[nmrstar_version]['aminoacid_code']
atom_code = NMRSTAR_CONSTANTS[nmrstar_version]['atom_code']
chemshift_value = NMRSTAR_CONSTANTS[nmrstar_version]['chemshift_value']
chains = []
for saveframe in self:
if saveframe == u'data' or saveframe.startswith(u'comment'):
continue
else:
for ind in self[saveframe].keys():
if ind.startswith(u'loop_'):
if list(self[saveframe][ind][0]) == chemshifts_loop:
chem_shifts_dict = OrderedDict()
for entry in self[saveframe][ind][1]:
residue_id = entry[aminoacid_seq_id]
chem_shifts_dict.setdefault(residue_id,
OrderedDict())
chem_shifts_dict[residue_id][u'AA3Code'] = entry[
aminoacid_code]
chem_shifts_dict[residue_id][u'Seq_ID'
] = residue_id
chem_shifts_dict[residue_id][entry[atom_code]
] = entry[chemshift_value]
chains.append(chem_shifts_dict)
if amino_acids_and_atoms:
for chem_shifts_dict in chains:
for aa_dict in list(chem_shifts_dict.values()):
if aa_dict[u'AA3Code'].upper() not in list(
amino_acids_and_atoms.keys()):
chem_shifts_dict.pop(aa_dict[u'Seq_ID'])
else:
for resonance in list(aa_dict.keys()):
if resonance in (u'AA3Code', u'Seq_ID'
) or resonance.upper() in amino_acids_and_atoms[
aa_dict[u'AA3Code']]:
continue
else:
aa_dict.pop(resonance)
else:
if amino_acids:
for chem_shifts_dict in chains:
for aa_dict in list(chem_shifts_dict.values()):
if aa_dict[u'AA3Code'].upper() not in amino_acids:
chem_shifts_dict.pop(aa_dict[u'Seq_ID'])
if atoms:
for chem_shifts_dict in chains:
for aa_dict in chem_shifts_dict.values():
for resonance in list(aa_dict.keys()):
if resonance in (u'AA3Code', u'Seq_ID'
) or resonance.upper() in atoms:
continue
else:
aa_dict.pop(resonance)
return chains
| chem_shifts_by_residue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, amino_acids=None, atoms=None, amino_acids_and_atoms=None,\n nmrstar_version='3'):\n if (amino_acids_and_atoms and amino_acids or amino_acids_and_at... |
def x(self, cif_str):
odict = self
comment_count = 0
loop_count = 0
lexer = bmrblex(cif_str)
token = next(lexer)
while token != u'':
try:
if token[0:5] == u'data_':
self.id = token[5:]
self[u'data'] = self.id
elif token.lstrip().startswith(u'#'):
odict[u'comment_{}'.format(comment_count)] = token
comment_count += 1
elif token[0] == u'_':
value = next(lexer)
odict[token[1:]] = value
elif token == u'loop_':
odict[u'loop_{}'.format(loop_count)] = self._build_loop(lexer)
loop_count += 1
else:
print('Error: Invalid token {}'.format(token), file=sys.stderr)
print('In _build_file try block', file=sys.stderr)
raise InvalidToken('{}'.format(token))
except IndexError:
print('Error: Invalid token {}'.format(token), file=sys.stderr)
print('In _build_file except block', file=sys.stderr)
raise
finally:
token = next(lexer)
return self
| build_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cif_str):\n odict = self\n comment_count = 0\n loop_count = 0\n lexer = bmrblex(cif_str)\n token = next(lexer)\n while token != u'':\n ... |
def x(self, f=sys.stdout, file_format='cif', tw=0):
if file_format == 'cif':
for key in self.keys():
if key == u'data':
print(u'{}_{}'.format(key, self[key]), file=f)
elif key.startswith(u'comment'):
print(u'{}'.format(self[key].strip()), file=f)
elif key.startswith(u'loop_'):
print(u'{}loop_'.format(tw * u' '), file=f)
self.print_loop(key, f, file_format, tw)
elif self[key].endswith(u'\n'):
print(u'{}_{}'.format(tw * u' ', key), file=f)
print(u';{};'.format(self[key]), file=f)
elif len(self[key].split()) > 1:
print(u'{}_{}\t {}'.format(tw * u' ', key, u"'{}'".format(
self[key])), file=f)
else:
print(u'{}_{}\t {}'.format(tw * u' ', key, self[key]), file=f)
elif file_format == 'json':
print(self._to_json(), file=f)
| print_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f=sys.stdout, file_format='cif', tw=0):\n if file_format == 'cif':\n for key in self.keys():\n if key == u'data':\n p... |
def x(self, svctype='Android NDrive App ver', auth=0):
data = {'userid': self.user_id, 'svctype': svctype, 'auth': auth}
s, metadata = self.GET('getRegisterUserInfo', data)
if s is True:
self.useridx = metadata['useridx']
return True, metadata
else:
return False, metadata
| getRegisterUserInfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, svctype='Android NDrive App ver', auth=0):\n data = {'userid': self.user_id, 'svctype': svctype, 'auth': auth}\n s, metadata = self.GET('getRegiste... |
def x(self, file_obj, full_path, overwrite=False):
s = self.checkStatus()
s = self.getDiskSpace()
s = self.checkUpload(file_obj, full_path, overwrite)
if s is True:
self.put(file_obj, full_path, overwrite)
| uploadFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_obj, full_path, overwrite=False):\n s = self.checkStatus()\n s = self.getDiskSpace()\n s = self.checkUpload(file_obj, full_path, overwrite)... |
def x(self, from_path, to_path=''):
if to_path == '':
file_name = os.path.basename(from_path)
to_path = os.path.join(os.getcwd(), file_name)
url = nurls['download'] + from_path
data = {'attachment': 2, 'userid': self.user_id, 'useridx': self.
useridx, 'NDriveSvcType': 'NHN/ND-WEB Ver'}
if '~' in to_path:
to_path = expanduser(to_path)
with open(to_path, 'wb') as handle:
request = self.session.get(url, params=data, stream=True)
for block in request.iter_content(1024):
if not block:
break
handle.write(block)
return handle
| downloadFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path=''):\n if to_path == '':\n file_name = os.path.basename(from_path)\n to_path = os.path.join(os.getcwd(), file_name)\n... |
def x(self, from_path, to_path, overwrite=False, bShareFireCopy='false',
dummy=56147):
if overwrite:
overwrite = 'F'
else:
overwrite = 'T'
data = {'orgresource': from_path, 'dstresource': to_path, 'overwrite':
overwrite, 'bShareFireCopy': bShareFireCopy, 'userid': self.user_id,
'useridx': self.useridx, 'dummy': dummy}
s, metadata = self.POST('doMove', data)
return s
| doMove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path, overwrite=False, bShareFireCopy='false',\n dummy=56147):\n if overwrite:\n overwrite = 'F'\n else:\n overwrite... |
def x(self, full_path, dummy=40841):
if full_path[-1] is not '/':
full_path += '/'
data = {'dstresource': full_path, 'userid': self.user_id, 'useridx':
self.useridx, 'dummy': dummy}
s, metadata = self.POST('makeDirectory', data)
return s
| makeDirectory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, full_path, dummy=40841):\n if full_path[-1] is not '/':\n full_path += '/'\n data = {'dstresource': full_path, 'userid': self.user_id, 'user... |
def x(self, full_path, dummy=56184):
data = {'orgresource': full_path, 'userid': self.user_id, 'useridx':
self.useridx, 'dummy': dummy}
s, metadata = self.POST('getProperty', data)
if s is True:
return metadata
else:
return False
| getProperty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, full_path, dummy=56184):\n data = {'orgresource': full_path, 'userid': self.user_id, 'useridx':\n self.useridx, 'dummy': dummy}\n s, metadat... |
def x(self, full_path, protect, dummy=7046):
data = {'orgresource': full_path, 'protect': protect, 'userid': self.
user_id, 'useridx': self.useridx, 'dummy': dummy}
s, metadata = self.POST('setProperty', data)
if s is True:
return True
else:
return False
| setProperty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, full_path, protect, dummy=7046):\n data = {'orgresource': full_path, 'protect': protect, 'userid': self.\n user_id, 'useridx': self.useridx, 'd... |
def x(self, tagtype=0, startnum=0, pagingrow=100, dummy=51467):
data = {'tagtype': tagtype, 'startnum': startnum, 'pagingrow':
pagingrow, 'userid': self.user_id, 'useridx': self.useridx, 'dummy':
dummy}
s, metadata = self.POST('getMusicAlbumList', data)
if s is True:
return metadata
else:
return False
| getMusicAlbumList | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tagtype=0, startnum=0, pagingrow=100, dummy=51467):\n data = {'tagtype': tagtype, 'startnum': startnum, 'pagingrow':\n pagingrow, 'userid': sel... |
def x(authority, cache, read_path, version_check, hasher):
if cache and cache.fs.isfile(read_path):
if version_check(hasher(cache.fs.open(read_path, 'rb'))):
yield cache.fs
elif authority.fs.isfile(read_path):
fs.utils.copyfile(authority.fs, read_path, cache.fs, read_path)
yield cache.fs
else:
_makedirs(authority.fs, fs.path.dirname(read_path))
_makedirs(cache.fs, fs.path.dirname(read_path))
yield cache.fs
else:
if not authority.fs.isfile(read_path):
_makedirs(authority.fs, fs.path.dirname(read_path))
yield authority.fs
| choose_read_fs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authority, cache, read_path, version_check, hasher):\n if cache and cache.fs.isfile(read_path):\n if version_check(hasher(cache.fs.open(read_path, 'r... |
def x():
tmp = tempfile.mkdtemp()
try:
write_fs = OSFS(tmp)
try:
yield write_fs
finally:
_close(write_fs)
finally:
shutil.rmtree(tmp)
| get_write_fs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n tmp = tempfile.mkdtemp()\n try:\n write_fs = OSFS(tmp)\n try:\n yield write_fs\n finally:\n _close(write_... |
def x(read_fs, cache, read_path, readwrite_mode=True):
with _get_write_fs() as write_fs:
if readwrite_mode:
if not write_fs.isfile(read_path):
_touch(write_fs, read_path)
if read_fs.isfile(read_path):
fs.utils.copyfile(read_fs, read_path, write_fs, read_path)
else:
_touch(write_fs, read_path)
yield write_fs
| prepare_write_fs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(read_fs, cache, read_path, readwrite_mode=True):\n with _get_write_fs() as write_fs:\n if readwrite_mode:\n if not write_fs.isfile(read_pa... |
def x(authority, cache, update, version_check, hasher, read_path,
write_path=None, cache_on_write=False):
if write_path is None:
write_path = read_path
with _choose_read_fs(authority, cache, read_path, version_check, hasher
) as read_fs:
with _prepare_write_fs(read_fs, cache, read_path, readwrite_mode=True
) as write_fs:
yield write_fs.getsyspath(read_path)
if write_fs.isfile(read_path):
info = write_fs.getinfokeys(read_path, 'size')
if 'size' in info:
if info['size'] == 0:
return
with write_fs.open(read_path, 'rb') as f:
checksum = hasher(f)
if not version_check(checksum):
if cache_on_write or cache and fs.path.abspath(read_path
) == fs.path.abspath(write_path) and cache.fs.isfile(
read_path):
_makedirs(cache.fs, fs.path.dirname(write_path))
fs.utils.copyfile(write_fs, read_path, cache.fs,
write_path)
_makedirs(authority.fs, fs.path.dirname(write_path))
fs.utils.copyfile(cache.fs, write_path, authority.
fs, write_path)
else:
_makedirs(authority.fs, fs.path.dirname(write_path))
fs.utils.copyfile(write_fs, read_path, authority.fs,
write_path)
update(**checksum)
else:
raise OSError(
'Local file removed during execution. Archive not updated.'
)
| get_local_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(authority, cache, update, version_check, hasher, read_path,\n write_path=None, cache_on_write=False):\n if write_path is None:\n write_path = read... |
def x(robot):
assert isinstance(robot, BaseRoBot
), 'RoBot should be an BaseRoBot instance.'
@csrf_exempt
def x(request):
timestamp = request.GET.get('timestamp', '')
nonce = request.GET.get('nonce', '')
signature = request.GET.get('signature', '')
if not robot.check_signature(timestamp=timestamp, nonce=nonce,
signature=signature):
return HttpResponseForbidden()
if request.method == 'GET':
return HttpResponse(request.GET.get('echostr', ''))
elif request.method == 'POST':
body = request.body
message = parse_user_msg(body)
reply = robot.get_reply(message)
return HttpResponse(create_reply(reply, message=message),
content_type='application/xml;charset=utf-8')
return HttpResponseNotAllowed(['GET', 'POST'])
return werobot_view
| make_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(robot):\n assert isinstance(robot, BaseRoBot\n ), 'RoBot should be an BaseRoBot instance.'\n\n @csrf_exempt\n def x(request):\n timestam... |
def x(data, key, last_type):
if key in data and last_type == STRING_TYPE:
data[key] = data[key].strip()
return data
| text_cleanup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, key, last_type):\n if key in data and last_type == STRING_TYPE:\n data[key] = data[key].strip()\n return data\n",
"role": "user"
},
... |
def x(text):
records = []
last_type = None
key = None
data = {}
directive = False
lines = text.splitlines()
for index, line in enumerate(lines):
if len(line) and line.strip().startswith('..'):
directive = True
continue
if len(line) and (line[0] in string.ascii_letters or line[0].isdigit()
):
directive = False
try:
if lines[index + 1][0] not in DIVIDERS:
continue
except IndexError:
continue
data = text_cleanup(data, key, last_type)
data = {'title': line.strip()}
records.append(data)
continue
if len(line) and line[0].startswith(':'):
data = text_cleanup(data, key, last_type)
index = line.index(':', 1)
key = line[1:index]
value = line[index + 1:].strip()
data[key], last_type = type_converter(value)
directive = False
continue
if len(line) and line[0].startswith(' ') and directive == False:
if not isinstance(data[key], str):
continue
value = line.strip()
if not len(value):
continue
data[key] += '\n{}'.format(value)
continue
if last_type == STRING_TYPE and not len(line):
if key in data.keys():
data[key] += '\n'
return json.dumps(records)
| rst_to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n records = []\n last_type = None\n key = None\n data = {}\n directive = False\n lines = text.splitlines()\n for index, line in enu... |
def x(text):
if text.isdigit():
return int(text), int
try:
return float(text), float
except ValueError:
return text, STRING_TYPE
| type_converter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if text.isdigit():\n return int(text), int\n try:\n return float(text), float\n except ValueError:\n return text, STRING... |
def x():
filename = sys.argv[-1]
if not filename.endswith('.rst'):
print('ERROR! Please enter a ReStructuredText filename!')
sys.exit()
print(rst_to_json(file_opener(filename)))
| command_line_runner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = sys.argv[-1]\n if not filename.endswith('.rst'):\n print('ERROR! Please enter a ReStructuredText filename!')\n sys.exit()\n... |
def x(obj, **kwargs):
kwargs.setdefault('use_bin_type', True)
return msgpack.packb(obj, **kwargs)
| packb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, **kwargs):\n kwargs.setdefault('use_bin_type', True)\n return msgpack.packb(obj, **kwargs)\n",
"role": "user"
},
{
"content": "packb",
... |
def x(cls, file_path, on_done=None, logger=None):
pygame.mixer.init()
try:
pygame.mixer.music.load(file_path)
except pygame.error as e:
if logger is not None:
logger.warning(str(e))
return
pygame.mixer.music.play()
while pygame.mixer.music.get_busy():
time.sleep(0.1)
continue
if on_done:
on_done()
| play | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path, on_done=None, logger=None):\n pygame.mixer.init()\n try:\n pygame.mixer.music.load(file_path)\n except pygame.error as e:\n ... |
def x(cls, file_path, on_done=None):
thread = threading.Thread(target=AudioPlayer.play, args=(file_path,
on_done))
thread.start()
| play_async | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_path, on_done=None):\n thread = threading.Thread(target=AudioPlayer.play, args=(file_path,\n on_done))\n thread.start()\n",
"role": ... |
def x(self, disp):
res = copy.deepcopy(self)
for i in range(self.ndims):
d = disp[i]
s = self.domain[i]
if d > 0:
res.domain[i] = slice(s.start, d)
elif d < 0:
res.domain[i] = slice(d, s.stop)
return res
| extract | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, disp):\n res = copy.deepcopy(self)\n for i in range(self.ndims):\n d = disp[i]\n s = self.domain[i]\n if d > 0:\n r... |
def x(self):
self.row = 0
self.column = 0
self.command(Command.RETURN_HOME)
msleep(2)
| home | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.row = 0\n self.column = 0\n self.command(Command.RETURN_HOME)\n msleep(2)\n",
"role": "user"
},
{
"content": "home",
... |
def x(self, status):
self._display_control = ByteUtil.apply_flag(self._display_control,
Command.DISPLAY_ON, status)
self.command(self._display_control)
| visible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status):\n self._display_control = ByteUtil.apply_flag(self._display_control,\n Command.DISPLAY_ON, status)\n self.command(self._display_con... |
def x(self, status):
self._display_control = ByteUtil.apply_flag(self._display_control,
Command.CURSOR_ON, status)
self.command(self._display_control)
| cursor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status):\n self._display_control = ByteUtil.apply_flag(self._display_control,\n Command.CURSOR_ON, status)\n self.command(self._display_cont... |
def x(self, status):
self._display_control = ByteUtil.apply_flag(self._display_control,
Command.BLINKING_ON, status)
self.command(self._display_control)
| blink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status):\n self._display_control = ByteUtil.apply_flag(self._display_control,\n Command.BLINKING_ON, status)\n self.command(self._display_co... |
def x(self):
self._entry_mode |= Command.MODE_INCREMENT
self.command(self._entry_mode)
| left_to_right | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._entry_mode |= Command.MODE_INCREMENT\n self.command(self._entry_mode)\n",
"role": "user"
},
{
"content": "left_to_right",
... |
def x(self):
self._entry_mode &= ~Command.MODE_INCREMENT
self.command(self._entry_mode)
| right_to_left | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._entry_mode &= ~Command.MODE_INCREMENT\n self.command(self._entry_mode)\n",
"role": "user"
},
{
"content": "right_to_left",
... |
def x(self, name, max_length=None):
tempdir = tempfile.mkdtemp(dir=self.base_location)
name = os.path.join(os.path.basename(tempdir), os.path.basename(name))
method = super(TempFileSystemStorage, self).get_available_name
return method(name, max_length=max_length)
| get_available_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, max_length=None):\n tempdir = tempfile.mkdtemp(dir=self.base_location)\n name = os.path.join(os.path.basename(tempdir), os.path.basename(name... |
def x(items, heading):
heading = '\n' * 5 + heading
while True:
keydict = {}
clear_screen()
print(heading)
for item in items:
menustring = ' ' + item['key'] + ' ' + item['text']
keydict[item['key']] = item['function']
print(menustring)
key = input('\nType key and Return (q to quit): ').strip()
if key.lower() == 'q':
return
else:
try:
ret = keydict[key]()
if ret:
return 1
except KeyError:
continue
| menu | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(items, heading):\n heading = '\\n' * 5 + heading\n while True:\n keydict = {}\n clear_screen()\n print(heading)\n for item in... |
def x(text):
text = '\n' + text + "\n('y' or 'n'): "
while True:
answer = input(text).strip()
if answer != 'y' and answer != 'n':
continue
elif answer == 'y':
return True
elif answer == 'n':
return False
| yn_prompt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n text = '\\n' + text + \"\\n('y' or 'n'): \"\n while True:\n answer = input(text).strip()\n if answer != 'y' and answer != 'n':\n ... |
def x(text):
text += '\n'
for i in range(len(text) - 1):
text += '='
text += '\n'
return text
| underline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n text += '\\n'\n for i in range(len(text) - 1):\n text += '='\n text += '\\n'\n return text\n",
"role": "user"
},
{
"con... |
def x(voevent, index=0):
try:
od = voevent.WhereWhen.ObsDataLocation[index]
ol = od.ObservationLocation
coord_sys = ol.AstroCoords.attrib['coord_system_id']
timesys_identifier = coord_sys.split('-')[0]
if timesys_identifier == 'UTC':
isotime_str = str(ol.AstroCoords.Time.TimeInstant.ISOTime)
return iso8601.parse_date(isotime_str)
elif timesys_identifier == 'TDB':
isotime_str = str(ol.AstroCoords.Time.TimeInstant.ISOTime)
isotime_dtime = iso8601.parse_date(isotime_str)
tdb_time = astropy.time.Time(isotime_dtime, scale='tdb')
return tdb_time.utc.to_datetime().replace(tzinfo=pytz.UTC)
elif timesys_identifier == 'TT' or timesys_identifier == 'GPS':
raise NotImplementedError(
"Conversion from time-system '{}' to UTC not yet implemented")
else:
raise ValueError(
'Unrecognised time-system: {} (badly formatted VOEvent?)'.
format(timesys_identifier))
except AttributeError:
return None
| get_event_time_as_utc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, index=0):\n try:\n od = voevent.WhereWhen.ObsDataLocation[index]\n ol = od.ObservationLocation\n coord_sys = ol.AstroCoords.at... |
def x(voevent, index=0):
od = voevent.WhereWhen.ObsDataLocation[index]
ac = od.ObservationLocation.AstroCoords
ac_sys = (voevent.WhereWhen.ObsDataLocation.ObservationLocation.
AstroCoordSystem)
sys = ac_sys.attrib['id']
if hasattr(ac.Position2D, 'Name1'):
assert ac.Position2D.Name1 == 'RA' and ac.Position2D.Name2 == 'Dec'
posn = Position2D(ra=float(ac.Position2D.Value2.C1), dec=float(ac.
Position2D.Value2.C2), err=float(ac.Position2D.Error2Radius), units
=ac.Position2D.attrib['unit'], system=sys)
return posn
| get_event_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, index=0):\n od = voevent.WhereWhen.ObsDataLocation[index]\n ac = od.ObservationLocation.AstroCoords\n ac_sys = (voevent.WhereWhen.ObsDataLoca... |
def x(voevent):
groups_omd = OMDict()
w = deepcopy(voevent.What)
lxml.objectify.deannotate(w)
if w.find('Group') is not None:
for grp in w.Group:
groups_omd.add(grp.attrib.get('name'),
_get_param_children_as_omdict(grp))
return groups_omd
| get_grouped_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent):\n groups_omd = OMDict()\n w = deepcopy(voevent.What)\n lxml.objectify.deannotate(w)\n if w.find('Group') is not None:\n for grp in... |
def x(voevent):
result = OrderedDict()
w = deepcopy(voevent.What)
lxml.objectify.deannotate(w)
return _get_param_children_as_omdict(w)
| get_toplevel_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent):\n result = OrderedDict()\n w = deepcopy(voevent.What)\n lxml.objectify.deannotate(w)\n return _get_param_children_as_omdict(w)\n",
"r... |
def x(voevent, index=0):
import warnings
warnings.warn(
"""
The function `pull_astro_coords` has been renamed to
`get_event_position`. This alias is preserved for backwards
compatibility, and may be removed in a future release.
"""
, FutureWarning)
return get_event_position(voevent, index)
| pull_astro_coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, index=0):\n import warnings\n warnings.warn(\n \"\"\"\n The function `pull_astro_coords` has been renamed to\n `get_event_p... |
def x(voevent, index=0):
import warnings
warnings.warn(
"""
The function `pull_isotime` has been renamed to
`get_event_time_as_utc`. This alias is preserved for backwards
compatibility, and may be removed in a future release.
"""
, FutureWarning)
return get_event_time_as_utc(voevent, index)
| pull_isotime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent, index=0):\n import warnings\n warnings.warn(\n \"\"\"\n The function `pull_isotime` has been renamed to\n `get_event_time_a... |
def x(voevent):
import warnings
warnings.warn(
"""
The function `pull_params` has been deprecated in favour of the split
functions `get_toplevel_params` and `get_grouped_params`, due to
possible name-shadowing issues when combining multilevel-nested-dicts
(see docs for details).
This alias is preserved for backwards compatibility, and may be
removed in a future release.
"""
, FutureWarning)
result = OrderedDict()
w = deepcopy(voevent.What)
lxml.objectify.deannotate(w)
if w.countchildren() == 0:
return result
toplevel_params = OrderedDict()
result[None] = toplevel_params
if w.find('Param') is not None:
for p in w.Param:
toplevel_params[p.attrib.get('name')] = p.attrib
if w.find('Group') is not None:
for g in w.Group:
g_params = {}
result[g.attrib.get('name')] = g_params
if hasattr(g, 'Param'):
for p in g.Param:
g_params[p.attrib.get('name')] = p.attrib
return result
| pull_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(voevent):\n import warnings\n warnings.warn(\n \"\"\"\n The function `pull_params` has been deprecated in favour of the split\n func... |
def x(subtree):
subtree = deepcopy(subtree)
lxml.objectify.deannotate(subtree)
lxml.etree.cleanup_namespaces(subtree)
return lxml.etree.tostring(subtree, pretty_print=True).decode(encoding=
'utf-8')
| prettystr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subtree):\n subtree = deepcopy(subtree)\n lxml.objectify.deannotate(subtree)\n lxml.etree.cleanup_namespaces(subtree)\n return lxml.etree.tostring(... |
async def request(self, method, path, json=None):
"""Make a request to the API."""
url = 'https://{}:{}/api/'.format(self.host, self.port)
url += path.format(site=self.site)
try:
async with self.session.request(method, url, json=json) as res:
if res.content_type != 'application/json':
raise ResponseError('Invalid content type: {}'.format(res.
content_type))
response = await res.json()
_raise_on_error(response)
return response['data']
except client_exceptions.ClientError as err:
raise RequestError('Error requesting data from {}: {}'.format(self.
host, err)) from None
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def request(self, method, path, json=None):\n \"\"\"Make a request to the API.\"\"\"\n url = 'https://{}:{}/api/'.format(self.host, self.port)\n url +... |
def x(self):
self.thread_handler.run(target=self.start_blocking)
self.thread_handler.start_run_loop()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.thread_handler.run(target=self.start_blocking)\n self.thread_handler.start_run_loop()\n",
"role": "user"
},
{
"content": "start... |
def x(self, run_event):
topics = [('hermes/intent/#', 0), ('hermes/hotword/#', 0), (
'hermes/asr/#', 0), ('hermes/nlu/#', 0), ('snipsmanager/#', 0)]
self.log_info('Connecting to {} on port {}'.format(self.mqtt_hostname,
str(self.mqtt_port)))
retry = 0
while True and run_event.is_set():
try:
self.log_info('Trying to connect to {}'.format(self.mqtt_hostname))
self.client.connect(self.mqtt_hostname, self.mqtt_port, 60)
break
except (socket_error, Exception) as e:
self.log_info('MQTT error {}'.format(e))
time.sleep(5 + int(retry / 5))
retry = retry + 1
topics = [(MQTT_TOPIC_INTENT + '#', 0), (MQTT_TOPIC_HOTWORD + '#', 0),
(MQTT_TOPIC_ASR + '#', 0), (MQTT_TOPIC_SNIPSFILE, 0), (
MQTT_TOPIC_DIALOG_MANAGER + '#', 0), ('snipsmanager/#', 0)]
self.client.subscribe(topics)
while run_event.is_set():
try:
self.client.loop()
except AttributeError as e:
self.log_info('Error in mqtt run loop {}'.format(e))
time.sleep(1)
| start_blocking | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, run_event):\n topics = [('hermes/intent/#', 0), ('hermes/hotword/#', 0), (\n 'hermes/asr/#', 0), ('hermes/nlu/#', 0), ('snipsmanager/#', 0)]\n ... |
def x(self, client, userdata, flags, result_code):
self.log_info('Connected with result code {}'.format(result_code))
self.state_handler.set_state(State.welcome)
| on_connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client, userdata, flags, result_code):\n self.log_info('Connected with result code {}'.format(result_code))\n self.state_handler.set_state(State.we... |
def x(self, client, userdata, result_code):
self.log_info('Disconnected with result code ' + str(result_code))
self.state_handler.set_state(State.goodbye)
time.sleep(5)
self.thread_handler.run(target=self.start_blocking)
| on_disconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client, userdata, result_code):\n self.log_info('Disconnected with result code ' + str(result_code))\n self.state_handler.set_state(State.goodbye)\... |
def x(self, client, userdata, msg):
if msg is None:
return
self.log_info('New message on topic {}'.format(msg.topic))
self.log_debug('Payload {}'.format(msg.payload))
if msg.payload is None or len(msg.payload) == 0:
pass
if msg.payload:
payload = json.loads(msg.payload.decode('utf-8'))
site_id = payload.get('siteId')
session_id = payload.get('sessionId')
if msg.topic is not None and msg.topic.startswith(MQTT_TOPIC_INTENT
) and msg.payload:
payload = json.loads(msg.payload.decode('utf-8'))
intent = IntentParser.parse(payload, self.registry.intent_classes)
self.log_debug('Parsed intent: {}'.format(intent))
if self.handle_intent is not None:
if intent is not None:
self.log_debug('New intent: {}'.format(str(intent.intentName)))
self.handle_intent(intent, payload)
elif msg.topic is not None and msg.topic == MQTT_TOPIC_HOTWORD + 'toggleOn':
self.state_handler.set_state(State.hotword_toggle_on)
elif MQTT_TOPIC_HOTWORD_DETECTED_RE.match(msg.topic):
if not self.first_hotword_detected:
self.client.publish('hermes/feedback/sound/toggleOff', payload=
None, qos=0, retain=False)
self.first_hotword_detected = True
self.state_handler.set_state(State.hotword_detected)
if self.handle_start_listening is not None:
self.handle_start_listening()
elif msg.topic == MQTT_TOPIC_ASR + 'startListening':
self.state_handler.set_state(State.asr_start_listening)
elif msg.topic == MQTT_TOPIC_ASR + 'textCaptured':
self.state_handler.set_state(State.asr_text_captured)
if msg.payload is not None:
self.log_debug('Text captured: {}'.format(str(msg.payload)))
if self.handle_done_listening is not None:
self.handle_done_listening()
payload = json.loads(msg.payload.decode('utf-8'))
if payload['text'] == '':
self.handle_intent(None, None)
elif msg.topic is not None and msg.topic == 'hermes/nlu/intentNotRecognized':
self.handle_intent(None, None)
elif msg.topic == 'snipsmanager/setSnipsfile' and msg.payload:
self.state_handler.set_state(State.asr_text_captured)
elif msg.topic == MQTT_TOPIC_SESSION_STARTED:
self.state_handler.set_state(State.session_started)
if self.handlers_dialogue_events is not None:
self.handlers_dialogue_events(self.DIALOGUE_EVENT_STARTED,
session_id, site_id)
elif msg.topic == MQTT_TOPIC_SESSION_ENDED:
self.state_handler.set_state(State.session_ended)
if self.handlers_dialogue_events is not None:
self.handlers_dialogue_events(self.DIALOGUE_EVENT_ENDED,
session_id, site_id)
elif msg.topic == MQTT_TOPIC_SESSION_QUEUED:
self.state_handler.set_state(State.session_queued)
if self.handlers_dialogue_events is not None:
self.handlers_dialogue_events(self.DIALOGUE_EVENT_QUEUED,
session_id, site_id)
| on_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client, userdata, msg):\n if msg is None:\n return\n self.log_info('New message on topic {}'.format(msg.topic))\n self.log_debug('Payload... |
def x(self, identity_id, per_page=20, page=1):
params = {'per_page': per_page, 'page': page}
return self.request.get(str(identity_id) + '/token', params)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identity_id, per_page=20, page=1):\n params = {'per_page': per_page, 'page': page}\n return self.request.get(str(identity_id) + '/token', params)\n... |
def x(self, identity_id, service, token):
params = {'service': service, 'token': token}
return self.request.post(str(identity_id) + '/token', params)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identity_id, service, token):\n params = {'service': service, 'token': token}\n return self.request.post(str(identity_id) + '/token', params)\n",
... |
def x(self, identity_id, service, token=None):
params = {}
if token:
params['token'] = token
return self.request.put(str(identity_id) + '/token/' + service, params)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, identity_id, service, token=None):\n params = {}\n if token:\n params['token'] = token\n return self.request.put(str(identity_id) + '/tok... |
def x(self, msg, fname, **config):
FNAME = 'handle_%s_autocloud_%s'
if 'compose_id' in msg['msg'] or 'compose_job_id' in msg['msg'
] or 'autocloud.compose' in msg['topic']:
return getattr(self, FNAME % ('v2', fname))(msg, **config)
else:
return getattr(self, FNAME % ('v1', fname))(msg, **config)
| func_router | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, fname, **config):\n FNAME = 'handle_%s_autocloud_%s'\n if 'compose_id' in msg['msg'] or 'compose_job_id' in msg['msg'\n ] or 'autocloud... |
def x(email, password, device_ids=None, nicknames=None, timeout=5):
sesames = []
account = CandyHouseAccount(email, password, timeout=timeout)
for sesame in account.sesames:
if device_ids is not None and sesame['device_id'] not in device_ids:
continue
if nicknames is not None and sesame['nickname'] not in nicknames:
continue
sesames.append(Sesame(account, sesame))
return sesames
| get_sesames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(email, password, device_ids=None, nicknames=None, timeout=5):\n sesames = []\n account = CandyHouseAccount(email, password, timeout=timeout)\n for ses... |
def x(self):
new_b_value = self.gpio_b.is_active
new_a_value = self.gpio_a.is_active
value = self.table_values.value(new_b_value, new_a_value, self.
old_b_value, self.old_a_value)
self.old_b_value = new_b_value
self.old_a_value = new_a_value
if value != 0:
self.when_rotated(value)
| pulse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n new_b_value = self.gpio_b.is_active\n new_a_value = self.gpio_a.is_active\n value = self.table_values.value(new_b_value, new_a_value, self.\n... |
def x(self, default_versions):
default_versions = {self._normalize_archive_name(arch)[1]: v for arch,
v in default_versions.items()}
self._default_versions = default_versions
| default_versions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, default_versions):\n default_versions = {self._normalize_archive_name(arch)[1]: v for arch,\n v in default_versions.items()}\n self._default... |
def x(self, archive_name, authority_name=None, versioned=True, raise_on_err
=True, metadata=None, tags=None, helper=False):
authority_name, archive_name = self._normalize_archive_name(archive_name,
authority_name=authority_name)
if authority_name is None:
authority_name = self.default_authority_name
self._validate_archive_name(archive_name)
if metadata is None:
metadata = {}
res = self.manager.create_archive(archive_name, authority_name,
archive_path=archive_name, versioned=versioned, raise_on_err=
raise_on_err, metadata=metadata, user_config=self.user_config, tags
=tags, helper=helper)
return self._ArchiveConstructor(api=self, **res)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, authority_name=None, versioned=True, raise_on_err\n =True, metadata=None, tags=None, helper=False):\n authority_name, archive_name = ... |
def x(self, archive_name, default_version=None):
auth, archive_name = self._normalize_archive_name(archive_name)
res = self.manager.get_archive(archive_name)
if default_version is None:
default_version = self._default_versions.get(archive_name, None)
if auth is not None and auth != res['authority_name']:
raise ValueError('Archive "{}" not found on {}.'.format(
archive_name, auth) + ' Did you mean "{}://{}"?'.format(res[
'authority_name'], archive_name))
return self._ArchiveConstructor(api=self, default_version=
default_version, **res)
| get_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, default_version=None):\n auth, archive_name = self._normalize_archive_name(archive_name)\n res = self.manager.get_archive(archive_nam... |
def x(self, archive_names, default_versions=None):
archive_names = map(lambda arch: self._normalize_archive_name(arch)[1],
archive_names)
responses = self.manager.batch_get_archive(archive_names)
archives = {}
if default_versions is None:
default_versions = {}
for res in responses:
res['archive_name'] = self._normalize_archive_name(res['archive_name'])
archive_name = res['archive_name']
if hasattr(default_versions, 'get'):
default_version = default_versions.get(archive_name, self.
_default_versions.get(archive_name, None))
else:
default_version = default_versions
archive = self._ArchiveConstructor(api=self, default_version=
default_version, **res)
archives[archive_name] = archive
return archives
| batch_get_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_names, default_versions=None):\n archive_names = map(lambda arch: self._normalize_archive_name(arch)[1],\n archive_names)\n response... |
def x(self, location, authority_name=None):
authority_name, location = self._normalize_archive_name(location,
authority_name=authority_name)
if authority_name is None:
authority_name = self.default_authority_name
return self._authorities[authority_name].fs.listdir(location)
| listdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, authority_name=None):\n authority_name, location = self._normalize_archive_name(location,\n authority_name=authority_name)\n if au... |
def x(self, *query, **kwargs):
prefix = kwargs.get('prefix')
if prefix is not None:
prefix = fs.path.relpath(prefix)
return self.manager.search(query, begins_with=prefix)
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *query, **kwargs):\n prefix = kwargs.get('prefix')\n if prefix is not None:\n prefix = fs.path.relpath(prefix)\n return self.manager.sear... |
def x(self, archive_name):
archive_name = fs.path.normpath(archive_name)
patterns = self.manager.required_archive_patterns
for pattern in patterns:
if not re.search(pattern, archive_name):
raise ValueError("archive name does not match pattern '{}'".
format(pattern))
| validate_archive_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name):\n archive_name = fs.path.normpath(archive_name)\n patterns = self.manager.required_archive_patterns\n for pattern in patterns:\n ... |
def x(f):
md5 = hashlib.md5()
with open_filelike(f, 'rb') as f_obj:
for chunk in iter(lambda : f_obj.read(128 * md5.block_size), b''):
md5.update(chunk)
return {'algorithm': 'md5', 'checksum': md5.hexdigest()}
| hash_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n md5 = hashlib.md5()\n with open_filelike(f, 'rb') as f_obj:\n for chunk in iter(lambda : f_obj.read(128 * md5.block_size), b''):\n ... |
def x(data):
if data is None:
return None
as_li = lambda v: '<li>%s</li>' % v
items = [as_li(v) for v in data]
return mark_safe('<ul>%s</ul>' % ''.join(items))
| html_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n if data is None:\n return None\n as_li = lambda v: '<li>%s</li>' % v\n items = [as_li(v) for v in data]\n return mark_safe('<ul>%s<... |
def x(modeladmin, request, queryset):
for p in queryset:
if p.is_editable:
logger.debug("Ignoring version update '%s' is editable", p.
package_name)
else:
p.update_from_pypi()
| check_pypi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(modeladmin, request, queryset):\n for p in queryset:\n if p.is_editable:\n logger.debug(\"Ignoring version update '%s' is editable\", p.\n... |
def x(self, request, queryset):
if self.value() == '-1':
return queryset.filter(latest_version__isnull=True)
elif self.value() == '0':
return queryset.filter(current_version__isnull=False,
latest_version__isnull=False, latest_version=F('current_version'))
elif self.value() == '1':
return queryset.filter(current_version__isnull=False,
latest_version__isnull=False).exclude(latest_version=F(
'current_version'))
else:
return queryset
| queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n if self.value() == '-1':\n return queryset.filter(latest_version__isnull=True)\n elif self.value() == '0':\n re... |
def x(self, obj):
if obj.latest_version is None or obj.is_editable:
return None
else:
return obj.latest_version != obj.current_version
| updateable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if obj.latest_version is None or obj.is_editable:\n return None\n else:\n return obj.latest_version != obj.current_version\n"... |
def x(self, obj):
from package_monitor import pypi
package = pypi.Package(obj.package_name)
versions = package.all_versions()
return html_list([v for v in versions if v > obj.current_version])
| available_updates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n from package_monitor import pypi\n package = pypi.Package(obj.package_name)\n versions = package.all_versions()\n return html_list([v... |
def x(msg):
agent = msg['msg']['agent']
if isinstance(agent, list):
agent = agent[0]
return agent
| get_agent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n agent = msg['msg']['agent']\n if isinstance(agent, list):\n agent = agent[0]\n return agent\n",
"role": "user"
},
{
"conten... |
def x(case, config, summary):
config['name'] = case
model_dir = os.path.join(livvkit.model_dir, config['data_dir'], case)
bench_dir = os.path.join(livvkit.bench_dir, config['data_dir'], case)
tabs = []
case_summary = LIVVDict()
model_cases = functions.collect_cases(model_dir)
bench_cases = functions.collect_cases(bench_dir)
for subcase in sorted(six.iterkeys(model_cases)):
bench_subcases = bench_cases[subcase] if subcase in bench_cases else []
case_sections = []
for mcase in sorted(model_cases[subcase], key=functions.
sort_processor_counts):
bpath = os.path.join(bench_dir, subcase, mcase.replace('-', os.
path.sep)) if mcase in bench_subcases else ''
mpath = os.path.join(model_dir, subcase, mcase.replace('-', os.
path.sep))
case_result = _analyze_case(mpath, bpath, config)
case_sections.append(elements.section(mcase, case_result))
case_summary[subcase] = _summarize_result(case_result,
case_summary[subcase])
tabs.append(elements.tab(subcase, section_list=case_sections))
result = elements.page(case, config['description'], tab_list=tabs)
summary[case] = case_summary
_print_summary(case, summary[case])
functions.create_page_from_template('verification.html', os.path.join(
livvkit.index_dir, 'verification', case + '.html'))
functions.write_json(result, os.path.join(livvkit.output_dir,
'verification'), case + '.json')
| run_suite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(case, config, summary):\n config['name'] = case\n model_dir = os.path.join(livvkit.model_dir, config['data_dir'], case)\n bench_dir = os.path.join(liv... |
def x(model_dir, bench_dir, config):
bundle = livvkit.verification_model_module
model_out = functions.find_file(model_dir, '*' + config['output_ext'])
bench_out = functions.find_file(bench_dir, '*' + config['output_ext'])
model_config = functions.find_file(model_dir, '*' + config['config_ext'])
bench_config = functions.find_file(bench_dir, '*' + config['config_ext'])
model_log = functions.find_file(model_dir, '*' + config['logfile_ext'])
el = [bit_for_bit(model_out, bench_out, config), diff_configurations(
model_config, bench_config, bundle, bundle), bundle.parse_log(
model_log)]
return el
| analyze_case | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_dir, bench_dir, config):\n bundle = livvkit.verification_model_module\n model_out = functions.find_file(model_dir, '*' + config['output_ext'])\n ... |
def x(case, summary):
for dof, data in summary.items():
b4b = data['Bit for Bit']
conf = data['Configurations']
stdout = data['Std. Out Files']
print(' ' + case + ' ' + str(dof))
print(' --------------------')
print(' Bit for bit matches : ' + str(b4b[0]) + ' of ' + str(
b4b[1]))
print(' Configuration matches : ' + str(conf[0]) + ' of ' + str
(conf[1]))
print(' Std. Out files parsed : ' + str(stdout))
print('')
| print_summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(case, summary):\n for dof, data in summary.items():\n b4b = data['Bit for Bit']\n conf = data['Configurations']\n stdout = data['Std. O... |
def x(result, summary):
if 'Bit for Bit' not in summary:
summary['Bit for Bit'] = [0, 0]
if 'Configurations' not in summary:
summary['Configurations'] = [0, 0]
if 'Std. Out Files' not in summary:
summary['Std. Out Files'] = 0
total_count = 0
failure_count = 0
summary_data = None
for elem in result:
if elem['Type'] == 'Bit for Bit' and 'Data' in elem:
elem_data = elem['Data']
summary_data = summary['Bit for Bit']
total_count += 1
for var in six.iterkeys(elem_data):
if elem_data[var]['Max Error'] != 0:
failure_count += 1
break
if summary_data is not None:
summary_data = np.add(summary_data, [total_count - failure_count,
total_count]).tolist()
summary['Bit for Bit'] = summary_data
summary_data = None
total_count = 0
failure_count = 0
for elem in result:
if elem['Title'] == 'Configuration Comparison' and elem['Type'
] == 'Diff':
elem_data = elem['Data']
summary_data = summary['Configurations']
total_count += 1
failed = False
for section_name, varlist in elem_data.items():
for var, val in varlist.items():
if not val[0]:
failed = True
if failed:
failure_count += 1
if summary_data is not None:
success_count = total_count - failure_count
summary_data = np.add(summary_data, [success_count, total_count]
).tolist()
summary['Configurations'] = summary_data
for elem in result:
if elem['Title'] == 'Output Log' and elem['Type'] == 'Table':
summary['Std. Out Files'] += 1
break
return summary
| summarize_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(result, summary):\n if 'Bit for Bit' not in summary:\n summary['Bit for Bit'] = [0, 0]\n if 'Configurations' not in summary:\n summary['Con... |
def x(model_path, bench_path, config):
fname = model_path.split(os.path.sep)[-1]
if not (os.path.isfile(bench_path) and os.path.isfile(model_path)):
return elements.error('Bit for Bit', 'File named ' + fname +
' has no suitable match!')
try:
model_data = Dataset(model_path)
bench_data = Dataset(bench_path)
except (FileNotFoundError, PermissionError):
return elements.error('Bit for Bit', 'File named ' + fname +
' could not be read!')
if not (netcdf.has_time(model_data) and netcdf.has_time(bench_data)):
return elements.error('Bit for Bit', 'File named ' + fname +
' could not be read!')
headers = ['Max Error', 'Index of Max Error', 'RMS Error', 'Plot']
stats = LIVVDict()
for i, var in enumerate(config['bit_for_bit_vars']):
if var in model_data.variables and var in bench_data.variables:
m_vardata = model_data.variables[var][:]
b_vardata = bench_data.variables[var][:]
diff_data = m_vardata - b_vardata
if diff_data.any():
stats[var]['Max Error'] = np.amax(np.absolute(diff_data))
stats[var]['Index of Max Error'] = str(np.unravel_index(np.
absolute(diff_data).argmax(), diff_data.shape))
stats[var]['RMS Error'] = np.sqrt(np.sum(np.square(
diff_data).flatten()) / diff_data.size)
pf = plot_bit_for_bit(fname, var, m_vardata, b_vardata,
diff_data)
else:
stats[var]['Max Error'] = stats[var]['RMS Error'] = 0
pf = stats[var]['Index of Max Error'] = 'N/A'
stats[var]['Plot'] = pf
else:
stats[var] = {'Max Error': 'No Match', 'RMS Error': 'N/A',
'Plot': 'N/A'}
model_data.close()
bench_data.close()
return elements.bit_for_bit('Bit for Bit', headers, stats)
| bit_for_bit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_path, bench_path, config):\n fname = model_path.split(os.path.sep)[-1]\n if not (os.path.isfile(bench_path) and os.path.isfile(model_path)):\n ... |
def x(model_config, bench_config, model_bundle, bench_bundle):
diff_dict = LIVVDict()
model_data = model_bundle.parse_config(model_config)
bench_data = bench_bundle.parse_config(bench_config)
if model_data == {} and bench_data == {}:
return elements.error('Configuration Comparison',
'Could not open file: ' + model_config.split(os.path.sep)[-1])
model_sections = set(six.iterkeys(model_data))
bench_sections = set(six.iterkeys(bench_data))
all_sections = set(model_sections.union(bench_sections))
for s in all_sections:
model_vars = set(six.iterkeys(model_data[s])
) if s in model_sections else set()
bench_vars = set(six.iterkeys(bench_data[s])
) if s in bench_sections else set()
all_vars = set(model_vars.union(bench_vars))
for v in all_vars:
model_val = model_data[s][v
] if s in model_sections and v in model_vars else 'NA'
bench_val = bench_data[s][v
] if s in bench_sections and v in bench_vars else 'NA'
same = (True if model_val == bench_val and model_val != 'NA' else
False)
diff_dict[s][v] = same, model_val, bench_val
return elements.file_diff('Configuration Comparison', diff_dict)
| diff_configurations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_config, bench_config, model_bundle, bench_bundle):\n diff_dict = LIVVDict()\n model_data = model_bundle.parse_config(model_config)\n bench_data ... |
def x(case, var_name, model_data, bench_data, diff_data):
plot_title = ''
plot_name = case + '_' + var_name + '.png'
plot_path = os.path.join(os.path.join(livvkit.output_dir,
'verification', 'imgs'))
functions.mkdir_p(plot_path)
m_ndim = np.ndim(model_data)
b_ndim = np.ndim(bench_data)
if m_ndim != b_ndim:
return "Dataset dimensions didn't match!"
if m_ndim == 3:
model_data = model_data[-1]
bench_data = bench_data[-1]
diff_data = diff_data[-1]
plot_title = 'Showing ' + var_name + '[-1,:,:]'
elif m_ndim == 4:
model_data = model_data[-1][0]
bench_data = bench_data[-1][0]
diff_data = diff_data[-1][0]
plot_title = 'Showing ' + var_name + '[-1,0,:,:]'
plt.figure(figsize=(12, 3), dpi=80)
plt.clf()
_max = np.amax([np.amax(model_data), np.amax(bench_data)])
_min = np.amin([np.amin(model_data), np.amin(bench_data)])
plt.subplot(1, 3, 1)
plt.xlabel('Model Data')
plt.ylabel(var_name)
plt.xticks([])
plt.yticks([])
plt.imshow(model_data, vmin=_min, vmax=_max, interpolation='nearest',
cmap=colormaps.viridis)
plt.colorbar()
plt.subplot(1, 3, 2)
plt.xlabel('Benchmark Data')
plt.xticks([])
plt.yticks([])
plt.imshow(bench_data, vmin=_min, vmax=_max, interpolation='nearest',
cmap=colormaps.viridis)
plt.colorbar()
plt.subplot(1, 3, 3)
plt.xlabel('Difference')
plt.xticks([])
plt.yticks([])
plt.imshow(diff_data, interpolation='nearest', cmap=colormaps.viridis)
plt.colorbar()
plt.tight_layout(rect=(0, 0, 0.95, 0.9))
plt.suptitle(plot_title)
plot_file = os.path.sep.join([plot_path, plot_name])
if livvkit.publish:
plt.savefig(os.path.splitext(plot_file)[0] + '.eps', dpi=600)
plt.savefig(plot_file)
plt.close()
return os.path.join(os.path.relpath(plot_path, os.path.join(livvkit.
output_dir, 'verification')), plot_name)
| plot_bit_for_bit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(case, var_name, model_data, bench_data, diff_data):\n plot_title = ''\n plot_name = case + '_' + var_name + '.png'\n plot_path = os.path.join(os.path.... |
def x(self, *args, **kwargs):
campaign = super(Campaign, self).save(*args, **kwargs)
save_campaign_special_coverage_percolator.delay(self.tunic_campaign_id)
return campaign
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n campaign = super(Campaign, self).save(*args, **kwargs)\n save_campaign_special_coverage_percolator.delay(self.tunic_campaign_id... |
def x(self, table, cols='*'):
return self.count_rows(table, '*') - self.count_rows_distinct(table, cols)
| count_rows_duplicates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, cols='*'):\n return self.count_rows(table, '*') - self.count_rows_distinct(table, cols)\n",
"role": "user"
},
{
"content": "count_r... |
def x(self, table, cols='*'):
query = 'SELECT COUNT({0}) FROM {1}'.format(join_cols(cols), wrap(table))
result = self.fetch(query)
return result if result is not None else 0
| count_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, cols='*'):\n query = 'SELECT COUNT({0}) FROM {1}'.format(join_cols(cols), wrap(table))\n result = self.fetch(query)\n return result if re... |
def x(self, table, cols='*'):
return self.fetch('SELECT COUNT(DISTINCT {0}) FROM {1}'.format(
join_cols(cols), wrap(table)))
| count_rows_distinct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, cols='*'):\n return self.fetch('SELECT COUNT(DISTINCT {0}) FROM {1}'.format(\n join_cols(cols), wrap(table)))\n",
"role": "user"
}... |
def x(self, table):
for col in self.get_columns(table):
if self.count_rows_duplicates(table, col) == 0:
return col
| get_unique_column | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n for col in self.get_columns(table):\n if self.count_rows_duplicates(table, col) == 0:\n return col\n",
"role": "user"
... |
def x(self, table, column):
query = 'SELECT {0} FROM {1} GROUP BY {0} HAVING COUNT(*) > 1'.format(
join_cols(column), wrap(table))
return self.fetch(query)
| get_duplicate_vals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, column):\n query = 'SELECT {0} FROM {1} GROUP BY {0} HAVING COUNT(*) > 1'.format(\n join_cols(column), wrap(table))\n return self.fet... |
def x(self, field):
field_info = self.get_attributes(field)
field_info['required'] = getattr(field, 'required', False)
field_info['type'] = self.get_label_lookup(field)
if getattr(field, 'child', None):
field_info['child'] = self.get_field_info(field.child)
elif getattr(field, 'fields', None):
field_info['children'] = self.get_serializer_info(field)
if not isinstance(field, (serializers.RelatedField, serializers.
ManyRelatedField)) and hasattr(field, 'choices'):
field_info['choices'] = [{'value': choice_value, 'display_name':
force_text(choice_name, strings_only=True)} for choice_value,
choice_name in field.choices.items()]
return field_info
| get_field_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field):\n field_info = self.get_attributes(field)\n field_info['required'] = getattr(field, 'required', False)\n field_info['type'] = self.get_l... |
def x(self):
if len(self.model.db) == 0:
return 0
return max(map(lambda obj: obj['id'], self.model.db))
| maxId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if len(self.model.db) == 0:\n return 0\n return max(map(lambda obj: obj['id'], self.model.db))\n",
"role": "user"
},
{
"conte... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.