source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self, **kw):
assert 'name' in kw
assert 'latitude' in kw
assert 'longitude' in kw
location_kw = {'latitude': kw['latitude'], 'longitude': kw['longitude']}
del kw['latitude']
del kw['longitude']
with self.write_tag_with_content('Waypoint', **kw):
self.write_tag('Location', **location_kw)
|
write_waypoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kw):\n assert 'name' in kw\n assert 'latitude' in kw\n assert 'longitude' in kw\n location_kw = {'latitude': kw['latitude'], 'longitude': kw['longitude']}\n del kw['latitude']\n del kw['longitude']\n with self.write_tag_with_content('Waypoint', **kw):\n self.write_tag('Location', **location_kw)\n",
"role": "user"
},
{
"content": "write_waypoint",
"role": "assistant"
}
] |
def x(self, **kw):
assert 'type' in kw
if kw['type'] == ObservationZoneType.LINE:
assert 'length' in kw
elif kw['type'] == ObservationZoneType.CYLINDER:
assert 'radius' in kw
elif kw['type'] == ObservationZoneType.SECTOR:
assert 'radius' in kw
assert 'start_radial' in kw
assert 'end_radial' in kw
elif kw['type'] == ObservationZoneType.SYMMETRIC_QUADRANT:
assert 'radius' in kw
elif kw['type'] == ObservationZoneType.CUSTOM_KEYHOLE:
assert 'radius' in kw
assert 'inner_radius' in kw
assert 'angle' in kw
self.write_tag('ObservationZone', **kw)
|
write_observation_zone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kw):\n assert 'type' in kw\n if kw['type'] == ObservationZoneType.LINE:\n assert 'length' in kw\n elif kw['type'] == ObservationZoneType.CYLINDER:\n assert 'radius' in kw\n elif kw['type'] == ObservationZoneType.SECTOR:\n assert 'radius' in kw\n assert 'start_radial' in kw\n assert 'end_radial' in kw\n elif kw['type'] == ObservationZoneType.SYMMETRIC_QUADRANT:\n assert 'radius' in kw\n elif kw['type'] == ObservationZoneType.CUSTOM_KEYHOLE:\n assert 'radius' in kw\n assert 'inner_radius' in kw\n assert 'angle' in kw\n self.write_tag('ObservationZone', **kw)\n",
"role": "user"
},
{
"content": "write_observation_zone",
"role": "assistant"
}
] |
def x(self):
return [field.name for field in self._meta.fields if field.
get_internal_type() == 'PlaceholderField']
|
get_placeholder_field_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [field.name for field in self._meta.fields if field.\n get_internal_type() == 'PlaceholderField']\n",
"role": "user"
},
{
"content": "get_placeholder_field_names",
"role": "assistant"
}
] |
def x():
resp = make_response('Logging Out')
resp.set_cookie('sub', 'null', expires=0)
resp.set_cookie('session_id', 'null', expires=0)
return resp
|
logout_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n resp = make_response('Logging Out')\n resp.set_cookie('sub', 'null', expires=0)\n resp.set_cookie('session_id', 'null', expires=0)\n return resp\n",
"role": "user"
},
{
"content": "logout_callback",
"role": "assistant"
}
] |
def x(self):
try:
logger.debug('Socket connecting to %s:%s', self.host, self.port)
self.sock.connect((self.host, self.port))
except socket.error as e:
logger.exception('socket error %s', e)
logger.error('Closing socket and recreating a new one.')
self.sock.close()
self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
self.sock.connect((self.host, self.port))
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n logger.debug('Socket connecting to %s:%s', self.host, self.port)\n self.sock.connect((self.host, self.port))\n except socket.error as e:\n logger.exception('socket error %s', e)\n logger.error('Closing socket and recreating a new one.')\n self.sock.close()\n self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n self.sock.connect((self.host, self.port))\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, command):
cmd = json.dumps(command)
cmd = '{:04d}'.format(len(cmd)) + cmd
msg_length = len(cmd)
if not self.firstDone:
logger.info('Initiating first time socket connection.')
self.__connect()
self.firstDone = True
totalsent = 0
while totalsent < msg_length:
try:
logger.debug('Sending: %s', cmd[totalsent:])
sent = self.sock.send(cmd[totalsent:])
totalsent = totalsent + sent
except socket.error as e:
logger.exception('Reconneting due to socket error. %s', e)
self.__connect()
logger.info('Reconnected to socket.')
parts = []
resp_length = 0
received = 0
done = False
while not done:
part = self.sock.recv(1024)
if part == '':
logger.error('Socket connection broken, read empty.')
self.__connect()
logger.info('Reconnected to socket.')
if len(part) > 0 and resp_length == 0:
resp_length = int(part[0:4])
part = part[4:]
received = received + len(part)
if received >= resp_length:
done = True
parts.append(part)
response = ''.join(parts)
return json.loads(response)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n cmd = json.dumps(command)\n cmd = '{:04d}'.format(len(cmd)) + cmd\n msg_length = len(cmd)\n if not self.firstDone:\n logger.info('Initiating first time socket connection.')\n self.__connect()\n self.firstDone = True\n totalsent = 0\n while totalsent < msg_length:\n try:\n logger.debug('Sending: %s', cmd[totalsent:])\n sent = self.sock.send(cmd[totalsent:])\n totalsent = totalsent + sent\n except socket.error as e:\n logger.exception('Reconneting due to socket error. %s', e)\n self.__connect()\n logger.info('Reconnected to socket.')\n parts = []\n resp_length = 0\n received = 0\n done = False\n while not done:\n part = self.sock.recv(1024)\n if part == '':\n logger.error('Socket connection broken, read empty.')\n self.__connect()\n logger.info('Reconnected to socket.')\n if len(part) > 0 and resp_length == 0:\n resp_length = int(part[0:4])\n part = part[4:]\n received = received + len(part)\n if received >= resp_length:\n done = True\n parts.append(part)\n response = ''.join(parts)\n return json.loads(response)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self, command, **kwargs):
payload = {'command': command, 'params': dict()}
for item in kwargs.keys():
payload['params'][item] = kwargs.get(item)
if self.access_token:
payload['params']['protection_access_token'] = self.access_token
return self.send(payload)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, **kwargs):\n payload = {'command': command, 'params': dict()}\n for item in kwargs.keys():\n payload['params'][item] = kwargs.get(item)\n if self.access_token:\n payload['params']['protection_access_token'] = self.access_token\n return self.send(payload)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, command, **kwargs):
url = self.base + command.replace('_', '-')
req = urllib2.Request(url, json.dumps(kwargs))
req.add_header('User-Agent', 'oxdpython/%s' % __version__)
req.add_header('Content-type', 'application/json; charset=UTF-8')
if self.access_token:
req.add_header('Authorization', 'Bearer {0}'.format(self.access_token))
gcontext = ssl.SSLContext(ssl.PROTOCOL_TLSv1)
resp = urllib2.urlopen(req, context=gcontext)
return json.load(resp)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, **kwargs):\n url = self.base + command.replace('_', '-')\n req = urllib2.Request(url, json.dumps(kwargs))\n req.add_header('User-Agent', 'oxdpython/%s' % __version__)\n req.add_header('Content-type', 'application/json; charset=UTF-8')\n if self.access_token:\n req.add_header('Authorization', 'Bearer {0}'.format(self.access_token))\n gcontext = ssl.SSLContext(ssl.PROTOCOL_TLSv1)\n resp = urllib2.urlopen(req, context=gcontext)\n return json.load(resp)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x():
chebi_entity = ChebiEntity(15903)
print(chebi_entity.get_name())
for outgoing in chebi_entity.get_outgoings():
target_chebi_entity = ChebiEntity(outgoing.get_target_chebi_id())
print(outgoing.get_type() + '\t' + target_chebi_entity.get_name())
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n chebi_entity = ChebiEntity(15903)\n print(chebi_entity.get_name())\n for outgoing in chebi_entity.get_outgoings():\n target_chebi_entity = ChebiEntity(outgoing.get_target_chebi_id())\n print(outgoing.get_type() + '\\t' + target_chebi_entity.get_name())\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
parent_id = parsers.get_parent_id(self.__chebi_id)
return None if math.isnan(parent_id) else 'CHEBI:' + str(parent_id)
|
get_parent_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parent_id = parsers.get_parent_id(self.__chebi_id)\n return None if math.isnan(parent_id) else 'CHEBI:' + str(parent_id)\n",
"role": "user"
},
{
"content": "get_parent_id",
"role": "assistant"
}
] |
def x(self):
mass = parsers.get_mass(self.__chebi_id)
if math.isnan(mass):
mass = parsers.get_mass(self.get_parent_id())
if math.isnan(mass):
for parent_or_child_id in self.__get_all_ids():
mass = parsers.get_mass(parent_or_child_id)
if not math.isnan(mass):
break
return mass
|
get_mass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mass = parsers.get_mass(self.__chebi_id)\n if math.isnan(mass):\n mass = parsers.get_mass(self.get_parent_id())\n if math.isnan(mass):\n for parent_or_child_id in self.__get_all_ids():\n mass = parsers.get_mass(parent_or_child_id)\n if not math.isnan(mass):\n break\n return mass\n",
"role": "user"
},
{
"content": "get_mass",
"role": "assistant"
}
] |
def x(self):
charge = parsers.get_charge(self.__chebi_id)
if math.isnan(charge):
charge = parsers.get_charge(self.get_parent_id())
if math.isnan(charge):
for parent_or_child_id in self.__get_all_ids():
charge = parsers.get_charge(parent_or_child_id)
if not math.isnan(charge):
break
return charge
|
get_charge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n charge = parsers.get_charge(self.__chebi_id)\n if math.isnan(charge):\n charge = parsers.get_charge(self.get_parent_id())\n if math.isnan(charge):\n for parent_or_child_id in self.__get_all_ids():\n charge = parsers.get_charge(parent_or_child_id)\n if not math.isnan(charge):\n break\n return charge\n",
"role": "user"
},
{
"content": "get_charge",
"role": "assistant"
}
] |
def x(self):
name = parsers.get_name(self.__chebi_id)
if name is None:
name = parsers.get_name(self.get_parent_id())
if name is None:
for parent_or_child_id in self.__get_all_ids():
name = parsers.get_name(parent_or_child_id)
if name is not None:
break
return name
|
get_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n name = parsers.get_name(self.__chebi_id)\n if name is None:\n name = parsers.get_name(self.get_parent_id())\n if name is None:\n for parent_or_child_id in self.__get_all_ids():\n name = parsers.get_name(parent_or_child_id)\n if name is not None:\n break\n return name\n",
"role": "user"
},
{
"content": "get_name",
"role": "assistant"
}
] |
def x(self):
definition = parsers.get_definition(self.__chebi_id)
if definition is None:
definition = parsers.get_definition(self.get_parent_id())
if definition is None:
for parent_or_child_id in self.__get_all_ids():
definition = parsers.get_definition(parent_or_child_id)
if definition is not None:
break
return definition
|
get_definition
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n definition = parsers.get_definition(self.__chebi_id)\n if definition is None:\n definition = parsers.get_definition(self.get_parent_id())\n if definition is None:\n for parent_or_child_id in self.__get_all_ids():\n definition = parsers.get_definition(parent_or_child_id)\n if definition is not None:\n break\n return definition\n",
"role": "user"
},
{
"content": "get_definition",
"role": "assistant"
}
] |
def x(self):
created_by = parsers.get_created_by(self.__chebi_id)
if created_by is None:
created_by = parsers.get_created_by(self.get_parent_id())
if created_by is None:
for parent_or_child_id in self.__get_all_ids():
created_by = parsers.get_created_by(parent_or_child_id)
if created_by is not None:
break
return created_by
|
get_created_by
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n created_by = parsers.get_created_by(self.__chebi_id)\n if created_by is None:\n created_by = parsers.get_created_by(self.get_parent_id())\n if created_by is None:\n for parent_or_child_id in self.__get_all_ids():\n created_by = parsers.get_created_by(parent_or_child_id)\n if created_by is not None:\n break\n return created_by\n",
"role": "user"
},
{
"content": "get_created_by",
"role": "assistant"
}
] |
def x(self):
inchi = parsers.get_inchi(self.__chebi_id)
if inchi is None:
inchi = parsers.get_inchi(self.get_parent_id())
if inchi is None:
for parent_or_child_id in self.__get_all_ids():
inchi = parsers.get_inchi(parent_or_child_id)
if inchi is not None:
break
return inchi
|
get_inchi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n inchi = parsers.get_inchi(self.__chebi_id)\n if inchi is None:\n inchi = parsers.get_inchi(self.get_parent_id())\n if inchi is None:\n for parent_or_child_id in self.__get_all_ids():\n inchi = parsers.get_inchi(parent_or_child_id)\n if inchi is not None:\n break\n return inchi\n",
"role": "user"
},
{
"content": "get_inchi",
"role": "assistant"
}
] |
def x(self):
structure = parsers.get_mol(self.__chebi_id)
if structure is None:
structure = parsers.get_mol(self.get_parent_id())
if structure is None:
for parent_or_child_id in self.__get_all_ids():
structure = parsers.get_mol(parent_or_child_id)
if structure is not None:
break
return None if structure is None else structure.get_structure()
|
get_mol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n structure = parsers.get_mol(self.__chebi_id)\n if structure is None:\n structure = parsers.get_mol(self.get_parent_id())\n if structure is None:\n for parent_or_child_id in self.__get_all_ids():\n structure = parsers.get_mol(parent_or_child_id)\n if structure is not None:\n break\n return None if structure is None else structure.get_structure()\n",
"role": "user"
},
{
"content": "get_mol",
"role": "assistant"
}
] |
def x(self):
mol_filename = parsers.get_mol_filename(self.__chebi_id)
if mol_filename is None:
mol_filename = parsers.get_mol_filename(self.get_parent_id())
if mol_filename is None:
for parent_or_child_id in self.__get_all_ids():
mol_filename = parsers.get_mol_filename(parent_or_child_id)
if mol_filename is not None:
break
return mol_filename
|
get_mol_filename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mol_filename = parsers.get_mol_filename(self.__chebi_id)\n if mol_filename is None:\n mol_filename = parsers.get_mol_filename(self.get_parent_id())\n if mol_filename is None:\n for parent_or_child_id in self.__get_all_ids():\n mol_filename = parsers.get_mol_filename(parent_or_child_id)\n if mol_filename is not None:\n break\n return mol_filename\n",
"role": "user"
},
{
"content": "get_mol_filename",
"role": "assistant"
}
] |
def x(self):
if self.__all_ids is None:
parent_id = parsers.get_parent_id(self.__chebi_id)
self.__all_ids = parsers.get_all_ids(self.__chebi_id if math.isnan(
parent_id) else parent_id)
if self.__all_ids is None:
self.__all_ids = []
return self.__all_ids
|
get_all_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__all_ids is None:\n parent_id = parsers.get_parent_id(self.__chebi_id)\n self.__all_ids = parsers.get_all_ids(self.__chebi_id if math.isnan(\n parent_id) else parent_id)\n if self.__all_ids is None:\n self.__all_ids = []\n return self.__all_ids\n",
"role": "user"
},
{
"content": "get_all_ids",
"role": "assistant"
}
] |
def x(self, http_method, scope):
for con in self.conditions:
if http_method in con['httpMethods']:
if isinstance(scope, list):
con['scopes'] = scope
elif isinstance(scope, str) or isinstance(scope, unicode):
con['scopes'].append(scope)
return
if isinstance(scope, list):
self.conditions.append({'httpMethods': [http_method], 'scopes': scope})
elif isinstance(scope, str) or isinstance(scope, unicode):
self.conditions.append({'httpMethods': [http_method], 'scopes': [
scope]})
|
set_scope
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, http_method, scope):\n for con in self.conditions:\n if http_method in con['httpMethods']:\n if isinstance(scope, list):\n con['scopes'] = scope\n elif isinstance(scope, str) or isinstance(scope, unicode):\n con['scopes'].append(scope)\n return\n if isinstance(scope, list):\n self.conditions.append({'httpMethods': [http_method], 'scopes': scope})\n elif isinstance(scope, str) or isinstance(scope, unicode):\n self.conditions.append({'httpMethods': [http_method], 'scopes': [\n scope]})\n",
"role": "user"
},
{
"content": "set_scope",
"role": "assistant"
}
] |
def x(self, path):
if not isinstance(path, str) and not isinstance(path, unicode):
raise TypeError(
'The value passed for parameter path is not a str or unicode')
resource = Resource(path)
self.resources[path] = resource
return resource
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n if not isinstance(path, str) and not isinstance(path, unicode):\n raise TypeError(\n 'The value passed for parameter path is not a str or unicode')\n resource = Resource(path)\n self.resources[path] = resource\n return resource\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(term, exact=False, rows=1000000.0):
url = ('https://www.ebi.ac.uk/ols/api/search?ontology=chebi' +
'&exact=' + str(exact) + '&q=' + term + '&rows=' + str(int(rows)))
response = requests.get(url)
data = response.json()
return [ChebiEntity(doc['obo_id']) for doc in data['response']['docs']]
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(term, exact=False, rows=1000000.0):\n url = ('https://www.ebi.ac.uk/ols/api/search?ontology=chebi' +\n '&exact=' + str(exact) + '&q=' + term + '&rows=' + str(int(rows)))\n response = requests.get(url)\n data = response.json()\n return [ChebiEntity(doc['obo_id']) for doc in data['response']['docs']]\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self, section, key):
try:
return self.parser.get(section, key)
except (NoOptionError, NoSectionError) as e:
logger.warning('%s', e)
return None
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, key):\n try:\n return self.parser.get(section, key)\n except (NoOptionError, NoSectionError) as e:\n logger.warning('%s', e)\n return None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, section, key, value):
if not self.parser.has_section(section):
logger.warning('Invalid config section: %s', section)
return False
self.parser.set(section, key, value)
with open(self.config_file, 'wb') as cfile:
self.parser.write(cfile)
return True
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, key, value):\n if not self.parser.has_section(section):\n logger.warning('Invalid config section: %s', section)\n return False\n self.parser.set(section, key, value)\n with open(self.config_file, 'wb') as cfile:\n self.parser.write(cfile)\n return True\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(chebi_ids):
all_formulae = [get_formulae(chebi_id) for chebi_id in chebi_ids]
return [x for sublist in all_formulae for x in sublist]
|
get_all_formulae
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_formulae = [get_formulae(chebi_id) for chebi_id in chebi_ids]\n return [x for sublist in all_formulae for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_formulae",
"role": "assistant"
}
] |
def x(chebi_id):
if len(__MASSES) == 0:
__parse_chemical_data()
return __MASSES[chebi_id] if chebi_id in __MASSES else float('NaN')
|
get_mass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_id):\n if len(__MASSES) == 0:\n __parse_chemical_data()\n return __MASSES[chebi_id] if chebi_id in __MASSES else float('NaN')\n",
"role": "user"
},
{
"content": "get_mass",
"role": "assistant"
}
] |
def x(chebi_id):
if len(__CHARGES) == 0:
__parse_chemical_data()
return __CHARGES[chebi_id] if chebi_id in __CHARGES else float('NaN')
|
get_charge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_id):\n if len(__CHARGES) == 0:\n __parse_chemical_data()\n return __CHARGES[chebi_id] if chebi_id in __CHARGES else float('NaN')\n",
"role": "user"
},
{
"content": "get_charge",
"role": "assistant"
}
] |
def x():
filename = get_file('chemical_data.tsv')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
if tokens[3] == 'FORMULA':
chebi_id = int(tokens[1])
if chebi_id not in __FORMULAE:
__FORMULAE[chebi_id] = []
form = Formula(tokens[4], tokens[2])
__FORMULAE[chebi_id].append(form)
elif tokens[3] == 'MASS':
__MASSES[int(tokens[1])] = float(tokens[4])
elif tokens[3] == 'CHARGE':
__CHARGES[int(tokens[1])] = int(tokens[4] if tokens[4][-1] !=
'-' else '-' + tokens[4][:-1])
|
parse_chemical_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('chemical_data.tsv')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n if tokens[3] == 'FORMULA':\n chebi_id = int(tokens[1])\n if chebi_id not in __FORMULAE:\n __FORMULAE[chebi_id] = []\n form = Formula(tokens[4], tokens[2])\n __FORMULAE[chebi_id].append(form)\n elif tokens[3] == 'MASS':\n __MASSES[int(tokens[1])] = float(tokens[4])\n elif tokens[3] == 'CHARGE':\n __CHARGES[int(tokens[1])] = int(tokens[4] if tokens[4][-1] !=\n '-' else '-' + tokens[4][:-1])\n",
"role": "user"
},
{
"content": "parse_chemical_data",
"role": "assistant"
}
] |
def x(chebi_ids):
all_comments = [get_comments(chebi_id) for chebi_id in chebi_ids]
return [x for sublist in all_comments for x in sublist]
|
get_all_comments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_comments = [get_comments(chebi_id) for chebi_id in chebi_ids]\n return [x for sublist in all_comments for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_comments",
"role": "assistant"
}
] |
def x():
filename = get_file('comments.tsv')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
chebi_id = int(tokens[1])
if chebi_id not in __COMMENTS:
__COMMENTS[chebi_id] = []
com = Comment(tokens[3], tokens[4], tokens[5], datetime.
datetime.strptime(tokens[2], '%Y-%M-%d'))
__COMMENTS[chebi_id].append(com)
|
parse_comments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('comments.tsv')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n chebi_id = int(tokens[1])\n if chebi_id not in __COMMENTS:\n __COMMENTS[chebi_id] = []\n com = Comment(tokens[3], tokens[4], tokens[5], datetime.\n datetime.strptime(tokens[2], '%Y-%M-%d'))\n __COMMENTS[chebi_id].append(com)\n",
"role": "user"
},
{
"content": "parse_comments",
"role": "assistant"
}
] |
def x(chebi_ids):
all_compound_origins = [get_compound_origins(chebi_id) for chebi_id in
chebi_ids]
return [x for sublist in all_compound_origins for x in sublist]
|
get_all_compound_origins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_compound_origins = [get_compound_origins(chebi_id) for chebi_id in\n chebi_ids]\n return [x for sublist in all_compound_origins for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_compound_origins",
"role": "assistant"
}
] |
def x():
filename = get_file('compound_origins.tsv')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
if len(tokens) > 10:
chebi_id = int(tokens[1])
if chebi_id not in __COMPOUND_ORIGINS:
__COMPOUND_ORIGINS[chebi_id] = []
comp_orig = CompoundOrigin(tokens[2], tokens[3], tokens[4],
tokens[5], tokens[6], tokens[7], tokens[8], tokens[9],
tokens[10])
__COMPOUND_ORIGINS[chebi_id].append(comp_orig)
|
parse_compound_origins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('compound_origins.tsv')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n if len(tokens) > 10:\n chebi_id = int(tokens[1])\n if chebi_id not in __COMPOUND_ORIGINS:\n __COMPOUND_ORIGINS[chebi_id] = []\n comp_orig = CompoundOrigin(tokens[2], tokens[3], tokens[4],\n tokens[5], tokens[6], tokens[7], tokens[8], tokens[9],\n tokens[10])\n __COMPOUND_ORIGINS[chebi_id].append(comp_orig)\n",
"role": "user"
},
{
"content": "parse_compound_origins",
"role": "assistant"
}
] |
def x(chebi_id):
if len(__PARENT_IDS) == 0:
__parse_compounds()
return __PARENT_IDS[chebi_id] if chebi_id in __PARENT_IDS else float('NaN')
|
get_parent_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_id):\n if len(__PARENT_IDS) == 0:\n __parse_compounds()\n return __PARENT_IDS[chebi_id] if chebi_id in __PARENT_IDS else float('NaN')\n",
"role": "user"
},
{
"content": "get_parent_id",
"role": "assistant"
}
] |
def x(chebi_ids):
all_modified_ons = [get_modified_on(chebi_id) for chebi_id in chebi_ids]
all_modified_ons = [modified_on for modified_on in all_modified_ons if
modified_on is not None]
return None if len(all_modified_ons) == 0 else sorted(all_modified_ons)[-1]
|
get_all_modified_on
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_modified_ons = [get_modified_on(chebi_id) for chebi_id in chebi_ids]\n all_modified_ons = [modified_on for modified_on in all_modified_ons if \n modified_on is not None]\n return None if len(all_modified_ons) == 0 else sorted(all_modified_ons)[-1]\n",
"role": "user"
},
{
"content": "get_all_modified_on",
"role": "assistant"
}
] |
def x(chebi_id):
if len(__STARS) == 0:
__parse_compounds()
return __STARS[chebi_id] if chebi_id in __STARS else float('NaN')
|
get_star
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_id):\n if len(__STARS) == 0:\n __parse_compounds()\n return __STARS[chebi_id] if chebi_id in __STARS else float('NaN')\n",
"role": "user"
},
{
"content": "get_star",
"role": "assistant"
}
] |
def x():
filename = get_file('compounds.tsv.gz')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
chebi_id = int(tokens[0])
__STATUSES[chebi_id] = tokens[1]
__SOURCES[chebi_id] = tokens[3]
parent_id_token = tokens[4]
__PARENT_IDS[chebi_id] = float('NaN'
) if parent_id_token == 'null' else int(parent_id_token)
__put_all_ids(chebi_id, chebi_id)
if parent_id_token != 'null':
parent_id = int(parent_id_token)
__put_all_ids(parent_id, chebi_id)
__NAMES[chebi_id] = None if tokens[5] == 'null' else tokens[5]
__DEFINITIONS[chebi_id] = None if tokens[6] == 'null' else tokens[6
]
__MODIFIED_ONS[chebi_id] = None if tokens[7
] == 'null' else datetime.datetime.strptime(tokens[7],
'%Y-%m-%d')
__CREATED_BYS[chebi_id] = None if tokens[8] == 'null' or len(tokens
) == 9 else tokens[8]
__STARS[chebi_id] = float('NaN') if tokens[9 if len(tokens) > 9
else 8] == 'null' else int(tokens[9 if len(tokens) > 9 else 8]
)
|
parse_compounds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('compounds.tsv.gz')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n chebi_id = int(tokens[0])\n __STATUSES[chebi_id] = tokens[1]\n __SOURCES[chebi_id] = tokens[3]\n parent_id_token = tokens[4]\n __PARENT_IDS[chebi_id] = float('NaN'\n ) if parent_id_token == 'null' else int(parent_id_token)\n __put_all_ids(chebi_id, chebi_id)\n if parent_id_token != 'null':\n parent_id = int(parent_id_token)\n __put_all_ids(parent_id, chebi_id)\n __NAMES[chebi_id] = None if tokens[5] == 'null' else tokens[5]\n __DEFINITIONS[chebi_id] = None if tokens[6] == 'null' else tokens[6\n ]\n __MODIFIED_ONS[chebi_id] = None if tokens[7\n ] == 'null' else datetime.datetime.strptime(tokens[7],\n '%Y-%m-%d')\n __CREATED_BYS[chebi_id] = None if tokens[8] == 'null' or len(tokens\n ) == 9 else tokens[8]\n __STARS[chebi_id] = float('NaN') if tokens[9 if len(tokens) > 9\n else 8] == 'null' else int(tokens[9 if len(tokens) > 9 else 8]\n )\n",
"role": "user"
},
{
"content": "parse_compounds",
"role": "assistant"
}
] |
def x(parent_id, child_id):
if parent_id in __ALL_IDS:
__ALL_IDS[parent_id].append(child_id)
else:
__ALL_IDS[parent_id] = [child_id]
|
put_all_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent_id, child_id):\n if parent_id in __ALL_IDS:\n __ALL_IDS[parent_id].append(child_id)\n else:\n __ALL_IDS[parent_id] = [child_id]\n",
"role": "user"
},
{
"content": "put_all_ids",
"role": "assistant"
}
] |
def x(chebi_ids):
all_database_accessions = [get_database_accessions(chebi_id) for
chebi_id in chebi_ids]
return [x for sublist in all_database_accessions for x in sublist]
|
get_all_database_accessions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_database_accessions = [get_database_accessions(chebi_id) for\n chebi_id in chebi_ids]\n return [x for sublist in all_database_accessions for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_database_accessions",
"role": "assistant"
}
] |
def x():
filename = get_file('database_accession.tsv')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
chebi_id = int(tokens[1])
if chebi_id not in __DATABASE_ACCESSIONS:
__DATABASE_ACCESSIONS[chebi_id] = []
dat_acc = DatabaseAccession(tokens[3], tokens[4], tokens[2])
__DATABASE_ACCESSIONS[chebi_id].append(dat_acc)
|
parse_database_accessions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('database_accession.tsv')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n chebi_id = int(tokens[1])\n if chebi_id not in __DATABASE_ACCESSIONS:\n __DATABASE_ACCESSIONS[chebi_id] = []\n dat_acc = DatabaseAccession(tokens[3], tokens[4], tokens[2])\n __DATABASE_ACCESSIONS[chebi_id].append(dat_acc)\n",
"role": "user"
},
{
"content": "parse_database_accessions",
"role": "assistant"
}
] |
def x():
filename = get_file('chebiId_inchi.tsv')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
__INCHIS[int(tokens[0])] = tokens[1]
|
parse_inchi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('chebiId_inchi.tsv')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n __INCHIS[int(tokens[0])] = tokens[1]\n",
"role": "user"
},
{
"content": "parse_inchi",
"role": "assistant"
}
] |
def x(chebi_ids):
all_names = [get_names(chebi_id) for chebi_id in chebi_ids]
return [x for sublist in all_names for x in sublist]
|
get_all_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_names = [get_names(chebi_id) for chebi_id in chebi_ids]\n return [x for sublist in all_names for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_names",
"role": "assistant"
}
] |
def x():
filename = get_file('names.tsv.gz')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
chebi_id = int(tokens[1])
if chebi_id not in __ALL_NAMES:
__ALL_NAMES[chebi_id] = []
nme = Name(tokens[4], tokens[2], tokens[3], tokens[5] == 'T',
tokens[6])
__ALL_NAMES[chebi_id].append(nme)
|
parse_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('names.tsv.gz')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n chebi_id = int(tokens[1])\n if chebi_id not in __ALL_NAMES:\n __ALL_NAMES[chebi_id] = []\n nme = Name(tokens[4], tokens[2], tokens[3], tokens[5] == 'T',\n tokens[6])\n __ALL_NAMES[chebi_id].append(nme)\n",
"role": "user"
},
{
"content": "parse_names",
"role": "assistant"
}
] |
def x(chebi_ids):
references = []
chebi_ids = [str(chebi_id) for chebi_id in chebi_ids]
filename = get_file('reference.tsv.gz')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
if tokens[0] in chebi_ids:
if len(tokens) > 3:
ref = Reference(tokens[1], tokens[2], tokens[3], tokens[4])
else:
ref = Reference(tokens[1], tokens[2])
references.append(ref)
return references
|
get_references
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n references = []\n chebi_ids = [str(chebi_id) for chebi_id in chebi_ids]\n filename = get_file('reference.tsv.gz')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n if tokens[0] in chebi_ids:\n if len(tokens) > 3:\n ref = Reference(tokens[1], tokens[2], tokens[3], tokens[4])\n else:\n ref = Reference(tokens[1], tokens[2])\n references.append(ref)\n return references\n",
"role": "user"
},
{
"content": "get_references",
"role": "assistant"
}
] |
def x(chebi_ids):
all_outgoings = [get_outgoings(chebi_id) for chebi_id in chebi_ids]
return [x for sublist in all_outgoings for x in sublist]
|
get_all_outgoings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_outgoings = [get_outgoings(chebi_id) for chebi_id in chebi_ids]\n return [x for sublist in all_outgoings for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_outgoings",
"role": "assistant"
}
] |
def x(chebi_ids):
all_incomings = [get_incomings(chebi_id) for chebi_id in chebi_ids]
return [x for sublist in all_incomings for x in sublist]
|
get_all_incomings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_ids):\n all_incomings = [get_incomings(chebi_id) for chebi_id in chebi_ids]\n return [x for sublist in all_incomings for x in sublist]\n",
"role": "user"
},
{
"content": "get_all_incomings",
"role": "assistant"
}
] |
def x():
relation_filename = get_file('relation.tsv')
vertice_filename = get_file('vertice.tsv')
relation_textfile = open(relation_filename, 'r')
vertice_textfile = open(vertice_filename, 'r')
vertices = {}
next(vertice_textfile)
for line in vertice_textfile:
tokens = line.strip().split('\t')
vertices[tokens[0]] = tokens[1]
next(relation_textfile)
for line in relation_textfile:
tokens = line.strip().split('\t')
source_chebi_id = int(vertices[tokens[3]])
target_chebi_id = int(vertices[tokens[2]])
typ = tokens[1]
if source_chebi_id not in __OUTGOINGS:
__OUTGOINGS[source_chebi_id] = []
if target_chebi_id not in __INCOMINGS:
__INCOMINGS[target_chebi_id] = []
target_relation = Relation(typ, str(target_chebi_id), tokens[4])
source_relation = Relation(typ, str(source_chebi_id), tokens[4])
__OUTGOINGS[source_chebi_id].append(target_relation)
__INCOMINGS[target_chebi_id].append(source_relation)
|
parse_relation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n relation_filename = get_file('relation.tsv')\n vertice_filename = get_file('vertice.tsv')\n relation_textfile = open(relation_filename, 'r')\n vertice_textfile = open(vertice_filename, 'r')\n vertices = {}\n next(vertice_textfile)\n for line in vertice_textfile:\n tokens = line.strip().split('\\t')\n vertices[tokens[0]] = tokens[1]\n next(relation_textfile)\n for line in relation_textfile:\n tokens = line.strip().split('\\t')\n source_chebi_id = int(vertices[tokens[3]])\n target_chebi_id = int(vertices[tokens[2]])\n typ = tokens[1]\n if source_chebi_id not in __OUTGOINGS:\n __OUTGOINGS[source_chebi_id] = []\n if target_chebi_id not in __INCOMINGS:\n __INCOMINGS[target_chebi_id] = []\n target_relation = Relation(typ, str(target_chebi_id), tokens[4])\n source_relation = Relation(typ, str(source_chebi_id), tokens[4])\n __OUTGOINGS[source_chebi_id].append(target_relation)\n __INCOMINGS[target_chebi_id].append(source_relation)\n",
"role": "user"
},
{
"content": "parse_relation",
"role": "assistant"
}
] |
def x(chebi_id):
chebi_id_regexp = '^\\d+\\,' + str(chebi_id) + '\\,.*'
mol_file_end_regexp = '",mol,\\dD'
this_structure = []
filename = get_file('structures.csv.gz')
with io.open(filename, 'r', encoding='cp1252') as textfile:
in_chebi_id = False
next(textfile)
for line in textfile:
if in_chebi_id or line[0].isdigit():
if re.match(chebi_id_regexp, line) and int(line.split(',')[0]
) in __get_default_structure_ids():
tokens = line.strip().split(',')
in_chebi_id = True
this_structure = []
this_structure.append(','.join(tokens[2:]).replace('"', '')
)
this_structure.append('\n')
elif in_chebi_id:
if re.match(mol_file_end_regexp, line):
tokens = line.strip().split(',')
this_structure.append(tokens[0].replace('"', ''))
return Structure(''.join(this_structure), Structure
.mol, int(tokens[2][0]))
else:
this_structure.append(line)
return None
|
get_mol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_id):\n chebi_id_regexp = '^\\\\d+\\\\,' + str(chebi_id) + '\\\\,.*'\n mol_file_end_regexp = '\",mol,\\\\dD'\n this_structure = []\n filename = get_file('structures.csv.gz')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n in_chebi_id = False\n next(textfile)\n for line in textfile:\n if in_chebi_id or line[0].isdigit():\n if re.match(chebi_id_regexp, line) and int(line.split(',')[0]\n ) in __get_default_structure_ids():\n tokens = line.strip().split(',')\n in_chebi_id = True\n this_structure = []\n this_structure.append(','.join(tokens[2:]).replace('\"', '')\n )\n this_structure.append('\\n')\n elif in_chebi_id:\n if re.match(mol_file_end_regexp, line):\n tokens = line.strip().split(',')\n this_structure.append(tokens[0].replace('\"', ''))\n return Structure(''.join(this_structure), Structure\n .mol, int(tokens[2][0]))\n else:\n this_structure.append(line)\n return None\n",
"role": "user"
},
{
"content": "get_mol",
"role": "assistant"
}
] |
def x(chebi_id):
mol = get_mol(chebi_id)
if mol is None:
return None
file_descriptor, mol_filename = tempfile.mkstemp(str(chebi_id) + '_',
'.mol')
mol_file = open(mol_filename, 'w')
mol_file.write(mol.get_structure())
mol_file.close()
os.close(file_descriptor)
return mol_filename
|
get_mol_filename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chebi_id):\n mol = get_mol(chebi_id)\n if mol is None:\n return None\n file_descriptor, mol_filename = tempfile.mkstemp(str(chebi_id) + '_',\n '.mol')\n mol_file = open(mol_filename, 'w')\n mol_file.write(mol.get_structure())\n mol_file.close()\n os.close(file_descriptor)\n return mol_filename\n",
"role": "user"
},
{
"content": "get_mol_filename",
"role": "assistant"
}
] |
def x():
filename = get_file('structures.csv.gz')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split(',')
if len(tokens) == 5:
if tokens[3] == 'InChIKey':
__INCHI_KEYS[int(tokens[1])] = Structure(tokens[2],
Structure.InChIKey, int(tokens[4][0]))
elif tokens[3] == 'SMILES':
__SMILES[int(tokens[1])] = Structure(tokens[2],
Structure.SMILES, int(tokens[4][0]))
|
parse_structures
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n filename = get_file('structures.csv.gz')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split(',')\n if len(tokens) == 5:\n if tokens[3] == 'InChIKey':\n __INCHI_KEYS[int(tokens[1])] = Structure(tokens[2],\n Structure.InChIKey, int(tokens[4][0]))\n elif tokens[3] == 'SMILES':\n __SMILES[int(tokens[1])] = Structure(tokens[2],\n Structure.SMILES, int(tokens[4][0]))\n",
"role": "user"
},
{
"content": "parse_structures",
"role": "assistant"
}
] |
def x():
if len(__DEFAULT_STRUCTURE_IDS) == 0:
filename = get_file('default_structures.tsv')
with io.open(filename, 'r', encoding='cp1252') as textfile:
next(textfile)
for line in textfile:
tokens = line.strip().split('\t')
__DEFAULT_STRUCTURE_IDS.append(int(tokens[1]))
return __DEFAULT_STRUCTURE_IDS
|
get_default_structure_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if len(__DEFAULT_STRUCTURE_IDS) == 0:\n filename = get_file('default_structures.tsv')\n with io.open(filename, 'r', encoding='cp1252') as textfile:\n next(textfile)\n for line in textfile:\n tokens = line.strip().split('\\t')\n __DEFAULT_STRUCTURE_IDS.append(int(tokens[1]))\n return __DEFAULT_STRUCTURE_IDS\n",
"role": "user"
},
{
"content": "get_default_structure_ids",
"role": "assistant"
}
] |
def x(filename):
destination = __DOWNLOAD_PARAMS['path']
filepath = os.path.join(destination, filename)
if not __is_current(filepath):
if not os.path.exists(destination):
os.makedirs(destination)
url = ('ftp://ftp.ebi.ac.uk/pub/databases/chebi/' +
'Flat_file_tab_delimited/')
urlretrieve(urlparse.urljoin(url, filename), filepath)
urlcleanup()
if filepath.endswith('.zip'):
zfile = zipfile.ZipFile(filepath, 'r')
filepath = os.path.join(destination, zfile.namelist()[0])
zfile.extractall(destination)
elif filepath.endswith('.gz'):
unzipped_filepath = filepath[:-len('.gz')]
if os.path.exists(unzipped_filepath) and __is_current(unzipped_filepath
):
filepath = unzipped_filepath
else:
input_file = gzip.open(filepath, 'rb')
filepath = os.path.join(destination, input_file.name[:-len('.gz')])
output_file = open(filepath, 'wb')
for line in input_file:
output_file.write(line)
input_file.close()
output_file.close()
return filepath
|
get_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n destination = __DOWNLOAD_PARAMS['path']\n filepath = os.path.join(destination, filename)\n if not __is_current(filepath):\n if not os.path.exists(destination):\n os.makedirs(destination)\n url = ('ftp://ftp.ebi.ac.uk/pub/databases/chebi/' +\n 'Flat_file_tab_delimited/')\n urlretrieve(urlparse.urljoin(url, filename), filepath)\n urlcleanup()\n if filepath.endswith('.zip'):\n zfile = zipfile.ZipFile(filepath, 'r')\n filepath = os.path.join(destination, zfile.namelist()[0])\n zfile.extractall(destination)\n elif filepath.endswith('.gz'):\n unzipped_filepath = filepath[:-len('.gz')]\n if os.path.exists(unzipped_filepath) and __is_current(unzipped_filepath\n ):\n filepath = unzipped_filepath\n else:\n input_file = gzip.open(filepath, 'rb')\n filepath = os.path.join(destination, input_file.name[:-len('.gz')])\n output_file = open(filepath, 'wb')\n for line in input_file:\n output_file.write(line)\n input_file.close()\n output_file.close()\n return filepath\n",
"role": "user"
},
{
"content": "get_file",
"role": "assistant"
}
] |
def x(filepath):
if not __DOWNLOAD_PARAMS['auto_update']:
return True
if not os.path.isfile(filepath):
return False
return datetime.datetime.utcfromtimestamp(os.path.getmtime(filepath)
) > __get_last_update_time()
|
is_current
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n if not __DOWNLOAD_PARAMS['auto_update']:\n return True\n if not os.path.isfile(filepath):\n return False\n return datetime.datetime.utcfromtimestamp(os.path.getmtime(filepath)\n ) > __get_last_update_time()\n",
"role": "user"
},
{
"content": "is_current",
"role": "assistant"
}
] |
def x():
now = datetime.datetime.utcnow()
first_tuesday = __get_first_tuesday(now)
if first_tuesday < now:
return first_tuesday
else:
first_of_month = datetime.datetime(now.year, now.month, 1)
last_month = first_of_month + datetime.timedelta(days=-1)
return __get_first_tuesday(last_month)
|
get_last_update_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n now = datetime.datetime.utcnow()\n first_tuesday = __get_first_tuesday(now)\n if first_tuesday < now:\n return first_tuesday\n else:\n first_of_month = datetime.datetime(now.year, now.month, 1)\n last_month = first_of_month + datetime.timedelta(days=-1)\n return __get_first_tuesday(last_month)\n",
"role": "user"
},
{
"content": "get_last_update_time",
"role": "assistant"
}
] |
def x(this_date):
month_range = calendar.monthrange(this_date.year, this_date.month)
first_of_month = datetime.datetime(this_date.year, this_date.month, 1)
first_tuesday_day = (calendar.TUESDAY - month_range[0]) % 7
first_tuesday = first_of_month + datetime.timedelta(days=first_tuesday_day)
return first_tuesday
|
get_first_tuesday
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(this_date):\n month_range = calendar.monthrange(this_date.year, this_date.month)\n first_of_month = datetime.datetime(this_date.year, this_date.month, 1)\n first_tuesday_day = (calendar.TUESDAY - month_range[0]) % 7\n first_tuesday = first_of_month + datetime.timedelta(days=first_tuesday_day)\n return first_tuesday\n",
"role": "user"
},
{
"content": "get_first_tuesday",
"role": "assistant"
}
] |
def x(self, manufacturer, logger_id, extension=None, validate=True):
if validate:
if not patterns.MANUFACTURER_CODE.match(manufacturer):
raise ValueError('Invalid manufacturer code')
if not patterns.LOGGER_ID.match(logger_id):
raise ValueError('Invalid logger id')
record = '%s%s' % (manufacturer, logger_id)
if extension:
record = record + extension
self.write_record('A', record)
|
write_logger_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manufacturer, logger_id, extension=None, validate=True):\n if validate:\n if not patterns.MANUFACTURER_CODE.match(manufacturer):\n raise ValueError('Invalid manufacturer code')\n if not patterns.LOGGER_ID.match(logger_id):\n raise ValueError('Invalid logger id')\n record = '%s%s' % (manufacturer, logger_id)\n if extension:\n record = record + extension\n self.write_record('A', record)\n",
"role": "user"
},
{
"content": "write_logger_id",
"role": "assistant"
}
] |
def x(self, accuracy=None):
if accuracy is None:
accuracy = 500
accuracy = int(accuracy)
if not 0 < accuracy < 1000:
raise ValueError('Invalid fix accuracy')
self.write_fr_header('FXA', '%03d' % accuracy)
|
write_fix_accuracy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, accuracy=None):\n if accuracy is None:\n accuracy = 500\n accuracy = int(accuracy)\n if not 0 < accuracy < 1000:\n raise ValueError('Invalid fix accuracy')\n self.write_fr_header('FXA', '%03d' % accuracy)\n",
"role": "user"
},
{
"content": "write_fix_accuracy",
"role": "assistant"
}
] |
def x(self, code=None, gps_datum=None):
if code is None:
code = 100
if gps_datum is None:
gps_datum = 'WGS-1984'
self.write_fr_header('DTM', '%03d' % code, subtype_long='GPSDATUM',
value_long=gps_datum)
|
write_gps_datum
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code=None, gps_datum=None):\n if code is None:\n code = 100\n if gps_datum is None:\n gps_datum = 'WGS-1984'\n self.write_fr_header('DTM', '%03d' % code, subtype_long='GPSDATUM',\n value_long=gps_datum)\n",
"role": "user"
},
{
"content": "write_gps_datum",
"role": "assistant"
}
] |
def x(self, headers):
for header in self.REQUIRED_HEADERS:
if header not in headers:
raise ValueError('%s header missing' % header)
self.write_logger_id(headers['manufacturer_code'], headers['logger_id'],
extension=headers.get('logger_id_extension'))
self.write_date(headers['date'])
self.write_fix_accuracy(headers.get('fix_accuracy'))
self.write_pilot(headers.get('pilot', ''))
if 'copilot' in headers:
self.write_copilot(headers['copilot'])
self.write_glider_type(headers.get('glider_type', ''))
self.write_glider_id(headers.get('glider_id', ''))
self.write_gps_datum(code=headers.get('gps_datum_code'), gps_datum=
headers.get('gps_datum'))
self.write_firmware_version(headers.get('firmware_version', ''))
self.write_hardware_version(headers.get('hardware_version', ''))
self.write_logger_type(headers['logger_type'])
self.write_gps_receiver(headers['gps_receiver'])
self.write_pressure_sensor(headers.get('pressure_sensor', ''))
if 'competition_id' in headers:
self.write_competition_id(headers['competition_id'])
if 'competition_class' in headers:
self.write_competition_class(headers['competition_class'])
if 'club' in headers:
self.write_club(headers['club'])
|
write_headers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, headers):\n for header in self.REQUIRED_HEADERS:\n if header not in headers:\n raise ValueError('%s header missing' % header)\n self.write_logger_id(headers['manufacturer_code'], headers['logger_id'],\n extension=headers.get('logger_id_extension'))\n self.write_date(headers['date'])\n self.write_fix_accuracy(headers.get('fix_accuracy'))\n self.write_pilot(headers.get('pilot', ''))\n if 'copilot' in headers:\n self.write_copilot(headers['copilot'])\n self.write_glider_type(headers.get('glider_type', ''))\n self.write_glider_id(headers.get('glider_id', ''))\n self.write_gps_datum(code=headers.get('gps_datum_code'), gps_datum=\n headers.get('gps_datum'))\n self.write_firmware_version(headers.get('firmware_version', ''))\n self.write_hardware_version(headers.get('hardware_version', ''))\n self.write_logger_type(headers['logger_type'])\n self.write_gps_receiver(headers['gps_receiver'])\n self.write_pressure_sensor(headers.get('pressure_sensor', ''))\n if 'competition_id' in headers:\n self.write_competition_id(headers['competition_id'])\n if 'competition_class' in headers:\n self.write_competition_class(headers['competition_class'])\n if 'club' in headers:\n self.write_club(headers['club'])\n",
"role": "user"
},
{
"content": "write_headers",
"role": "assistant"
}
] |
def x(self, declaration_datetime=None, flight_date=None, task_number=None,
turnpoints=None, text=None):
if declaration_datetime is None:
declaration_datetime = datetime.datetime.utcnow()
if isinstance(declaration_datetime, datetime.datetime):
declaration_datetime = self.format_date(declaration_datetime
) + self.format_time(declaration_datetime)
elif not patterns.DATETIME.match(declaration_datetime):
raise ValueError('Invalid declaration datetime: %s' %
declaration_datetime)
if flight_date is None:
flight_date = '000000'
else:
flight_date = self.format_date(flight_date)
if task_number is None:
task_number = 1
elif not isinstance(task_number, int):
raise ValueError('Invalid task number: %s' % task_number)
if not isinstance(turnpoints, int):
raise ValueError('Invalid turnpoints: %s' % turnpoints)
record = '{0}{1}{2:04d}{3:02d}'.format(declaration_datetime,
flight_date, task_number, turnpoints)
if text:
record += text
self.write_record('C', record)
|
write_task_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, declaration_datetime=None, flight_date=None, task_number=None,\n turnpoints=None, text=None):\n if declaration_datetime is None:\n declaration_datetime = datetime.datetime.utcnow()\n if isinstance(declaration_datetime, datetime.datetime):\n declaration_datetime = self.format_date(declaration_datetime\n ) + self.format_time(declaration_datetime)\n elif not patterns.DATETIME.match(declaration_datetime):\n raise ValueError('Invalid declaration datetime: %s' %\n declaration_datetime)\n if flight_date is None:\n flight_date = '000000'\n else:\n flight_date = self.format_date(flight_date)\n if task_number is None:\n task_number = 1\n elif not isinstance(task_number, int):\n raise ValueError('Invalid task number: %s' % task_number)\n if not isinstance(turnpoints, int):\n raise ValueError('Invalid turnpoints: %s' % turnpoints)\n record = '{0}{1}{2:04d}{3:02d}'.format(declaration_datetime,\n flight_date, task_number, turnpoints)\n if text:\n record += text\n self.write_record('C', record)\n",
"role": "user"
},
{
"content": "write_task_metadata",
"role": "assistant"
}
] |
def x(self, latitude=None, longitude=None, text='', distance_min=None,
distance_max=None, bearing1=None, bearing2=None):
latitude = self.format_latitude(latitude)
longitude = self.format_longitude(longitude)
record = latitude + longitude
if None not in [distance_min, distance_max, bearing1, bearing2]:
record += '%04d' % int(distance_min)
record += '%03d' % int((distance_min - int(distance_min)) * 1000)
record += '%04d' % int(distance_max)
record += '%03d' % int((distance_max - int(distance_max)) * 1000)
record += '%03d' % int(bearing1)
record += '%03d' % int((bearing1 - int(bearing1)) * 1000)
record += '%03d' % int(bearing2)
record += '%03d' % int((bearing2 - int(bearing2)) * 1000)
if text:
record += text
self.write_record('C', record)
|
write_task_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, latitude=None, longitude=None, text='', distance_min=None,\n distance_max=None, bearing1=None, bearing2=None):\n latitude = self.format_latitude(latitude)\n longitude = self.format_longitude(longitude)\n record = latitude + longitude\n if None not in [distance_min, distance_max, bearing1, bearing2]:\n record += '%04d' % int(distance_min)\n record += '%03d' % int((distance_min - int(distance_min)) * 1000)\n record += '%04d' % int(distance_max)\n record += '%03d' % int((distance_max - int(distance_max)) * 1000)\n record += '%03d' % int(bearing1)\n record += '%03d' % int((bearing1 - int(bearing1)) * 1000)\n record += '%03d' % int(bearing2)\n record += '%03d' % int((bearing2 - int(bearing2)) * 1000)\n if text:\n record += text\n self.write_record('C', record)\n",
"role": "user"
},
{
"content": "write_task_point",
"role": "assistant"
}
] |
def x(self, points):
for args in points:
if len(args) not in [3, 7]:
raise ValueError('Invalid number of task point tuple items')
self.write_task_point(*args)
|
write_task_points
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, points):\n for args in points:\n if len(args) not in [3, 7]:\n raise ValueError('Invalid number of task point tuple items')\n self.write_task_point(*args)\n",
"role": "user"
},
{
"content": "write_task_points",
"role": "assistant"
}
] |
def x(self, security, bytes_per_line=75):
for start in range(0, len(security), bytes_per_line):
self.write_record('G', security[start:start + bytes_per_line])
|
write_security
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, security, bytes_per_line=75):\n for start in range(0, len(security), bytes_per_line):\n self.write_record('G', security[start:start + bytes_per_line])\n",
"role": "user"
},
{
"content": "write_security",
"role": "assistant"
}
] |
def x(self, time=None, latitude=None, longitude=None, valid=False,
pressure_alt=None, gps_alt=None, extensions=None):
if time is None:
time = datetime.datetime.utcnow()
record = self.format_time(time)
record += self.format_latitude(latitude)
record += self.format_longitude(longitude)
record += 'A' if valid else 'V'
record += '%05d' % (pressure_alt or 0)
record += '%05d' % (gps_alt or 0)
if self.fix_extensions or extensions:
if not (isinstance(extensions, list) and isinstance(self.
fix_extensions, list)):
raise ValueError('Invalid extensions list')
if len(extensions) != len(self.fix_extensions):
raise ValueError('Number of extensions does not match declaration')
for type_length, value in zip(self.fix_extensions, extensions):
length = type_length[1]
if isinstance(value, (int, float)):
value = ('%0' + str(length) + 'd') % value
if len(value) != length:
raise ValueError('Extension value has wrong length')
record += value
self.write_record('B', record)
|
write_fix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time=None, latitude=None, longitude=None, valid=False,\n pressure_alt=None, gps_alt=None, extensions=None):\n if time is None:\n time = datetime.datetime.utcnow()\n record = self.format_time(time)\n record += self.format_latitude(latitude)\n record += self.format_longitude(longitude)\n record += 'A' if valid else 'V'\n record += '%05d' % (pressure_alt or 0)\n record += '%05d' % (gps_alt or 0)\n if self.fix_extensions or extensions:\n if not (isinstance(extensions, list) and isinstance(self.\n fix_extensions, list)):\n raise ValueError('Invalid extensions list')\n if len(extensions) != len(self.fix_extensions):\n raise ValueError('Number of extensions does not match declaration')\n for type_length, value in zip(self.fix_extensions, extensions):\n length = type_length[1]\n if isinstance(value, (int, float)):\n value = ('%0' + str(length) + 'd') % value\n if len(value) != length:\n raise ValueError('Extension value has wrong length')\n record += value\n self.write_record('B', record)\n",
"role": "user"
},
{
"content": "write_fix",
"role": "assistant"
}
] |
def x(self, *args):
num_args = len(args)
if not 1 <= num_args <= 3:
raise ValueError('Invalid number of parameters received')
if num_args == 3:
time, code, text = args
elif num_args == 1:
code = args[0]
time = text = None
elif isinstance(args[0], (datetime.time, datetime.datetime)):
time, code = args
text = None
else:
code, text = args
time = None
if time is None:
time = datetime.datetime.utcnow()
if not patterns.THREE_LETTER_CODE.match(code):
raise ValueError('Invalid event code')
record = self.format_time(time)
record += code
if text:
record += text
self.write_record('E', record)
|
write_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n num_args = len(args)\n if not 1 <= num_args <= 3:\n raise ValueError('Invalid number of parameters received')\n if num_args == 3:\n time, code, text = args\n elif num_args == 1:\n code = args[0]\n time = text = None\n elif isinstance(args[0], (datetime.time, datetime.datetime)):\n time, code = args\n text = None\n else:\n code, text = args\n time = None\n if time is None:\n time = datetime.datetime.utcnow()\n if not patterns.THREE_LETTER_CODE.match(code):\n raise ValueError('Invalid event code')\n record = self.format_time(time)\n record += code\n if text:\n record += text\n self.write_record('E', record)\n",
"role": "user"
},
{
"content": "write_event",
"role": "assistant"
}
] |
def x(self, *args):
num_args = len(args)
if num_args not in (1, 2):
raise ValueError('Invalid number of parameters received')
if num_args == 1:
satellites = args[0]
time = None
else:
time, satellites = args
if time is None:
time = datetime.datetime.utcnow()
record = self.format_time(time)
for satellite in satellites:
if isinstance(satellite, int):
satellite = '%02d' % satellite
if len(satellite) != 2:
raise ValueError('Invalid satellite ID')
record += satellite
self.write_record('F', record)
|
write_satellites
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n num_args = len(args)\n if num_args not in (1, 2):\n raise ValueError('Invalid number of parameters received')\n if num_args == 1:\n satellites = args[0]\n time = None\n else:\n time, satellites = args\n if time is None:\n time = datetime.datetime.utcnow()\n record = self.format_time(time)\n for satellite in satellites:\n if isinstance(satellite, int):\n satellite = '%02d' % satellite\n if len(satellite) != 2:\n raise ValueError('Invalid satellite ID')\n record += satellite\n self.write_record('F', record)\n",
"role": "user"
},
{
"content": "write_satellites",
"role": "assistant"
}
] |
def x(self, *args):
num_args = len(args)
if num_args not in (1, 2):
raise ValueError('Invalid number of parameters received')
if num_args == 1:
extensions = args[0]
time = None
else:
time, extensions = args
if time is None:
time = datetime.datetime.utcnow()
record = self.format_time(time)
if not (isinstance(extensions, list) and isinstance(self.
k_record_extensions, list)):
raise ValueError('Invalid extensions list')
if len(extensions) != len(self.k_record_extensions):
raise ValueError('Number of extensions does not match declaration')
for type_length, value in zip(self.k_record_extensions, extensions):
length = type_length[1]
if isinstance(value, (int, float)):
value = ('%0' + str(length) + 'd') % value
if len(value) != length:
raise ValueError('Extension value has wrong length')
record += value
self.write_record('K', record)
|
write_k_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n num_args = len(args)\n if num_args not in (1, 2):\n raise ValueError('Invalid number of parameters received')\n if num_args == 1:\n extensions = args[0]\n time = None\n else:\n time, extensions = args\n if time is None:\n time = datetime.datetime.utcnow()\n record = self.format_time(time)\n if not (isinstance(extensions, list) and isinstance(self.\n k_record_extensions, list)):\n raise ValueError('Invalid extensions list')\n if len(extensions) != len(self.k_record_extensions):\n raise ValueError('Number of extensions does not match declaration')\n for type_length, value in zip(self.k_record_extensions, extensions):\n length = type_length[1]\n if isinstance(value, (int, float)):\n value = ('%0' + str(length) + 'd') % value\n if len(value) != length:\n raise ValueError('Extension value has wrong length')\n record += value\n self.write_record('K', record)\n",
"role": "user"
},
{
"content": "write_k_record",
"role": "assistant"
}
] |
def x(self, code, text):
if not patterns.THREE_LETTER_CODE.match(code):
raise ValueError('Invalid source')
self.write_record('L', code + text)
|
write_comment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, code, text):\n if not patterns.THREE_LETTER_CODE.match(code):\n raise ValueError('Invalid source')\n self.write_record('L', code + text)\n",
"role": "user"
},
{
"content": "write_comment",
"role": "assistant"
}
] |
def x(cms_page, cms_page_title, request, editable=False):
placeholders = list(cms_page.placeholders.all())
placeholder_frontend_data_dict = get_frontend_data_dict_for_placeholders(
placeholders=placeholders, request=request, editable=editable)
global_placeholder_data_dict = get_global_placeholder_data(
placeholder_frontend_data_dict)
data = {'containers': placeholder_frontend_data_dict, 'meta': {'title':
cms_page_title.page_title if cms_page_title.page_title else
cms_page_title.title, 'description': cms_page_title.
meta_description or ''}}
language_links = get_language_links(cms_page=cms_page, request=request)
if language_links:
data['meta']['languages'] = language_links
if placeholder_frontend_data_dict:
data['containers'] = placeholder_frontend_data_dict
if global_placeholder_data_dict:
data['global_placeholder_data'] = global_placeholder_data_dict
post_processer = settings.DJANGOCMS_SPA_CMS_PAGE_DATA_POST_PROCESSOR
if post_processer:
func = get_function_by_path(post_processer)
data = func(cms_page=cms_page, data=data, request=request)
return data
|
get_frontend_data_dict_for_cms_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cms_page, cms_page_title, request, editable=False):\n placeholders = list(cms_page.placeholders.all())\n placeholder_frontend_data_dict = get_frontend_data_dict_for_placeholders(\n placeholders=placeholders, request=request, editable=editable)\n global_placeholder_data_dict = get_global_placeholder_data(\n placeholder_frontend_data_dict)\n data = {'containers': placeholder_frontend_data_dict, 'meta': {'title':\n cms_page_title.page_title if cms_page_title.page_title else\n cms_page_title.title, 'description': cms_page_title.\n meta_description or ''}}\n language_links = get_language_links(cms_page=cms_page, request=request)\n if language_links:\n data['meta']['languages'] = language_links\n if placeholder_frontend_data_dict:\n data['containers'] = placeholder_frontend_data_dict\n if global_placeholder_data_dict:\n data['global_placeholder_data'] = global_placeholder_data_dict\n post_processer = settings.DJANGOCMS_SPA_CMS_PAGE_DATA_POST_PROCESSOR\n if post_processer:\n func = get_function_by_path(post_processer)\n data = func(cms_page=cms_page, data=data, request=request)\n return data\n",
"role": "user"
},
{
"content": "get_frontend_data_dict_for_cms_page",
"role": "assistant"
}
] |
def x(placeholders, request, editable=False):
data_dict = {}
for placeholder in placeholders:
if placeholder:
plugins = []
placeholder_plugins = placeholder.cmsplugin_set.filter(language
=request.LANGUAGE_CODE).order_by(settings.
DJANGOCMS_SPA_PLUGIN_ORDER_FIELD)
for plugin in placeholder_plugins:
if not plugin.parent:
plugins.append(get_frontend_data_dict_for_plugin(
request=request, plugin=plugin, editable=editable))
if plugins or editable:
data_dict[placeholder.slot] = {'type': 'cmp-%s' %
placeholder.slot, 'plugins': plugins}
if editable:
from cms.plugin_pool import plugin_pool
plugin_types = [cls.__name__ for cls in plugin_pool.
get_all_plugins(placeholder.slot, placeholder.page)]
allowed_plugins = (plugin_types + plugin_pool.
get_system_plugins())
data_dict[placeholder.slot]['cms'] = ['cms-placeholder-{}'.
format(placeholder.pk), {'type': 'placeholder', 'name':
str(placeholder.get_label()), 'page_language': request.
LANGUAGE_CODE, 'placeholder_id': placeholder.pk,
'plugin_language': request.LANGUAGE_CODE,
'plugin_restriction': [module for module in
allowed_plugins], 'addPluginHelpTitle':
'Add plugin to placeholder {}'.format(placeholder.
get_label()), 'urls': {'add_plugin': placeholder.
get_add_url(), 'copy_plugin': placeholder.get_copy_url()}}]
return data_dict
|
get_frontend_data_dict_for_placeholders
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholders, request, editable=False):\n data_dict = {}\n for placeholder in placeholders:\n if placeholder:\n plugins = []\n placeholder_plugins = placeholder.cmsplugin_set.filter(language\n =request.LANGUAGE_CODE).order_by(settings.\n DJANGOCMS_SPA_PLUGIN_ORDER_FIELD)\n for plugin in placeholder_plugins:\n if not plugin.parent:\n plugins.append(get_frontend_data_dict_for_plugin(\n request=request, plugin=plugin, editable=editable))\n if plugins or editable:\n data_dict[placeholder.slot] = {'type': 'cmp-%s' %\n placeholder.slot, 'plugins': plugins}\n if editable:\n from cms.plugin_pool import plugin_pool\n plugin_types = [cls.__name__ for cls in plugin_pool.\n get_all_plugins(placeholder.slot, placeholder.page)]\n allowed_plugins = (plugin_types + plugin_pool.\n get_system_plugins())\n data_dict[placeholder.slot]['cms'] = ['cms-placeholder-{}'.\n format(placeholder.pk), {'type': 'placeholder', 'name':\n str(placeholder.get_label()), 'page_language': request.\n LANGUAGE_CODE, 'placeholder_id': placeholder.pk,\n 'plugin_language': request.LANGUAGE_CODE,\n 'plugin_restriction': [module for module in\n allowed_plugins], 'addPluginHelpTitle':\n 'Add plugin to placeholder {}'.format(placeholder.\n get_label()), 'urls': {'add_plugin': placeholder.\n get_add_url(), 'copy_plugin': placeholder.get_copy_url()}}]\n return data_dict\n",
"role": "user"
},
{
"content": "get_frontend_data_dict_for_placeholders",
"role": "assistant"
}
] |
def x(request, plugin, editable):
json_data = {}
instance, plugin = plugin.get_plugin_instance()
if not instance:
return json_data
renderer = renderer_pool.renderer_for_plugin(plugin)
if renderer:
json_data = renderer.render(request=request, plugin=plugin,
instance=instance, editable=editable)
if hasattr(plugin, 'parse_child_plugins') and plugin.parse_child_plugins:
children = []
for child_plugin in instance.get_children().order_by(settings.
DJANGOCMS_SPA_PLUGIN_ORDER_FIELD):
children.append(get_frontend_data_dict_for_plugin(request=
request, plugin=child_plugin, editable=editable))
if children:
json_data['plugins'] = children
return json_data
|
get_frontend_data_dict_for_plugin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, plugin, editable):\n json_data = {}\n instance, plugin = plugin.get_plugin_instance()\n if not instance:\n return json_data\n renderer = renderer_pool.renderer_for_plugin(plugin)\n if renderer:\n json_data = renderer.render(request=request, plugin=plugin,\n instance=instance, editable=editable)\n if hasattr(plugin, 'parse_child_plugins') and plugin.parse_child_plugins:\n children = []\n for child_plugin in instance.get_children().order_by(settings.\n DJANGOCMS_SPA_PLUGIN_ORDER_FIELD):\n children.append(get_frontend_data_dict_for_plugin(request=\n request, plugin=child_plugin, editable=editable))\n if children:\n json_data['plugins'] = children\n return json_data\n",
"role": "user"
},
{
"content": "get_frontend_data_dict_for_plugin",
"role": "assistant"
}
] |
def x(partials, request, editable=False, renderer=None):
static_placeholder_names = []
custom_callback_partials = []
for partial in partials:
if partial in settings.DJANGOCMS_SPA_PARTIAL_CALLBACKS.keys():
custom_callback_partials.append(partial)
else:
static_placeholder_names.append(partial)
use_static_placeholder_draft = hasattr(request, 'toolbar'
) and request.toolbar.edit_mode and request.user.has_perm(
'cms.edit_static_placeholder')
static_placeholders = []
for static_placeholder_name in static_placeholder_names:
static_placeholders.append(get_static_placeholder(
static_placeholder_name, use_static_placeholder_draft))
partial_data = get_frontend_data_dict_for_placeholders(placeholders=
static_placeholders, request=request, editable=editable)
for partial_settings_key in custom_callback_partials:
dotted_function_module_path = settings.DJANGOCMS_SPA_PARTIAL_CALLBACKS[
partial_settings_key]
callback_function = get_function_by_path(dotted_function_module_path)
partial_data[partial_settings_key] = callback_function(request,
renderer)
return partial_data
|
get_frontend_data_dict_for_partials
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(partials, request, editable=False, renderer=None):\n static_placeholder_names = []\n custom_callback_partials = []\n for partial in partials:\n if partial in settings.DJANGOCMS_SPA_PARTIAL_CALLBACKS.keys():\n custom_callback_partials.append(partial)\n else:\n static_placeholder_names.append(partial)\n use_static_placeholder_draft = hasattr(request, 'toolbar'\n ) and request.toolbar.edit_mode and request.user.has_perm(\n 'cms.edit_static_placeholder')\n static_placeholders = []\n for static_placeholder_name in static_placeholder_names:\n static_placeholders.append(get_static_placeholder(\n static_placeholder_name, use_static_placeholder_draft))\n partial_data = get_frontend_data_dict_for_placeholders(placeholders=\n static_placeholders, request=request, editable=editable)\n for partial_settings_key in custom_callback_partials:\n dotted_function_module_path = settings.DJANGOCMS_SPA_PARTIAL_CALLBACKS[\n partial_settings_key]\n callback_function = get_function_by_path(dotted_function_module_path)\n partial_data[partial_settings_key] = callback_function(request,\n renderer)\n return partial_data\n",
"role": "user"
},
{
"content": "get_frontend_data_dict_for_partials",
"role": "assistant"
}
] |
def x(placeholder_frontend_data_dict):
post_processer = settings.DJANGOCMS_SPA_PLACEHOLDER_DATA_POST_PROCESSOR
if not post_processer:
return {}
func = get_function_by_path(post_processer)
return func(placeholder_frontend_data_dict=placeholder_frontend_data_dict)
|
get_global_placeholder_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(placeholder_frontend_data_dict):\n post_processer = settings.DJANGOCMS_SPA_PLACEHOLDER_DATA_POST_PROCESSOR\n if not post_processer:\n return {}\n func = get_function_by_path(post_processer)\n return func(placeholder_frontend_data_dict=placeholder_frontend_data_dict)\n",
"role": "user"
},
{
"content": "get_global_placeholder_data",
"role": "assistant"
}
] |
def x(self, latitude=None, longitude=None, description=None):
if not description:
description = ''
latitude = self.format_latitude(latitude)
longitude = self.format_longitude(longitude)
self.write_config('ADDWP', '%s,%s,%s' % (latitude, longitude,
description[0:50]))
|
write_waypoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, latitude=None, longitude=None, description=None):\n if not description:\n description = ''\n latitude = self.format_latitude(latitude)\n longitude = self.format_longitude(longitude)\n self.write_config('ADDWP', '%s,%s,%s' % (latitude, longitude,\n description[0:50]))\n",
"role": "user"
},
{
"content": "write_waypoint",
"role": "assistant"
}
] |
def x(self, points):
for args in points:
if len(args) != 3:
raise ValueError('Invalid number of task point tuple items')
self.write_waypoint(*args)
|
write_waypoints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, points):\n for args in points:\n if len(args) != 3:\n raise ValueError('Invalid number of task point tuple items')\n self.write_waypoint(*args)\n",
"role": "user"
},
{
"content": "write_waypoints",
"role": "assistant"
}
] |
def x(self, file_obj):
self.reader = LowLevelReader(file_obj)
logger_id = [[], None]
fix_records = [[], []]
task = [[], {'waypoints': []}]
dgps_records = [[], []]
event_records = [[], []]
satellite_records = [[], []]
security_records = [[], []]
header = [[], {}]
fix_record_extensions = [[], []]
k_record_extensions = [[], []]
k_records = [[], []]
comment_records = [[], []]
for record_type, line, error in self.reader:
if record_type == 'A':
if error:
logger_id[0].append(error)
else:
logger_id[1] = line
elif record_type == 'B':
if error:
if MissingRecordsError not in fix_records[0]:
fix_records[0].append(MissingRecordsError)
else:
if len(fix_record_extensions[0]
) > 0 and MissingExtensionsError not in fix_records[0]:
fix_records[0].append(MissingExtensionsError)
fix_record = LowLevelReader.process_B_record(line,
fix_record_extensions[1])
fix_records[1].append(fix_record)
elif record_type == 'C':
task_item = line
if error:
if MissingRecordsError not in task[0]:
task[0].append(MissingRecordsError)
elif task_item['subtype'] == 'task_info':
del task_item['subtype']
task[1].update(task_item)
elif task_item['subtype'] == 'waypoint_info':
del task_item['subtype']
task[1]['waypoints'].append(task_item)
elif record_type == 'D':
if error:
if MissingRecordsError not in dgps_records[0]:
dgps_records[0].append(MissingRecordsError)
else:
dgps_records[1].append(line)
elif record_type == 'E':
if error:
if MissingRecordsError not in event_records[0]:
event_records[0].append(MissingRecordsError)
else:
event_records[1].append(line)
elif record_type == 'F':
if error:
if MissingRecordsError not in satellite_records[0]:
satellite_records[0].append(MissingRecordsError)
else:
satellite_records[1].append(line)
elif record_type == 'G':
if error:
if MissingRecordsError not in security_records[0]:
security_records[0].append(MissingRecordsError)
else:
security_records[1].append(line)
elif record_type == 'H':
header_item = line
if error:
if MissingRecordsError not in header[0]:
header[0].append(MissingRecordsError)
else:
del header_item['source']
header[1].update(header_item)
elif record_type == 'I':
if error:
fix_record_extensions[0].append(error)
else:
fix_record_extensions[1] = line
elif record_type == 'J':
if error:
k_record_extensions[0].append(error)
else:
k_record_extensions[1] = line
elif record_type == 'K':
if error:
if MissingRecordsError not in k_records[0]:
k_records[0].append(MissingRecordsError)
else:
if len(k_record_extensions[0]
) > 0 and MissingExtensionsError not in k_records[0]:
k_records[0].append(MissingExtensionsError)
k_record = LowLevelReader.process_K_record(line,
k_record_extensions[1])
k_records[1].append(k_record)
elif record_type == 'L':
if error:
if MissingRecordsError not in comment_records[0]:
comment_records[0].append(MissingRecordsError)
else:
comment_records[1].append(line)
return dict(logger_id=logger_id, fix_records=fix_records, task=task,
dgps_records=dgps_records, event_records=event_records,
satellite_records=satellite_records, security_records=
security_records, header=header, fix_record_extensions=
fix_record_extensions, k_record_extensions=k_record_extensions,
k_records=k_records, comment_records=comment_records)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_obj):\n self.reader = LowLevelReader(file_obj)\n logger_id = [[], None]\n fix_records = [[], []]\n task = [[], {'waypoints': []}]\n dgps_records = [[], []]\n event_records = [[], []]\n satellite_records = [[], []]\n security_records = [[], []]\n header = [[], {}]\n fix_record_extensions = [[], []]\n k_record_extensions = [[], []]\n k_records = [[], []]\n comment_records = [[], []]\n for record_type, line, error in self.reader:\n if record_type == 'A':\n if error:\n logger_id[0].append(error)\n else:\n logger_id[1] = line\n elif record_type == 'B':\n if error:\n if MissingRecordsError not in fix_records[0]:\n fix_records[0].append(MissingRecordsError)\n else:\n if len(fix_record_extensions[0]\n ) > 0 and MissingExtensionsError not in fix_records[0]:\n fix_records[0].append(MissingExtensionsError)\n fix_record = LowLevelReader.process_B_record(line,\n fix_record_extensions[1])\n fix_records[1].append(fix_record)\n elif record_type == 'C':\n task_item = line\n if error:\n if MissingRecordsError not in task[0]:\n task[0].append(MissingRecordsError)\n elif task_item['subtype'] == 'task_info':\n del task_item['subtype']\n task[1].update(task_item)\n elif task_item['subtype'] == 'waypoint_info':\n del task_item['subtype']\n task[1]['waypoints'].append(task_item)\n elif record_type == 'D':\n if error:\n if MissingRecordsError not in dgps_records[0]:\n dgps_records[0].append(MissingRecordsError)\n else:\n dgps_records[1].append(line)\n elif record_type == 'E':\n if error:\n if MissingRecordsError not in event_records[0]:\n event_records[0].append(MissingRecordsError)\n else:\n event_records[1].append(line)\n elif record_type == 'F':\n if error:\n if MissingRecordsError not in satellite_records[0]:\n satellite_records[0].append(MissingRecordsError)\n else:\n satellite_records[1].append(line)\n elif record_type == 'G':\n if error:\n if MissingRecordsError not in security_records[0]:\n security_records[0].append(MissingRecordsError)\n else:\n security_records[1].append(line)\n elif record_type == 'H':\n header_item = line\n if error:\n if MissingRecordsError not in header[0]:\n header[0].append(MissingRecordsError)\n else:\n del header_item['source']\n header[1].update(header_item)\n elif record_type == 'I':\n if error:\n fix_record_extensions[0].append(error)\n else:\n fix_record_extensions[1] = line\n elif record_type == 'J':\n if error:\n k_record_extensions[0].append(error)\n else:\n k_record_extensions[1] = line\n elif record_type == 'K':\n if error:\n if MissingRecordsError not in k_records[0]:\n k_records[0].append(MissingRecordsError)\n else:\n if len(k_record_extensions[0]\n ) > 0 and MissingExtensionsError not in k_records[0]:\n k_records[0].append(MissingExtensionsError)\n k_record = LowLevelReader.process_K_record(line,\n k_record_extensions[1])\n k_records[1].append(k_record)\n elif record_type == 'L':\n if error:\n if MissingRecordsError not in comment_records[0]:\n comment_records[0].append(MissingRecordsError)\n else:\n comment_records[1].append(line)\n return dict(logger_id=logger_id, fix_records=fix_records, task=task,\n dgps_records=dgps_records, event_records=event_records,\n satellite_records=satellite_records, security_records=\n security_records, header=header, fix_record_extensions=\n fix_record_extensions, k_record_extensions=k_record_extensions,\n k_records=k_records, comment_records=comment_records)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
self.control_path = self.expt.control_path
self.input_basepath = self.expt.lab.input_basepath
self.work_path = self.expt.work_path
self.codebase_path = self.expt.lab.codebase_path
if len(self.expt.models) > 1:
self.control_path = os.path.join(self.control_path, self.name)
self.work_path = os.path.join(self.work_path, self.name)
self.codebase_path = os.path.join(self.codebase_path, self.name)
self.work_input_path = self.work_path
self.work_restart_path = self.work_path
self.work_output_path = self.work_path
self.work_init_path = self.work_path
self.exec_prefix = self.config.get('exe_prefix', '')
self.exec_name = self.config.get('exe', self.default_exec)
if self.exec_name:
self.exec_path = os.path.join(self.expt.lab.bin_path, self.exec_name)
else:
self.exec_path = None
if self.exec_path:
self.exec_name = os.path.basename(self.exec_path)
|
set_model_pathnames
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.control_path = self.expt.control_path\n self.input_basepath = self.expt.lab.input_basepath\n self.work_path = self.expt.work_path\n self.codebase_path = self.expt.lab.codebase_path\n if len(self.expt.models) > 1:\n self.control_path = os.path.join(self.control_path, self.name)\n self.work_path = os.path.join(self.work_path, self.name)\n self.codebase_path = os.path.join(self.codebase_path, self.name)\n self.work_input_path = self.work_path\n self.work_restart_path = self.work_path\n self.work_output_path = self.work_path\n self.work_init_path = self.work_path\n self.exec_prefix = self.config.get('exe_prefix', '')\n self.exec_name = self.config.get('exe', self.default_exec)\n if self.exec_name:\n self.exec_path = os.path.join(self.expt.lab.bin_path, self.exec_name)\n else:\n self.exec_path = None\n if self.exec_path:\n self.exec_name = os.path.basename(self.exec_path)\n",
"role": "user"
},
{
"content": "set_model_pathnames",
"role": "assistant"
}
] |
def x(self):
for path, dirs, files in os.walk(self.work_path, topdown=False):
for f_name in files:
f_path = os.path.join(path, f_name)
if os.path.islink(f_path) or os.path.getsize(f_path) == 0:
os.remove(f_path)
if len(os.listdir(path)) == 0:
os.rmdir(path)
|
archive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for path, dirs, files in os.walk(self.work_path, topdown=False):\n for f_name in files:\n f_path = os.path.join(path, f_name)\n if os.path.islink(f_path) or os.path.getsize(f_path) == 0:\n os.remove(f_path)\n if len(os.listdir(path)) == 0:\n os.rmdir(path)\n",
"role": "user"
},
{
"content": "archive",
"role": "assistant"
}
] |
def x():
modnames = [mod for _, mod, _ in pkgutil.iter_modules(payu.subcommands.
__path__, prefix=payu.subcommands.__name__ + '.') if mod.endswith(
'_cmd')]
subcmds = [importlib.import_module(mod) for mod in modnames]
parser = argparse.ArgumentParser()
parser.add_argument('--version', action='version', version='payu {0}'.
format(payu.__version__))
subparsers = parser.add_subparsers()
for cmd in subcmds:
cmd_parser = subparsers.add_parser(cmd.title, **cmd.parameters)
cmd_parser.set_defaults(run_cmd=cmd.runcmd)
for arg in cmd.arguments:
cmd_parser.add_argument(*arg['flags'], **arg['parameters'])
if len(sys.argv) == 1:
parser.print_help()
else:
args = vars(parser.parse_args())
run_cmd = args.pop('run_cmd')
run_cmd(**args)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n modnames = [mod for _, mod, _ in pkgutil.iter_modules(payu.subcommands.\n __path__, prefix=payu.subcommands.__name__ + '.') if mod.endswith(\n '_cmd')]\n subcmds = [importlib.import_module(mod) for mod in modnames]\n parser = argparse.ArgumentParser()\n parser.add_argument('--version', action='version', version='payu {0}'.\n format(payu.__version__))\n subparsers = parser.add_subparsers()\n for cmd in subcmds:\n cmd_parser = subparsers.add_parser(cmd.title, **cmd.parameters)\n cmd_parser.set_defaults(run_cmd=cmd.runcmd)\n for arg in cmd.arguments:\n cmd_parser.add_argument(*arg['flags'], **arg['parameters'])\n if len(sys.argv) == 1:\n parser.print_help()\n else:\n args = vars(parser.parse_args())\n run_cmd = args.pop('run_cmd')\n run_cmd(**args)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(model_type, config):
if not model_type:
model_type = config.get('model')
if not model_type:
model_type = os.path.basename(os.path.abspath(os.pardir))
print(
'payu: warning: Assuming model is {0} based on parent directory name.'
.format(model_type))
if model_type not in supported_models:
print('payu: error: Unknown model {0}'.format(model_type))
sys.exit(-1)
|
get_model_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model_type, config):\n if not model_type:\n model_type = config.get('model')\n if not model_type:\n model_type = os.path.basename(os.path.abspath(os.pardir))\n print(\n 'payu: warning: Assuming model is {0} based on parent directory name.'\n .format(model_type))\n if model_type not in supported_models:\n print('payu: error: Unknown model {0}'.format(model_type))\n sys.exit(-1)\n",
"role": "user"
},
{
"content": "get_model_type",
"role": "assistant"
}
] |
def x(init_run=None, n_runs=None, lab_path=None, dir_path=None, reproduce=None
):
payu_env_vars = {}
lib_paths = sysconfig.get_config_vars('LIBDIR')
payu_env_vars['LD_LIBRARY_PATH'] = ':'.join(lib_paths)
if 'PYTHONPATH' in os.environ:
payu_env_vars['PYTHONPATH'] = os.environ['PYTHONPATH']
payu_binpath = os.environ.get('PAYU_PATH')
if not payu_binpath or not os.path.isdir(payu_binpath):
payu_binpath = os.path.dirname(sys.argv[0])
payu_env_vars['PAYU_PATH'] = payu_binpath
if init_run:
init_run = int(init_run)
assert init_run >= 0
payu_env_vars['PAYU_CURRENT_RUN'] = init_run
if n_runs:
n_runs = int(n_runs)
assert n_runs > 0
payu_env_vars['PAYU_N_RUNS'] = n_runs
if lab_path:
payu_env_vars['PAYU_LAB_PATH'] = os.path.normpath(lab_path)
if dir_path:
payu_env_vars['PAYU_DIR_PATH'] = os.path.normpath(dir_path)
if reproduce:
payu_env_vars['PAYU_REPRODUCE'] = reproduce
return payu_env_vars
|
set_env_vars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(init_run=None, n_runs=None, lab_path=None, dir_path=None, reproduce=None\n ):\n payu_env_vars = {}\n lib_paths = sysconfig.get_config_vars('LIBDIR')\n payu_env_vars['LD_LIBRARY_PATH'] = ':'.join(lib_paths)\n if 'PYTHONPATH' in os.environ:\n payu_env_vars['PYTHONPATH'] = os.environ['PYTHONPATH']\n payu_binpath = os.environ.get('PAYU_PATH')\n if not payu_binpath or not os.path.isdir(payu_binpath):\n payu_binpath = os.path.dirname(sys.argv[0])\n payu_env_vars['PAYU_PATH'] = payu_binpath\n if init_run:\n init_run = int(init_run)\n assert init_run >= 0\n payu_env_vars['PAYU_CURRENT_RUN'] = init_run\n if n_runs:\n n_runs = int(n_runs)\n assert n_runs > 0\n payu_env_vars['PAYU_N_RUNS'] = n_runs\n if lab_path:\n payu_env_vars['PAYU_LAB_PATH'] = os.path.normpath(lab_path)\n if dir_path:\n payu_env_vars['PAYU_DIR_PATH'] = os.path.normpath(dir_path)\n if reproduce:\n payu_env_vars['PAYU_REPRODUCE'] = reproduce\n return payu_env_vars\n",
"role": "user"
},
{
"content": "set_env_vars",
"role": "assistant"
}
] |
def x(pbs_script, pbs_config, pbs_vars=None):
if pbs_vars is None:
pbs_vars = {}
pbs_flags = []
pbs_queue = pbs_config.get('queue', 'normal')
pbs_flags.append('-q {queue}'.format(queue=pbs_queue))
pbs_project = pbs_config.get('project', os.environ['PROJECT'])
pbs_flags.append('-P {project}'.format(project=pbs_project))
pbs_resources = ['walltime', 'ncpus', 'mem', 'jobfs']
for res_key in pbs_resources:
res_flags = []
res_val = pbs_config.get(res_key)
if res_val:
res_flags.append('{key}={val}'.format(key=res_key, val=res_val))
if res_flags:
pbs_flags.append('-l {res}'.format(res=','.join(res_flags)))
pbs_jobname = pbs_config.get('jobname', os.path.basename(os.getcwd()))
if pbs_jobname:
pbs_flags.append('-N {name}'.format(name=pbs_jobname[:15]))
pbs_priority = pbs_config.get('priority')
if pbs_priority:
pbs_flags.append('-p {priority}'.format(priority=pbs_priority))
pbs_flags.append('-l wd')
pbs_join = pbs_config.get('join', 'n')
if pbs_join not in ('oe', 'eo', 'n'):
print('payu: error: unknown qsub IO stream join setting.')
sys.exit(-1)
else:
pbs_flags.append('-j {join}'.format(join=pbs_join))
pbs_vstring = ','.join('{0}={1}'.format(k, v) for k, v in pbs_vars.items())
pbs_flags.append('-v ' + pbs_vstring)
pbs_flags_extend = pbs_config.get('qsub_flags')
if pbs_flags_extend:
pbs_flags.append(pbs_flags_extend)
if not os.path.isabs(pbs_script):
payu_bin = pbs_vars.get('PAYU_PATH', os.path.dirname(sys.argv[0]))
pbs_script = os.path.join(payu_bin, pbs_script)
assert os.path.isfile(pbs_script)
envmod.setup()
envmod.module('load', 'pbs')
cmd = 'qsub {flags} -- {python} {script}'.format(flags=' '.join(
pbs_flags), python=sys.executable, script=pbs_script)
print(cmd)
subprocess.check_call(shlex.split(cmd))
|
submit_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pbs_script, pbs_config, pbs_vars=None):\n if pbs_vars is None:\n pbs_vars = {}\n pbs_flags = []\n pbs_queue = pbs_config.get('queue', 'normal')\n pbs_flags.append('-q {queue}'.format(queue=pbs_queue))\n pbs_project = pbs_config.get('project', os.environ['PROJECT'])\n pbs_flags.append('-P {project}'.format(project=pbs_project))\n pbs_resources = ['walltime', 'ncpus', 'mem', 'jobfs']\n for res_key in pbs_resources:\n res_flags = []\n res_val = pbs_config.get(res_key)\n if res_val:\n res_flags.append('{key}={val}'.format(key=res_key, val=res_val))\n if res_flags:\n pbs_flags.append('-l {res}'.format(res=','.join(res_flags)))\n pbs_jobname = pbs_config.get('jobname', os.path.basename(os.getcwd()))\n if pbs_jobname:\n pbs_flags.append('-N {name}'.format(name=pbs_jobname[:15]))\n pbs_priority = pbs_config.get('priority')\n if pbs_priority:\n pbs_flags.append('-p {priority}'.format(priority=pbs_priority))\n pbs_flags.append('-l wd')\n pbs_join = pbs_config.get('join', 'n')\n if pbs_join not in ('oe', 'eo', 'n'):\n print('payu: error: unknown qsub IO stream join setting.')\n sys.exit(-1)\n else:\n pbs_flags.append('-j {join}'.format(join=pbs_join))\n pbs_vstring = ','.join('{0}={1}'.format(k, v) for k, v in pbs_vars.items())\n pbs_flags.append('-v ' + pbs_vstring)\n pbs_flags_extend = pbs_config.get('qsub_flags')\n if pbs_flags_extend:\n pbs_flags.append(pbs_flags_extend)\n if not os.path.isabs(pbs_script):\n payu_bin = pbs_vars.get('PAYU_PATH', os.path.dirname(sys.argv[0]))\n pbs_script = os.path.join(payu_bin, pbs_script)\n assert os.path.isfile(pbs_script)\n envmod.setup()\n envmod.module('load', 'pbs')\n cmd = 'qsub {flags} -- {python} {script}'.format(flags=' '.join(\n pbs_flags), python=sys.executable, script=pbs_script)\n print(cmd)\n subprocess.check_call(shlex.split(cmd))\n",
"role": "user"
},
{
"content": "submit_job",
"role": "assistant"
}
] |
def x(self, regex, timestep):
timestep_changed = False
while True:
matches = re.finditer(regex, self.str, re.MULTILINE | re.DOTALL)
none_updated = True
for m in matches:
if m.group(1) == timestep:
continue
else:
self.str = self.str[:m.start(1)] + timestep + self.str[m.
end(1):]
none_updated = False
timestep_changed = True
break
if none_updated:
break
if not timestep_changed:
sys.stderr.write('WARNING: no update with {0}.\n'.format(regex))
|
substitute_timestep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regex, timestep):\n timestep_changed = False\n while True:\n matches = re.finditer(regex, self.str, re.MULTILINE | re.DOTALL)\n none_updated = True\n for m in matches:\n if m.group(1) == timestep:\n continue\n else:\n self.str = self.str[:m.start(1)] + timestep + self.str[m.\n end(1):]\n none_updated = False\n timestep_changed = True\n break\n if none_updated:\n break\n if not timestep_changed:\n sys.stderr.write('WARNING: no update with {0}.\\n'.format(regex))\n",
"role": "user"
},
{
"content": "substitute_timestep",
"role": "assistant"
}
] |
def x(date):
year = date // 10 ** 4
month = date % 10 ** 4 // 10 ** 2
day = date % 10 ** 2
return datetime.date(year, month, day)
|
int_to_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n year = date // 10 ** 4\n month = date % 10 ** 4 // 10 ** 2\n day = date % 10 ** 2\n return datetime.date(year, month, day)\n",
"role": "user"
},
{
"content": "int_to_date",
"role": "assistant"
}
] |
def x(start_date, years, months, days, seconds, caltype):
end_date = start_date + relativedelta(years=years, months=months, days=days
)
runtime = end_date - start_date
if caltype == NOLEAP:
runtime -= get_leapdays(start_date, end_date)
return int(runtime.total_seconds() + seconds)
|
runtime_from_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_date, years, months, days, seconds, caltype):\n end_date = start_date + relativedelta(years=years, months=months, days=days\n )\n runtime = end_date - start_date\n if caltype == NOLEAP:\n runtime -= get_leapdays(start_date, end_date)\n return int(runtime.total_seconds() + seconds)\n",
"role": "user"
},
{
"content": "runtime_from_date",
"role": "assistant"
}
] |
def x(init_date, seconds, caltype):
end_date = init_date + datetime.timedelta(seconds=seconds)
if caltype == NOLEAP:
end_date += get_leapdays(init_date, end_date)
if end_date.month == 2 and end_date.day == 29:
end_date += datetime.timedelta(days=1)
return end_date
|
date_plus_seconds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(init_date, seconds, caltype):\n end_date = init_date + datetime.timedelta(seconds=seconds)\n if caltype == NOLEAP:\n end_date += get_leapdays(init_date, end_date)\n if end_date.month == 2 and end_date.day == 29:\n end_date += datetime.timedelta(days=1)\n return end_date\n",
"role": "user"
},
{
"content": "date_plus_seconds",
"role": "assistant"
}
] |
def x(init_date, final_date):
curr_date = init_date
leap_days = 0
while curr_date != final_date:
if curr_date.month == 2 and curr_date.day == 29:
leap_days += 1
curr_date += datetime.timedelta(days=1)
return datetime.timedelta(days=leap_days)
|
get_leapdays
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(init_date, final_date):\n curr_date = init_date\n leap_days = 0\n while curr_date != final_date:\n if curr_date.month == 2 and curr_date.day == 29:\n leap_days += 1\n curr_date += datetime.timedelta(days=1)\n return datetime.timedelta(days=leap_days)\n",
"role": "user"
},
{
"content": "get_leapdays",
"role": "assistant"
}
] |
def x(init_date, final_date):
leap_days = (final_date.year - 1) // 4 - (init_date.year - 1) // 4
leap_days -= (final_date.year - 1) // 100 - (init_date.year - 1) // 100
leap_days += (final_date.year - 1) // 400 - (init_date.year - 1) // 400
return datetime.timedelta(days=leap_days)
|
calculate_leapdays
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(init_date, final_date):\n leap_days = (final_date.year - 1) // 4 - (init_date.year - 1) // 4\n leap_days -= (final_date.year - 1) // 100 - (init_date.year - 1) // 100\n leap_days += (final_date.year - 1) // 400 - (init_date.year - 1) // 400\n return datetime.timedelta(days=leap_days)\n",
"role": "user"
},
{
"content": "calculate_leapdays",
"role": "assistant"
}
] |
def x(self, config):
default_project = os.environ.get('PROJECT', '')
default_short_path = os.path.join('/short', default_project)
default_user = pwd.getpwuid(os.getuid()).pw_name
short_path = config.get('shortpath', default_short_path)
lab_name = config.get('laboratory', self.model_type)
if os.path.isabs(lab_name):
lab_path = lab_name
else:
user_name = config.get('user', default_user)
lab_path = os.path.join(short_path, user_name, lab_name)
return lab_path
|
get_default_lab_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n default_project = os.environ.get('PROJECT', '')\n default_short_path = os.path.join('/short', default_project)\n default_user = pwd.getpwuid(os.getuid()).pw_name\n short_path = config.get('shortpath', default_short_path)\n lab_name = config.get('laboratory', self.model_type)\n if os.path.isabs(lab_name):\n lab_path = lab_name\n else:\n user_name = config.get('user', default_user)\n lab_path = os.path.join(short_path, user_name, lab_name)\n return lab_path\n",
"role": "user"
},
{
"content": "get_default_lab_path",
"role": "assistant"
}
] |
def x(self):
mkdir_p(self.archive_path)
mkdir_p(self.bin_path)
mkdir_p(self.codebase_path)
mkdir_p(self.input_basepath)
|
initialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n mkdir_p(self.archive_path)\n mkdir_p(self.bin_path)\n mkdir_p(self.codebase_path)\n mkdir_p(self.input_basepath)\n",
"role": "user"
},
{
"content": "initialize",
"role": "assistant"
}
] |
def x(short=True):
jobid = os.environ.get('PBS_JOBID', '')
if short:
jobid = jobid.split('.')[0]
return jobid
|
get_job_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(short=True):\n jobid = os.environ.get('PBS_JOBID', '')\n if short:\n jobid = jobid.split('.')[0]\n return jobid\n",
"role": "user"
},
{
"content": "get_job_id",
"role": "assistant"
}
] |
def x():
jobid = get_job_id()
if jobid == '':
return None
info = get_qstat_info('-ft {0}'.format(jobid), 'Job Id:')
info = info['Job Id: {}'.format(jobid)]
info['Job_ID'] = jobid
return info
|
get_job_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n jobid = get_job_id()\n if jobid == '':\n return None\n info = get_qstat_info('-ft {0}'.format(jobid), 'Job Id:')\n info = info['Job Id: {}'.format(jobid)]\n info['Job_ID'] = jobid\n return info\n",
"role": "user"
},
{
"content": "get_job_info",
"role": "assistant"
}
] |
def x(self):
assert self.postscript
envmod.setup()
envmod.module('load', 'pbs')
cmd = 'qsub {script}'.format(script=self.postscript)
cmd = shlex.split(cmd)
rc = sp.call(cmd)
assert rc == 0, 'Postprocessing script submission failed.'
|
postprocess
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.postscript\n envmod.setup()\n envmod.module('load', 'pbs')\n cmd = 'qsub {script}'.format(script=self.postscript)\n cmd = shlex.split(cmd)\n rc = sp.call(cmd)\n assert rc == 0, 'Postprocessing script submission failed.'\n",
"role": "user"
},
{
"content": "postprocess",
"role": "assistant"
}
] |
def x(date):
assert date.month <= 12
decade = date.year // 10
decade = decade % 36
year = date.year % 10
month = date.month
day = date.day
um_d = string.digits + string.ascii_letters[:26]
um_dump_date = '{decade}{year}{month}{day}0'.format(decade=um_d[decade],
year=um_d[year], month=um_d[month], day=um_d[day])
return um_dump_date
|
date_to_um_dump_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n assert date.month <= 12\n decade = date.year // 10\n decade = decade % 36\n year = date.year % 10\n month = date.month\n day = date.day\n um_d = string.digits + string.ascii_letters[:26]\n um_dump_date = '{decade}{year}{month}{day}0'.format(decade=um_d[decade],\n year=um_d[year], month=um_d[month], day=um_d[day])\n return um_dump_date\n",
"role": "user"
},
{
"content": "date_to_um_dump_date",
"role": "assistant"
}
] |
def x(date):
assert date.hour == 0 and date.minute == 0 and date.second == 0
return [date.year, date.month, date.day, 0, 0, 0]
|
date_to_um_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n assert date.hour == 0 and date.minute == 0 and date.second == 0\n return [date.year, date.month, date.day, 0, 0, 0]\n",
"role": "user"
},
{
"content": "date_to_um_date",
"role": "assistant"
}
] |
def x(d):
return datetime.datetime(year=d[0], month=d[1], day=d[2], hour=d[3],
minute=d[4], second=d[5])
|
um_date_to_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n return datetime.datetime(year=d[0], month=d[1], day=d[2], hour=d[3],\n minute=d[4], second=d[5])\n",
"role": "user"
},
{
"content": "um_date_to_date",
"role": "assistant"
}
] |
def x(basepath=DEFAULT_BASEPATH):
module_version = os.environ.get('MODULE_VERSION', DEFAULT_VERSION)
moduleshome = os.path.join(basepath, module_version)
if not os.path.isdir(moduleshome):
print(
'payu: warning: MODULESHOME does not exist; disabling environment modules.'
)
os.environ['MODULESHOME'] = ''
return
os.environ['MODULE_VERSION'] = module_version
os.environ['MODULE_VERSION_STACK'] = module_version
os.environ['MODULESHOME'] = moduleshome
if 'MODULEPATH' not in os.environ:
module_initpath = os.path.join(moduleshome, 'init', '.modulespath')
with open(module_initpath) as initpaths:
modpaths = [line.partition('#')[0].strip() for line in
initpaths.readlines() if not line.startswith('#')]
os.environ['MODULEPATH'] = ':'.join(modpaths)
os.environ['LOADEDMODULES'] = os.environ.get('LOADEDMODULES', '')
if 'BASH_FUNC_module()' in os.environ:
bash_func_module = os.environ['BASH_FUNC_module()']
os.environ['BASH_FUNC_module()'] = bash_func_module.replace('\n', ';')
|
setup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(basepath=DEFAULT_BASEPATH):\n module_version = os.environ.get('MODULE_VERSION', DEFAULT_VERSION)\n moduleshome = os.path.join(basepath, module_version)\n if not os.path.isdir(moduleshome):\n print(\n 'payu: warning: MODULESHOME does not exist; disabling environment modules.'\n )\n os.environ['MODULESHOME'] = ''\n return\n os.environ['MODULE_VERSION'] = module_version\n os.environ['MODULE_VERSION_STACK'] = module_version\n os.environ['MODULESHOME'] = moduleshome\n if 'MODULEPATH' not in os.environ:\n module_initpath = os.path.join(moduleshome, 'init', '.modulespath')\n with open(module_initpath) as initpaths:\n modpaths = [line.partition('#')[0].strip() for line in\n initpaths.readlines() if not line.startswith('#')]\n os.environ['MODULEPATH'] = ':'.join(modpaths)\n os.environ['LOADEDMODULES'] = os.environ.get('LOADEDMODULES', '')\n if 'BASH_FUNC_module()' in os.environ:\n bash_func_module = os.environ['BASH_FUNC_module()']\n os.environ['BASH_FUNC_module()'] = bash_func_module.replace('\\n', ';')\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(command, *args):
if 'MODULESHOME' not in os.environ:
print('payu: warning: No Environment Modules found; skipping {0} call.'
.format(command))
return
modulecmd = '{0}/bin/modulecmd'.format(os.environ['MODULESHOME'])
cmd = '{0} python {1} {2}'.format(modulecmd, command, ' '.join(args))
envs, _ = subprocess.Popen(shlex.split(cmd), stdout=subprocess.PIPE
).communicate()
exec(envs)
|
module
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, *args):\n if 'MODULESHOME' not in os.environ:\n print('payu: warning: No Environment Modules found; skipping {0} call.'\n .format(command))\n return\n modulecmd = '{0}/bin/modulecmd'.format(os.environ['MODULESHOME'])\n cmd = '{0} python {1} {2}'.format(modulecmd, command, ' '.join(args))\n envs, _ = subprocess.Popen(shlex.split(cmd), stdout=subprocess.PIPE\n ).communicate()\n exec(envs)\n",
"role": "user"
},
{
"content": "module",
"role": "assistant"
}
] |
def x(self):
input_fpath = os.path.join(self.work_path, 'input.nml')
input_nml = f90nml.read(input_fpath)
if self.expt.counter == 0 or self.expt.repeat_run:
input_type = 'n'
else:
input_type = 'r'
input_nml['MOM_input_nml']['input_filename'] = input_type
f90nml.write(input_nml, input_fpath, force=True)
|
init_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n input_fpath = os.path.join(self.work_path, 'input.nml')\n input_nml = f90nml.read(input_fpath)\n if self.expt.counter == 0 or self.expt.repeat_run:\n input_type = 'n'\n else:\n input_type = 'r'\n input_nml['MOM_input_nml']['input_filename'] = input_type\n f90nml.write(input_nml, input_fpath, force=True)\n",
"role": "user"
},
{
"content": "init_config",
"role": "assistant"
}
] |
def x(path):
try:
os.makedirs(path)
except EnvironmentError as exc:
if exc.errno != errno.EEXIST:
raise
|
mkdir_p
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n try:\n os.makedirs(path)\n except EnvironmentError as exc:\n if exc.errno != errno.EEXIST:\n raise\n",
"role": "user"
},
{
"content": "mkdir_p",
"role": "assistant"
}
] |
def x(config_fname=None):
if not config_fname:
config_fname = DEFAULT_CONFIG_FNAME
try:
with open(config_fname, 'r') as config_file:
config = yaml.load(config_file)
except IOError as exc:
if exc.errno == errno.ENOENT:
print('payu: warning: Configuration file {0} not found!'.format
(config_fname))
config = {}
else:
raise
collate_config = config.pop('collate', {})
if type(collate_config) is bool:
collate_config = {'enable': collate_config}
collatestr = 'collate_'
foundkeys = []
for key in list(config.keys()):
if key.startswith(collatestr):
foundkeys.append(key)
collate_config[key[len(collatestr):]] = config.pop(key)
if foundkeys:
print('Use of these keys is deprecated: {}.'.format(', '.join(
foundkeys)))
print(
"Instead use collate dictionary and subkey without 'collate_' prefix"
)
config['collate'] = collate_config
return config
|
read_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_fname=None):\n if not config_fname:\n config_fname = DEFAULT_CONFIG_FNAME\n try:\n with open(config_fname, 'r') as config_file:\n config = yaml.load(config_file)\n except IOError as exc:\n if exc.errno == errno.ENOENT:\n print('payu: warning: Configuration file {0} not found!'.format\n (config_fname))\n config = {}\n else:\n raise\n collate_config = config.pop('collate', {})\n if type(collate_config) is bool:\n collate_config = {'enable': collate_config}\n collatestr = 'collate_'\n foundkeys = []\n for key in list(config.keys()):\n if key.startswith(collatestr):\n foundkeys.append(key)\n collate_config[key[len(collatestr):]] = config.pop(key)\n if foundkeys:\n print('Use of these keys is deprecated: {}.'.format(', '.join(\n foundkeys)))\n print(\n \"Instead use collate dictionary and subkey without 'collate_' prefix\"\n )\n config['collate'] = collate_config\n return config\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.