source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, *args, **kwargs):
b_status = True
d_pftreeRun = {}
d_inputAnalysis = {}
d_env = self.env_check()
b_timerStart = False
self.dp.qprint(
'\tStarting pfdicom run... (please be patient while running)', level=1)
for k, v in kwargs.items():
if k == 'timerStart':
b_timerStart = bool(v)
if b_timerStart:
other.tic()
if d_env['status']:
d_pftreeRun = self.pf_tree.run(timerStart=False)
else:
b_status = False
str_startDir = os.getcwd()
os.chdir(self.str_inputDir)
if b_status:
if len(self.str_extension):
d_inputAnalysis = self.pf_tree.tree_process(inputReadCallback=
None, analysisCallback=self.filelist_prune,
outputWriteCallback=None, applyResultsTo='inputTree',
applyKey='l_file', persistAnalysisResults=True)
os.chdir(str_startDir)
d_ret = {'status': b_status and d_pftreeRun['status'], 'd_env': d_env,
'd_pftreeRun': d_pftreeRun, 'd_inputAnalysis': d_inputAnalysis,
'runTime': other.toc()}
if self.b_json:
self.ret_dump(d_ret, **kwargs)
self.dp.qprint('\tReturning from pfdicom run...', level=1)
return d_ret
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n b_status = True\n d_pftreeRun = {}\n d_inputAnalysis = {}\n d_env = self.env_check()\n b_timerStart = False\n self.... |
def x(self):
if self.client:
self.poller.unregister(self.client)
self.client.close()
self.client = self.ctx.socket(zmq.DEALER)
self.client.linger = 0
self.client.connect(self.broker)
self.poller.register(self.client, zmq.POLLIN)
if self.verbose:
logging.info('I: connecting to broker at %s...', self.broker)
| reconnect_to_broker | [
{
"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.client:\n self.poller.unregister(self.client)\n self.client.close()\n self.client = self.ctx.socket(zmq.DEALER)\n self.... |
def x(self, service, request):
if not isinstance(request, list):
request = [request]
request = ['', MDP.C_CLIENT, service] + request
if self.verbose:
logging.warn("I: send request to '%s' service: ", service)
dump(request)
self.client.send_multipart(request)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service, request):\n if not isinstance(request, list):\n request = [request]\n request = ['', MDP.C_CLIENT, service] + request\n if self.... |
def x(self):
try:
items = self.poller.poll(self.timeout)
except KeyboardInterrupt:
return
if items:
msg = self.client.recv_multipart()
self.close()
if self.verbose:
logging.info('I: received reply:')
dump(msg)
assert len(msg) >= 4
header = msg.pop(0)
header = msg.pop(0)
assert MDP.C_CLIENT == header
header = msg.pop(0)
return msg
else:
logging.warn('W: permanent error, abandoning request')
| recv | [
{
"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 items = self.poller.poll(self.timeout)\n except KeyboardInterrupt:\n return\n if items:\n msg = self.client.recv_... |
async def get_identity_document(client: Client, current_block: dict, pubkey:
str) ->Identity:
"""
Get the identity document of the pubkey
:param client: Client to connect to the api
:param current_block: Current block data
:param pubkey: UID/Public key
:rtype: Identity
"""
lookup_data = await client(bma.wot.lookup, pubkey)
uid = None
timestamp = BlockUID.empty()
signature = None
for result in lookup_data['results']:
if result['pubkey'] == pubkey:
uids = result['uids']
for uid_data in uids:
timestamp = BlockUID.from_str(uid_data['meta']['timestamp'])
uid = uid_data['uid']
signature = uid_data['self']
return Identity(version=10, currency=current_block['currency'],
pubkey=pubkey, uid=uid, ts=timestamp, signature=signature)
| get_identity_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def get_identity_document(client: Client, current_block: dict, pubkey:\n str) ->Identity:\n \"\"\"\n Get the identity document of the pubkey\n\n :p... |
def x(current_block: dict, self_cert_document: Identity, from_pubkey: str
) ->Certification:
return Certification(version=10, currency=current_block['currency'],
pubkey_from=from_pubkey, identity=self_cert_document, timestamp=
BlockUID(current_block['number'], current_block['hash']), signature='')
| get_certification_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(current_block: dict, self_cert_document: Identity, from_pubkey: str\n ) ->Certification:\n return Certification(version=10, currency=current_block['curre... |
async def main():
"""
Main code
"""
client = Client(BMAS_ENDPOINT)
response = await client(bma.node.summary)
print(response)
salt = getpass.getpass('Enter your passphrase (salt): ')
password = getpass.getpass('Enter your password: ')
key = SigningKey.from_credentials(salt, password)
pubkey_from = key.pubkey
pubkey_to = input('Enter certified pubkey: ')
current_block = await client(bma.blockchain.current)
identity = await get_identity_document(client, current_block, pubkey_to)
certification = get_certification_document(current_block, identity,
pubkey_from)
certification.sign([key])
response = await client(bma.wot.certify, certification.signed_raw())
if response.status == 200:
print(await response.text())
else:
print('Error while publishing certification: {0}'.format(await
response.text()))
await client.close()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def main():\n \"\"\"\n Main code\n \"\"\"\n client = Client(BMAS_ENDPOINT)\n response = await client(bma.node.summary)\n print(response)\n ... |
def x(self, keys):
key = keys[0]
signed = self.raw()[-2:]
signing = base64.b64encode(key.signature(bytes(signed, 'ascii')))
self.signatures = [signing.decode('ascii')]
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys):\n key = keys[0]\n signed = self.raw()[-2:]\n signing = base64.b64encode(key.signature(bytes(signed, 'ascii')))\n self.signatures = [si... |
def x(graph, node, path, visited_nodes):
visited_nodes.add(node)
for target in graph[node]:
if target in path:
return path + [target]
else:
return _dfs_cycle_detect(graph, target, path + [target],
visited_nodes)
return None
| dfs_cycle_detect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph, node, path, visited_nodes):\n visited_nodes.add(node)\n for target in graph[node]:\n if target in path:\n return path + [target]... |
def x(graph):
visited_nodes = set()
for node in list(graph):
if node not in visited_nodes:
cycle = _dfs_cycle_detect(graph, node, [node], visited_nodes)
if cycle:
return cycle
return None
| detect_cycle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph):\n visited_nodes = set()\n for node in list(graph):\n if node not in visited_nodes:\n cycle = _dfs_cycle_detect(graph, node, [no... |
def x(graph):
count = defaultdict(int)
for feature, node in graph.items():
for target in node:
count[target] += 1
free_nodes = list(filter(lambda x: count[x] == 0, graph))
result = []
while free_nodes:
node = free_nodes.pop()
result.append(node)
for target in graph[node]:
count[target] -= 1
if count[target] == 0:
free_nodes.append(target)
return result
| topsort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(graph):\n count = defaultdict(int)\n for feature, node in graph.items():\n for target in node:\n count[target] += 1\n free_nodes = l... |
def x(path, iterator=False, chunksize=None, skiprows=None, nrows=None, **kwargs
):
kwargs['iterator'] = iterator
kwargs['chunksize'] = chunksize
kwargs['skiprows'] = skiprows
kwargs['nrows'] = nrows
if iterator is True:
for df in pd.read_csv(path, **kwargs):
for tp in itertuple(df):
yield tp
else:
df = pd.read_csv(path, **kwargs)
for tp in itertuple(df):
yield tp
| iter_tuple_from_csv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, iterator=False, chunksize=None, skiprows=None, nrows=None, **kwargs\n ):\n kwargs['iterator'] = iterator\n kwargs['chunksize'] = chunksize\n ... |
def x(path, index_col=None, iterator=False, chunksize=None, skiprows=None,
nrows=None, use_ordered_dict=True, **kwargs):
_kwargs = dict(list(kwargs.items()))
_kwargs['iterator'] = None
_kwargs['chunksize'] = None
_kwargs['skiprows'] = 0
_kwargs['nrows'] = 1
df = pd.read_csv(path, index_col=index_col, **_kwargs)
columns = df.columns
if index_col is None:
raise Exception('please give index_col!')
if use_ordered_dict:
table = OrderedDict()
else:
table = dict()
kwargs['iterator'] = iterator
kwargs['chunksize'] = chunksize
kwargs['skiprows'] = skiprows
kwargs['nrows'] = nrows
if iterator is True:
for df in pd.read_csv(path, index_col=index_col, **kwargs):
for ind, tp in zip(df.index, itertuple(df)):
table[ind] = dict(zip(columns, tp))
else:
df = pd.read_csv(path, index_col=index_col, **kwargs)
for ind, tp in zip(df.index, itertuple(df)):
table[ind] = dict(zip(columns, tp))
return table
| index_row_dict_from_csv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, index_col=None, iterator=False, chunksize=None, skiprows=None,\n nrows=None, use_ordered_dict=True, **kwargs):\n _kwargs = dict(list(kwargs.items()... |
def x(path):
if PY2 and not isinstance(path, bytes):
return path.encode(fs_encoding)
return path
| native_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if PY2 and not isinstance(path, bytes):\n return path.encode(fs_encoding)\n return path\n",
"role": "user"
},
{
"content": "n... |
def x(col, field_or_fields, filters=None):
fields = _preprocess_field_or_fields(field_or_fields)
if filters is None:
filters = dict()
wanted = {field: (True) for field in fields}
if len(fields) == 1:
header = fields[0]
data = [doc.get(header) for doc in col.find(filters, wanted)]
return header, data
else:
headers = list(fields)
data = [[doc.get(header) for header in headers] for doc in col.find
(filters, wanted)]
return headers, data
| select_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col, field_or_fields, filters=None):\n fields = _preprocess_field_or_fields(field_or_fields)\n if filters is None:\n filters = dict()\n wanted ... |
def x(col, field_or_fields, filters=None):
fields = _preprocess_field_or_fields(field_or_fields)
if filters is None:
filters = dict()
if len(fields) == 1:
key = fields[0]
data = list(col.find(filters).distinct(key))
return data
else:
pipeline = [{'$match': filters}, {'$group': {'_id': {key: ('$' +
key) for key in fields}}}]
data = list()
for doc in col.aggregate(pipeline):
data.append([doc['_id'][key] for key in fields])
return data
| select_distinct_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col, field_or_fields, filters=None):\n fields = _preprocess_field_or_fields(field_or_fields)\n if filters is None:\n filters = dict()\n if len(... |
def x(col, n=5, filters=None):
pipeline = list()
if filters is not None:
pipeline.append({'$match': filters})
pipeline.append({'$sample': {'size': n}})
return list(col.aggregate(pipeline))
| random_sample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col, n=5, filters=None):\n pipeline = list()\n if filters is not None:\n pipeline.append({'$match': filters})\n pipeline.append({'$sample': {'s... |
def x(session, _flush_context, _instances):
dialect = get_dialect(session)
for row in session.dirty:
if isinstance(row, SavageModelMixin) and is_modified(row, dialect):
row.update_version_id()
| before_flush_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, _flush_context, _instances):\n dialect = get_dialect(session)\n for row in session.dirty:\n if isinstance(row, SavageModelMixin) and is_m... |
def x(session, _flush_context):
dialect = get_dialect(session)
handlers = [(_versioned_delete, session.deleted), (_versioned_insert,
session.new), (_versioned_update, session.dirty)]
for handler, rows in handlers:
for row in rows:
if not isinstance(row, SavageModelMixin):
continue
if not hasattr(row, 'ArchiveTable'):
raise LogTableCreationError('Need to register Savage tables!!')
user_id = getattr(row, '_updated_by', None)
handler(row, session, user_id, dialect)
| after_flush_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, _flush_context):\n dialect = get_dialect(session)\n handlers = [(_versioned_delete, session.deleted), (_versioned_insert,\n session.new),... |
def x(sim, ver: xarray.DataArray, obsAlt_km: float, zenithang: float):
assert isinstance(ver, xarray.DataArray)
optT = getSystemT(ver.wavelength_nm, sim.bg3fn, sim.windowfn, sim.qefn,
obsAlt_km, zenithang)
if sim.opticalfilter == 'bg3':
VERgray = (ver * optT['sys'].values[None, :]).sum('wavelength_nm')
elif sim.opticalfilter == 'none':
VERgray = (ver * optT['sysNObg3'].values[None, :]).sum('wavelength_nm')
else:
logging.warning(
f'unknown OpticalFilter type: {sim.opticalfilter} falling back to using no filter at all'
)
VERgray = (ver * optT['sysNObg3'].values[None, :]).sum('wavelength_nm')
return VERgray
| opticalModel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sim, ver: xarray.DataArray, obsAlt_km: float, zenithang: float):\n assert isinstance(ver, xarray.DataArray)\n optT = getSystemT(ver.wavelength_nm, sim.bg... |
def x(content_type, default_encoding, dumper, loader):
content_type = headers.parse_content_type(content_type)
content_type.parameters.clear()
key = str(content_type)
_content_types[key] = content_type
handler = _content_handlers.setdefault(key, _ContentHandler(key))
handler.dict_to_string = dumper
handler.string_to_dict = loader
handler.default_encoding = default_encoding or handler.default_encoding
| register_text_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content_type, default_encoding, dumper, loader):\n content_type = headers.parse_content_type(content_type)\n content_type.parameters.clear()\n key = s... |
def x(content_type, dumper, loader):
content_type = headers.parse_content_type(content_type)
content_type.parameters.clear()
key = str(content_type)
_content_types[key] = content_type
handler = _content_handlers.setdefault(key, _ContentHandler(key))
handler.dict_to_bytes = dumper
handler.bytes_to_dict = loader
| register_binary_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(content_type, dumper, loader):\n content_type = headers.parse_content_type(content_type)\n content_type.parameters.clear()\n key = str(content_type)\n... |
def x(self, obj_bytes, encoding=None):
assert self.bytes_to_dict or self.string_to_dict
encoding = encoding or self.default_encoding
LOGGER.debug('%r decoding %d bytes with encoding of %s', self, len(
obj_bytes), encoding)
if self.bytes_to_dict:
return escape.recursive_unicode(self.bytes_to_dict(obj_bytes))
return self.string_to_dict(obj_bytes.decode(encoding))
| unpack_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj_bytes, encoding=None):\n assert self.bytes_to_dict or self.string_to_dict\n encoding = encoding or self.default_encoding\n LOGGER.debug('%r ... |
def x(self, obj_dict, encoding=None):
assert self.dict_to_bytes or self.dict_to_string
encoding = encoding or self.default_encoding or 'utf-8'
LOGGER.debug('%r encoding dict with encoding %s', self, encoding)
if self.dict_to_bytes:
return None, self.dict_to_bytes(obj_dict)
try:
return encoding, self.dict_to_string(obj_dict).encode(encoding)
except LookupError as error:
raise web.HTTPError(406, 'failed to encode result %r', error,
reason='target charset {0} not found'.format(encoding))
except UnicodeEncodeError as error:
LOGGER.warning('failed to encode text as %s - %s, trying utf-8',
encoding, str(error))
return 'utf-8', self.dict_to_string(obj_dict).encode('utf-8')
| pack_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj_dict, encoding=None):\n assert self.dict_to_bytes or self.dict_to_string\n encoding = encoding or self.default_encoding or 'utf-8'\n LOGGER.... |
def x(self):
if self._request_body is None:
content_type_str = self.request.headers.get('Content-Type',
'application/octet-stream')
LOGGER.debug('decoding request body of type %s', content_type_str)
content_type = headers.parse_content_type(content_type_str)
try:
selected, requested = algorithms.select_content_type([
content_type], _content_types.values())
except errors.NoMatch:
raise web.HTTPError(415, 'cannot decoded content type %s',
content_type_str, reason='Unexpected content type')
handler = _content_handlers[str(selected)]
try:
self._request_body = handler.unpack_bytes(self.request.body,
encoding=content_type.parameters.get('charset'))
except ValueError as error:
raise web.HTTPError(400, 'failed to decode content body - %r',
error, reason='Content body decode failure')
return self._request_body
| get_request_body | [
{
"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._request_body is None:\n content_type_str = self.request.headers.get('Content-Type',\n 'application/octet-stream')\n ... |
def x(self, response_dict):
accept = headers.parse_http_accept_header(self.request.headers.get(
'Accept', '*/*'))
try:
selected, _ = algorithms.select_content_type(accept, _content_types
.values())
except errors.NoMatch:
raise web.HTTPError(406, 'no acceptable content type for %s in %r',
accept, _content_types.values(), reason=
'Content Type Not Acceptable')
LOGGER.debug('selected %s as outgoing content type', selected)
handler = _content_handlers[str(selected)]
accept = self.request.headers.get('Accept-Charset', '*')
charsets = headers.parse_accept_charset(accept)
charset = charsets[0] if charsets[0] != '*' else None
LOGGER.debug('encoding response body using %r with encoding %s',
handler, charset)
encoding, response_bytes = handler.pack_bytes(response_dict, encoding=
charset)
if encoding:
copied = datastructures.ContentType(selected.content_type, selected
.content_subtype, selected.parameters)
copied.parameters['charset'] = encoding
selected = copied
self.set_header('Content-Type', str(selected))
self.write(response_bytes)
| send_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response_dict):\n accept = headers.parse_http_accept_header(self.request.headers.get(\n 'Accept', '*/*'))\n try:\n selected, _ = algo... |
def x(self, _from, to):
with self.session as session:
table = self.tables.archive
try:
results = session.query(table).filter(table.dateTime >= _from
).filter(table.dateTime < to).all()
return [self.archive_schema.dump(entry).data for entry in results]
except SQLAlchemyError as exc:
session.rollback()
print_exc()
raise IOError(exc)
| archive_query_interval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _from, to):\n with self.session as session:\n table = self.tables.archive\n try:\n results = session.query(table).filter(tabl... |
def x(self, data_dump):
with self.session as session:
try:
data = [self.tables.archive(**entry) for entry in data_dump]
session.add_all(data)
session.commit()
except SQLAlchemyError as exc:
session.rollback()
print_exc()
raise IOError(exc)
| archive_insert_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_dump):\n with self.session as session:\n try:\n data = [self.tables.archive(**entry) for entry in data_dump]\n sessi... |
def x():
filename = path.join(path.expanduser('~'), '.profrc')
config = configparser.ConfigParser()
config.read(filename)
if 'baseurl' not in config['DEFAULT']:
print(
"""FATAL : No baseurl found in {0}
Open {0} and add the following lines
[DEFAULT]
Baseurl = https://your-prof-instance"""
.format(filename))
sys.exit()
try:
requests.get(config['DEFAULT']['BASEURL'])
except:
print(
'{0} does not seems to be reachable. Verify the baseurl set at {1} matches ``https://your-prof-instance``'
.format(config['DEFAULT']['BASEURL'], filename))
sys.exit()
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():\n filename = path.join(path.expanduser('~'), '.profrc')\n config = configparser.ConfigParser()\n config.read(filename)\n if 'baseurl' not in con... |
def x(sessid):
filename = path.join(path.expanduser('~'), '.profrc')
config = configparser.ConfigParser()
config.read(filename)
config.set('DEFAULT', 'Session', sessid)
with open(filename, 'w') as configfile:
print('write a new sessid')
config.write(configfile)
| set_sessid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sessid):\n filename = path.join(path.expanduser('~'), '.profrc')\n config = configparser.ConfigParser()\n config.read(filename)\n config.set('DEFAU... |
def x(command):
try:
check_ouput = getattr(subprocess, 'check_output', subprocess.check_call
)
result = check_ouput(command, stderr=subprocess.STDOUT, shell=True)
if check_ouput.__name__ == 'check_output':
return 0, result
else:
return result, None
except subprocess.CalledProcessError as e:
return e.returncode, getattr(e, 'output', None)
| run_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command):\n try:\n check_ouput = getattr(subprocess, 'check_output', subprocess.check_call\n )\n result = check_ouput(command, stde... |
def x(config_schema, env):
try:
return {key: item_schema.parse(key, env.get(key)) for key,
item_schema in config_schema.items()}
except KeyError as error:
raise MissingConfigError('Required config not set: {}'.format(error
.args[0]))
| parse_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_schema, env):\n try:\n return {key: item_schema.parse(key, env.get(key)) for key,\n item_schema in config_schema.items()}\n exce... |
def x(self, key, value):
if value is not None:
try:
return self._parser(value)
except Exception:
raise ParsingError('Error parsing {}'.format(key))
elif self._default is not SENTINAL:
return self._default
else:
raise KeyError(key)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n if value is not None:\n try:\n return self._parser(value)\n except Exception:\n raise ParsingError(... |
def x(data):
fp = tempfile.NamedTemporaryFile(delete=False)
fp.write(json.dumps(data).encode('utf-8'))
fp.close()
return fp.name
| write_json_to_temp_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n fp = tempfile.NamedTemporaryFile(delete=False)\n fp.write(json.dumps(data).encode('utf-8'))\n fp.close()\n return fp.name\n",
"role": ... |
def x(path):
updated_lockfile_contents = {'package1': '1.2.0'}
with open(path, 'w+') as f:
f.write(json.dumps(updated_lockfile_contents, indent=4))
return updated_lockfile_contents
| mock_lockfile_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n updated_lockfile_contents = {'package1': '1.2.0'}\n with open(path, 'w+') as f:\n f.write(json.dumps(updated_lockfile_contents, indent=4)... |
def x():
SETTING_EXAMPLE_LIST = json.loads(os.getenv('SETTING_EXAMPLE_LIST', '[]'))
SETTING_EXAMPLE_STRING = os.getenv('SETTING_EXAMPLE_STRING', 'default')
print('List setting values: {}'.format(SETTING_EXAMPLE_LIST))
print('String setting value: {}'.format(SETTING_EXAMPLE_STRING))
| print_settings_example | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n SETTING_EXAMPLE_LIST = json.loads(os.getenv('SETTING_EXAMPLE_LIST', '[]'))\n SETTING_EXAMPLE_STRING = os.getenv('SETTING_EXAMPLE_STRING', 'default')... |
def x(fpath):
img = imread(fpath, as_grey=True)
thresh = skimage.filter.threshold_otsu(img)
return thresh
| otsu | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fpath):\n img = imread(fpath, as_grey=True)\n thresh = skimage.filter.threshold_otsu(img)\n return thresh\n",
"role": "user"
},
{
"content... |
def x():
datapath = path.join(path.dirname(path.realpath(__file__)), path.pardir)
datapath = path.join(datapath, '../gzoo_data', 'train_solution.csv')
return path.normpath(datapath)
| labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n datapath = path.join(path.dirname(path.realpath(__file__)), path.pardir)\n datapath = path.join(datapath, '../gzoo_data', 'train_solution.csv')\n ... |
def x(DataFrame, train):
DataFrame = pd.read_csv(DataFrame)
titles = DataFrame['Name'].apply(lambda x: x.split(',')[1].split(' ')[1])
title_mapping = {'the': 5, 'Mr.': 1, 'Miss.': 2, 'Mrs.': 3, 'Master.':
4, 'Dr.': 5, 'Rev.': 6, 'Major.': 7, 'Col.': 7, 'Mlle.': 2, 'Mme.':
3, 'Don.': 9, 'Lady.': 10, 'Countess.': 10, 'Jonkheer.': 10, 'Sir.':
9, 'Capt.': 7, 'Ms.': 2, 'Dona.': 10}
for k, v in title_mapping.items():
titles[titles == k] = v
DataFrame['Title'] = titles
DataFrame['NameLen'] = DataFrame['Name'].apply(lambda x: len(x))
DataFrame['FamSize'] = DataFrame['SibSp'] + DataFrame['Parch']
DataFrame['Has_Cabin'] = DataFrame['Cabin'].apply(lambda x: 0 if type(x
) == float else 1)
cabins = DataFrame['Cabin'].apply(lambda x: str(x)[0])
cabin_mapping = {'A': 3, 'B': 5, 'C': 5, 'D': 4, 'E': 4, 'F': 3, 'G': 2,
'T': 1, 'n': 10}
for k, v in cabin_mapping.items():
cabins[cabins == k] = v
DataFrame['Cabin'] = cabins
del DataFrame['Parch']
del DataFrame['SibSp']
del DataFrame['PassengerId']
pclass = pd.get_dummies(DataFrame.Pclass, prefix='Pclass')
sex = pd.get_dummies(DataFrame.Sex)
embarked = pd.get_dummies(DataFrame.Embarked, prefix='Embarked')
DataFrame = pd.concat([DataFrame, pclass, sex, embarked], axis=1)
del DataFrame['Pclass']
del DataFrame['Name']
del DataFrame['Ticket']
del DataFrame['Sex']
del DataFrame['Embarked']
DataFrame['Fare'].fillna(train['Fare'].median(), inplace=True)
DataFrame.loc[DataFrame['Fare'] <= 7.91, 'Fare'] = 0
DataFrame.loc[(DataFrame['Fare'] > 7.91) & (DataFrame['Fare'] <= 14.454
), 'Fare'] = 1
DataFrame.loc[(DataFrame['Fare'] > 14.454) & (DataFrame['Fare'] <= 31),
'Fare'] = 2
DataFrame.loc[DataFrame['Fare'] > 31, 'Fare'] = 3
DataFrame['Fare'] = DataFrame['Fare'].astype(int)
DataFrame['Age'].fillna(train['Age'].median(), inplace=True)
return DataFrame
| Feature_Engineering | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DataFrame, train):\n DataFrame = pd.read_csv(DataFrame)\n titles = DataFrame['Name'].apply(lambda x: x.split(',')[1].split(' ')[1])\n title_mapping = ... |
def x(train):
trainDF = pd.read_csv(train)
train = Feature_Engineering(train, trainDF)
RF = RFC(min_samples_split=10, n_estimators=700, criterion='gini',
max_depth=None)
RF.fit(train.iloc[:, 1:], train.iloc[:, 0])
return RF
| Create_Random_Forest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(train):\n trainDF = pd.read_csv(train)\n train = Feature_Engineering(train, trainDF)\n RF = RFC(min_samples_split=10, n_estimators=700, criterion='gin... |
def x(FileName, train, test):
TestFileName = test
TrainFileName = train
trainDF = pd.read_csv(train)
train = Feature_Engineering(train, trainDF)
test = Feature_Engineering(test, trainDF)
MLA = Create_Random_Forest(TrainFileName)
predictions = MLA.predict(test)
predictions = pd.DataFrame(predictions, columns=['Survived'])
test = pd.read_csv(TestFileName)
predictions = pd.concat((test.iloc[:, 0], predictions), axis=1)
predictions.to_csv(FileName, sep=',', index=False)
| Produce_Predictions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(FileName, train, test):\n TestFileName = test\n TrainFileName = train\n trainDF = pd.read_csv(train)\n train = Feature_Engineering(train, trainDF)\... |
def x(code, message='', results=None):
return code, json.dumps({'code': code, 'message': message, 'results':
results})
| make_json_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, message='', results=None):\n return code, json.dumps({'code': code, 'message': message, 'results':\n results})\n",
"role": "user"
},
{
... |
def x(raw_dump_path, logger=None):
try:
yield raw_dump_path
finally:
if 'TEMPORARY' in raw_dump_path:
try:
os.unlink(raw_dump_path)
except OSError:
if logger is None:
logger = FakeLogger()
logger.warning(
'unable to delete %s. manual deletion is required.',
raw_dump_path, exc_info=True)
| temp_file_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_dump_path, logger=None):\n try:\n yield raw_dump_path\n finally:\n if 'TEMPORARY' in raw_dump_path:\n try:\n ... |
async def memberships(client: Client, search: str) ->dict:
"""
GET list of Membership documents for UID/Public key
:param client: Client to connect to the api
:param search: UID/Public key
:return:
"""
return await client.get(MODULE + '/memberships/%s' % search, schema=
MEMBERSHIPS_SCHEMA)
| memberships | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def memberships(client: Client, search: str) ->dict:\n \"\"\"\n GET list of Membership documents for UID/Public key\n\n :param client: Client to conne... |
async def membership(client: Client, membership_signed_raw: str
) ->ClientResponse:
"""
POST a Membership document
:param client: Client to connect to the api
:param membership_signed_raw: Membership signed raw document
:return:
"""
return await client.post(MODULE + '/membership', {'membership':
membership_signed_raw}, rtype=RESPONSE_AIOHTTP)
| membership | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def membership(client: Client, membership_signed_raw: str\n ) ->ClientResponse:\n \"\"\"\n POST a Membership document\n\n :param client: Client to ... |
async def block(client: Client, number: int=0, block_raw: str=None,
signature: str=None) ->Union[dict, ClientResponse]:
"""
GET/POST a block from/to the blockchain
:param client: Client to connect to the api
:param number: Block number to get
:param block_raw: Block document to post
:param signature: Signature of the block document issuer
:return:
"""
if block_raw is not None and signature is not None:
return await client.post(MODULE + '/block', {'block': block_raw,
'signature': signature}, rtype=RESPONSE_AIOHTTP)
return await client.get(MODULE + '/block/%d' % number, schema=BLOCK_SCHEMA)
| block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def block(client: Client, number: int=0, block_raw: str=None,\n signature: str=None) ->Union[dict, ClientResponse]:\n \"\"\"\n GET/POST a block from/t... |
async def blocks(client: Client, count: int, start: int) ->list:
"""
GET list of blocks from the blockchain
:param client: Client to connect to the api
:param count: Number of blocks
:param start: First block number
:return:
"""
assert type(count) is int
assert type(start) is int
return await client.get(MODULE + '/blocks/%d/%d' % (count, start),
schema=BLOCKS_SCHEMA)
| blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def blocks(client: Client, count: int, start: int) ->list:\n \"\"\"\n GET list of blocks from the blockchain\n\n :param client: Client to connect to t... |
async def hardship(client: Client, pubkey: str) ->dict:
"""
GET hardship level for given member's public key for writing next block
:param client: Client to connect to the api
:param pubkey: Public key of the member
:return:
"""
return await client.get(MODULE + '/hardship/%s' % pubkey, schema=
HARDSHIP_SCHEMA)
| hardship | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def hardship(client: Client, pubkey: str) ->dict:\n \"\"\"\n GET hardship level for given member's public key for writing next block\n\n :param client... |
def x(value: Union[str, BlockUID, None]) ->BlockUID:
if isinstance(value, BlockUID):
return value
elif isinstance(value, str):
return BlockUID.from_str(value)
elif value is None:
return BlockUID.empty()
else:
raise TypeError('Cannot convert {0} to BlockUID'.format(type(value)))
| block_uid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value: Union[str, BlockUID, None]) ->BlockUID:\n if isinstance(value, BlockUID):\n return value\n elif isinstance(value, str):\n return Blo... |
def x(cls: Type[BlockUIDType], blockid: str) ->BlockUIDType:
data = BlockUID.re_block_uid.match(blockid)
if data is None:
raise MalformedDocumentError('BlockUID')
try:
number = int(data.group(1))
except AttributeError:
raise MalformedDocumentError('BlockUID')
try:
sha_hash = data.group(2)
except AttributeError:
raise MalformedDocumentError('BlockHash')
return cls(number, sha_hash)
| from_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[BlockUIDType], blockid: str) ->BlockUIDType:\n data = BlockUID.re_block_uid.match(blockid)\n if data is None:\n raise MalformedDocumentE... |
def x(port, path, peer_uid, node_uid, app_id):
packet = struct.pack('<BBH', PACKET_FORMAT_VERSION,
PACKET_TYPE_HEARTBEAT, port)
for string in (path, peer_uid, node_uid, app_id):
string_bytes = to_bytes(string)
packet += struct.pack('<H', len(string_bytes))
packet += string_bytes
return packet
| make_heartbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(port, path, peer_uid, node_uid, app_id):\n packet = struct.pack('<BBH', PACKET_FORMAT_VERSION,\n PACKET_TYPE_HEARTBEAT, port)\n for string in (pat... |
def x(peer_uid, app_id):
packet = struct.pack('<BB', PACKET_FORMAT_VERSION, PACKET_TYPE_LASTBEAT)
for string in (peer_uid, app_id):
string_bytes = to_bytes(string)
packet += struct.pack('<H', len(string_bytes))
packet += string_bytes
return packet
| make_lastbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(peer_uid, app_id):\n packet = struct.pack('<BB', PACKET_FORMAT_VERSION, PACKET_TYPE_LASTBEAT)\n for string in (peer_uid, app_id):\n string_bytes =... |
def x(self):
self._socket, self._group = create_multicast_socket(self._group, self._port
)
self._stop_event.clear()
self._thread = threading.Thread(target=self.__read, name=
'MulticastReceiver-{0}'.format(self._port))
self._thread.start()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._socket, self._group = create_multicast_socket(self._group, self._port\n )\n self._stop_event.clear()\n self._thread = threading.... |
def x(self):
self._stop_event.set()
self._thread.join()
self._thread = None
close_multicast_socket(self._socket, self._group)
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._stop_event.set()\n self._thread.join()\n self._thread = None\n close_multicast_socket(self._socket, self._group)\n",
"role": "us... |
def x(self, sender, data):
parsed, data = self._unpack('<B', data)
format = parsed[0]
if format == PACKET_FORMAT_VERSION:
parsed, data = self._unpack('<B', data)
kind = parsed[0]
if kind == PACKET_TYPE_HEARTBEAT:
parsed, data = self._unpack('<H', data)
port = parsed[0]
path, data = self._unpack_string(data)
uid, data = self._unpack_string(data)
node_uid, data = self._unpack_string(data)
try:
app_id, data = self._unpack_string(data)
except struct.error:
app_id = herald.DEFAULT_APPLICATION_ID
elif kind == PACKET_TYPE_LASTBEAT:
uid, data = self._unpack_string(data)
app_id, data = self._unpack_string(data)
port = -1
path = None
node_uid = None
else:
_logger.warning('Unknown kind of packet: %d', kind)
return
try:
self._callback(kind, uid, node_uid, app_id, sender[0], port, path)
except Exception as ex:
_logger.exception('Error handling heart beat: %s', ex)
| handle_heartbeat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sender, data):\n parsed, data = self._unpack('<B', data)\n format = parsed[0]\n if format == PACKET_FORMAT_VERSION:\n parsed, data = self... |
def x(self, fmt, data):
size = struct.calcsize(fmt)
read, unread = data[:size], data[size:]
return struct.unpack(fmt, read), unread
| unpack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmt, data):\n size = struct.calcsize(fmt)\n read, unread = data[:size], data[size:]\n return struct.unpack(fmt, read), unread\n",
"role": "u... |
def x(self, data):
result, data = self._unpack('<H', data)
size = result[0]
string_bytes = data[:size]
return to_unicode(string_bytes), data[size:]
| unpack_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n result, data = self._unpack('<H', data)\n size = result[0]\n string_bytes = data[:size]\n return to_unicode(string_bytes), data[size... |
def x(self):
self._socket.setblocking(0)
while not self._stop_event.is_set():
ready = select.select([self._socket], [], [], 1)
if ready[0]:
data, sender = self._socket.recvfrom(1024)
try:
self._handle_heartbeat(sender, data)
except Exception as ex:
_logger.exception('Error handling the heart beat: %s', ex)
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._socket.setblocking(0)\n while not self._stop_event.is_set():\n ready = select.select([self._socket], [], [], 1)\n if ready[0... |
def x(component, handlers, level='DEBUG', path='/var/log/vfine/'):
config = {'version': 1, 'disable_existing_loggers': False, 'formatters':
{'standard': {'format':
'%(asctime)s [%(levelname)s][%(threadName)s]' +
'[%(name)s.%(funcName)s():%(lineno)d] %(message)s'}, 'color': {'()':
'shaw.log.SplitColoredFormatter', 'format': '%(asctime)s ' +
'%(log_color)s%(bold)s[%(levelname)s]%(reset)s' +
'[%(threadName)s][%(name)s.%(funcName)s():%(lineno)d] ' +
'%(blue)s%(message)s'}}, 'handlers': {'debug': {'level': 'DEBUG',
'class': 'logging.handlers.RotatingFileHandler', 'filename': path +
component + '.debug.log', 'maxBytes': 1024 * 1024 * 1024,
'backupCount': 5, 'formatter': 'standard'}, 'color': {'level':
'DEBUG', 'class': 'logging.handlers.RotatingFileHandler',
'filename': path + component + '.color.log', 'maxBytes': 1024 *
1024 * 1024, 'backupCount': 5, 'formatter': 'color'}, 'info': {
'level': 'INFO', 'class': 'logging.handlers.RotatingFileHandler',
'filename': path + component + '.info.log', 'maxBytes': 1024 * 1024 *
1024, 'backupCount': 5, 'formatter': 'standard'}, 'error': {'level':
'ERROR', 'class': 'logging.handlers.RotatingFileHandler',
'filename': path + component + '.error.log', 'maxBytes': 1024 *
1024 * 100, 'backupCount': 5, 'formatter': 'standard'}, 'console':
{'level': level, 'class': 'logging.StreamHandler', 'formatter':
'standard'}}, 'loggers': {'django': {'handlers': handlers, 'level':
'INFO', 'propagate': False}, 'django.request': {'handlers':
handlers, 'level': 'INFO', 'propagate': False}, '': {'handlers':
handlers, 'level': level, 'propagate': False}}}
return config
| get_log_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(component, handlers, level='DEBUG', path='/var/log/vfine/'):\n config = {'version': 1, 'disable_existing_loggers': False, 'formatters':\n {'standard'... |
def x(self):
t = self.rolloverAt - self.interval
if self.utc:
timeTuple = time.gmtime(t)
else:
timeTuple = time.localtime(t)
dfn = self.baseFilename + '.' + time.strftime(self.suffix, timeTuple)
lockdata = struct.pack('hhllhh', fcntl.F_WRLCK, 0, 0, 0, 0, 0)
fcntl.fcntl(self.stream, fcntl.F_SETLKW, lockdata)
if not os.path.exists(dfn) and os.path.exists(self.baseFilename):
os.rename(self.baseFilename, dfn)
with open(self.baseFilename, 'a'):
pass
if self.backupCount > 0:
for s in self.getFilesToDelete():
os.remove(s)
if self.stream:
self.stream.close()
self.mode = 'a'
self.stream = self._open()
currentTime = int(time.time())
newRolloverAt = self.computeRollover(currentTime)
while newRolloverAt <= currentTime:
newRolloverAt = newRolloverAt + self.interval
if (self.when == 'MIDNIGHT' or self.when.startswith('W')) and not self.utc:
dstNow = time.localtime(currentTime)[-1]
dstAtRollover = time.localtime(newRolloverAt)[-1]
if dstNow != dstAtRollover:
if not dstNow:
newRolloverAt = newRolloverAt - 3600
else:
newRolloverAt = newRolloverAt + 3600
self.rolloverAt = newRolloverAt
| doRollover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = self.rolloverAt - self.interval\n if self.utc:\n timeTuple = time.gmtime(t)\n else:\n timeTuple = time.localtime(t)\n df... |
def x(self, record):
record = ColoredRecord(record)
record.log_color = self.color(self.log_colors, record.levelname)
if self.secondary_log_colors:
for name, log_colors in self.secondary_log_colors.items():
color = self.color(log_colors, record.levelname)
setattr(record, name + '_log_color', color)
if sys.version_info > (2, 7):
message = super(ColoredFormatter, self).format(record)
else:
message = logging.Formatter.format(self, record)
if self.reset and not message.endswith(escape_codes['reset']):
message += escape_codes['reset']
if '|' in message:
desc, data = message.split('|', 1)
desc = desc + escape_codes['reset']
data = escape_codes['green'] + data
message = desc + '|' + data
return message
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n record = ColoredRecord(record)\n record.log_color = self.color(self.log_colors, record.levelname)\n if self.secondary_log_colors:\n ... |
def x():
global __console_logger
if __console_logger:
return __console_logger
logger = logging.getLogger('kkconst')
logger.setLevel(logging.DEBUG)
ch = logging.StreamHandler(sys.stdout)
ch.setLevel(logging.DEBUG)
formatter = logging.Formatter(
'%(asctime)s - %(name)s - %(levelname)s - %(message)s')
ch.setFormatter(formatter)
logger.addHandler(ch)
__console_logger = logger
return logger
| get_console_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global __console_logger\n if __console_logger:\n return __console_logger\n logger = logging.getLogger('kkconst')\n logger.setLevel(logg... |
def x(the_list, val, a_scheme, a_property):
scheme = copy.copy(a_scheme)
new_list = []
if isinstance(the_list, list):
for an_item in the_list:
if not isinstance(an_item, basestring) and u'$ref' in an_item.keys(
):
sub_scheme_name = generate_schema_name_from_uri(an_item['$ref']
)
content = load_schema(sub_scheme_name)
new_list.append(content)
else:
sub_scheme_name = generate_schema_name_from_uri(the_list['$ref'])
new_list = load_schema(sub_scheme_name)
scheme['properties'][a_property]['items'] = new_list
return scheme
| load_referenced_schemes_from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(the_list, val, a_scheme, a_property):\n scheme = copy.copy(a_scheme)\n new_list = []\n if isinstance(the_list, list):\n for an_item in the_list... |
def x(val, a_scheme, a_property):
scheme = copy.copy(a_scheme)
if _value_properties_are_referenced(val):
ref_schema_uri = val['properties']['$ref']
sub_schema = load_ref_schema(ref_schema_uri)
sub_schema_copy_level_0 = copy.deepcopy(sub_schema)
for prop_0 in sub_schema_copy_level_0['properties']:
val_0 = sub_schema_copy_level_0['properties'][prop_0]
is_type_array_0 = val_0['type'] == 'array'
is_type_object_0 = val_0['type'] == 'object'
if (is_type_array_0 or is_type_object_0
) and _value_properties_are_referenced(val_0):
sub_schema_copy_level_1 = (
_load_referenced_schema_from_properties(val_0,
sub_schema_copy_level_0, prop_0))
for prop_1 in sub_schema_copy_level_1['properties']:
val_1 = sub_schema_copy_level_1['properties'][prop_1]
is_type_array_1 = val_1['type'] == 'array'
is_type_object_1 = val_1['type'] == 'object'
if (is_type_array_1 or is_type_object_1
) and _value_properties_are_referenced(val_1):
raise SalesKingException(
'too much nesting in the schemes')
if _value_is_required(val_0):
sub_schema_copy_level_0['properties'][prop_0]['required'
] = False
if _value_is_type_text(val_0):
log.debug('patched text to string')
sub_schema_copy_level_0['properties'][prop_0]['type'
] = u'string'
scheme['properties'][a_property]['properties'
] = sub_schema_copy_level_0['properties']
return scheme
| load_referenced_schema_from_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, a_scheme, a_property):\n scheme = copy.copy(a_scheme)\n if _value_properties_are_referenced(val):\n ref_schema_uri = val['properties']['$ref'... |
def x(name):
schema = import_schema_to_json(name)
for item in schema['links']:
href_value = item['href']
rel_value = item['rel']
schema[rel_value] = href_value
del item
for prop in schema['properties']:
value = schema['properties'][prop]
is_type_array = value['type'] == 'array'
is_type_object = value['type'] == 'object'
if (is_type_array or is_type_object
) and _value_properties_are_referenced(value):
schema = _load_referenced_schema_from_properties(value, schema,
prop)
if is_type_array and _value_is_default_any(value
) and _value_has_items_key(value):
schema = _load_referenced_schemes_from_list(value['items'],
value, schema, prop)
if _value_is_required(value):
schema['properties'][prop]['required'] = False
if _value_is_type_text(value):
log.debug('patched text to string')
schema['properties'][prop]['type'] = u'string'
schema['name'] = schema['title']
return schema
| load_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n schema = import_schema_to_json(name)\n for item in schema['links']:\n href_value = item['href']\n rel_value = item['rel']\n ... |
def x(self):
if not self.select_paths:
return sys.path
result = []
match_any = set()
for path in sys.path:
path = os.path.normcase(os.path.abspath(path))
for match in self.select_paths:
match = os.path.normcase(os.path.abspath(match))
if '*' in match:
if re.search(fnmatch.translate(match + '*'), path):
result.append(path)
match_any.add(match)
break
elif path.startswith(match):
result.append(path)
match_any.add(match)
break
else:
logger.debug("Skipping path %s because it doesn't match %s" % (
path, ', '.join(self.select_paths)))
for match in self.select_paths:
if match not in match_any and '*' not in match:
result.append(match)
logger.debug(
"Adding path %s because it doesn't match anything already on sys.path"
% match)
return result
| paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.select_paths:\n return sys.path\n result = []\n match_any = set()\n for path in sys.path:\n path = os.path.normc... |
def x(multiple=True) ->(map or dict):
class FindPenDrives(object):
def x(self, class_):
self._class = class_
def x(self, device):
if device.bDeviceClass == self._class:
return True
for cfg in device:
intf = usb.util.find_descriptor(cfg, bInterfaceClass=self.
_class)
if intf is not None:
try:
product = intf.device.product.lower()
except ValueError as e:
if 'langid' in str(e):
raise OSError(
'Cannot get "langid". Do you have permissions?'
)
else:
raise e
if 'crw' not in product and 'reader' not in product:
return True
return False
def x(pen: usb.Device) ->dict:
manufacturer = pen.manufacturer.strip() or str(pen.idVendor)
model = pen.product.strip() or str(pen.idProduct)
serial_number = pen.serial_number.strip()
hid = Naming.hid(manufacturer, serial_number, model)
return {'_id': hid, 'hid': hid, '@type': 'USBFlashDrive',
'serialNumber': serial_number, 'model': model, 'manufacturer':
manufacturer, 'vendorId': pen.idVendor, 'productId': pen.idProduct}
result = usb.core.find(find_all=multiple, custom_match=FindPenDrives(
CLASS_MASS_STORAGE))
if multiple:
return map(get_pendrive, result)
else:
if not result:
raise NoUSBFound()
return get_pendrive(result)
| plugged_usbs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(multiple=True) ->(map or dict):\n\n\n class FindPenDrives(object):\n\n def x(self, class_):\n self._class = class_\n\n def x(self, ... |
def x(amount: int, base: int) ->tuple:
if amount == 0:
return 0, 0
next_amount = amount
next_base = base
next_amount_is_integer = True
while next_amount_is_integer:
amount = next_amount
base = next_base
if next_amount % 10 == 0:
next_amount = int(next_amount / 10)
next_base += 1
else:
next_amount_is_integer = False
return int(amount), int(base)
| reduce_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(amount: int, base: int) ->tuple:\n if amount == 0:\n return 0, 0\n next_amount = amount\n next_base = base\n next_amount_is_integer = True\n... |
def x(cls: Type[InputSourceType], tx_version: int, inline: str
) ->InputSourceType:
if tx_version == 2:
data = InputSource.re_inline.match(inline)
if data is None:
raise MalformedDocumentError('Inline input')
source_offset = 0
amount = 0
base = 0
else:
data = InputSource.re_inline_v3.match(inline)
if data is None:
raise MalformedDocumentError('Inline input')
source_offset = 2
amount = int(data.group(1))
base = int(data.group(2))
if data.group(1 + source_offset):
source = data.group(1 + source_offset)
origin_id = data.group(2 + source_offset)
index = int(data.group(3 + source_offset))
else:
source = data.group(4 + source_offset)
origin_id = data.group(5 + source_offset)
index = int(data.group(6 + source_offset))
return cls(amount, base, source, origin_id, index)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[InputSourceType], tx_version: int, inline: str\n ) ->InputSourceType:\n if tx_version == 2:\n data = InputSource.re_inline.match(inline)... |
def x(self, tx_version: int) ->str:
if tx_version == 2:
return '{0}:{1}:{2}'.format(self.source, self.origin_id, self.index)
else:
return '{0}:{1}:{2}:{3}:{4}'.format(self.amount, self.base, self.
source, self.origin_id, self.index)
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tx_version: int) ->str:\n if tx_version == 2:\n return '{0}:{1}:{2}'.format(self.source, self.origin_id, self.index)\n else:\n return... |
def x(cls: Type[OutputSourceType], inline: str) ->OutputSourceType:
data = OutputSource.re_inline.match(inline)
if data is None:
raise MalformedDocumentError('Inline output')
amount = int(data.group(1))
base = int(data.group(2))
condition_text = data.group(3)
return cls(amount, base, condition_text)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[OutputSourceType], inline: str) ->OutputSourceType:\n data = OutputSource.re_inline.match(inline)\n if data is None:\n raise MalformedDo... |
def x(self) ->str:
return '{0}:{1}:{2}'.format(self.amount, self.base, pypeg2.compose(self
.condition, output.Condition))
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n return '{0}:{1}:{2}'.format(self.amount, self.base, pypeg2.compose(self\n .condition, output.Condition))\n",
"role": "user"
},
... |
def x(text) ->Condition:
try:
condition = pypeg2.parse(text, output.Condition)
except SyntaxError:
condition = Condition(text)
return condition
| condition_from_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text) ->Condition:\n try:\n condition = pypeg2.parse(text, output.Condition)\n except SyntaxError:\n condition = Condition(text)\n retur... |
def x(cls: Type[SIGParameterType], parameter: str) ->Optional[SIGParameterType
]:
sig = SIGParameter.re_sig.match(parameter)
if sig:
return cls(int(sig.group(1)))
return None
| from_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SIGParameterType], parameter: str) ->Optional[SIGParameterType\n ]:\n sig = SIGParameter.re_sig.match(parameter)\n if sig:\n return c... |
def x(cls: Type[XHXParameterType], parameter: str) ->Optional[XHXParameterType
]:
xhx = XHXParameter.re_xhx.match(parameter)
if xhx:
return cls(int(xhx.group(1)))
return None
| from_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[XHXParameterType], parameter: str) ->Optional[XHXParameterType\n ]:\n xhx = XHXParameter.re_xhx.match(parameter)\n if xhx:\n return c... |
def x(cls: Type[UnlockParameterType], parameter: str) ->Optional[Union[
SIGParameter, XHXParameter]]:
sig_param = SIGParameter.from_parameter(parameter)
if sig_param:
return sig_param
else:
xhx_param = XHXParameter.from_parameter(parameter)
if xhx_param:
return xhx_param
return None
| from_parameter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[UnlockParameterType], parameter: str) ->Optional[Union[\n SIGParameter, XHXParameter]]:\n sig_param = SIGParameter.from_parameter(parameter)\n ... |
def x(cls: Type[UnlockType], inline: str) ->UnlockType:
data = Unlock.re_inline.match(inline)
if data is None:
raise MalformedDocumentError('Inline input')
index = int(data.group(1))
parameters_str = data.group(2).split(' ')
parameters = []
for p in parameters_str:
param = UnlockParameter.from_parameter(p)
if param:
parameters.append(param)
return cls(index, parameters)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[UnlockType], inline: str) ->UnlockType:\n data = Unlock.re_inline.match(inline)\n if data is None:\n raise MalformedDocumentError('Inlin... |
def x(self) ->str:
return '{0}:{1}'.format(self.index, ' '.join([str(p) for p in self.
parameters]))
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n return '{0}:{1}'.format(self.index, ' '.join([str(p) for p in self.\n parameters]))\n",
"role": "user"
},
{
"content": "in... |
def x(cls: Type[TransactionType], currency: str, tx_data: Dict
) ->TransactionType:
tx_data = tx_data.copy()
tx_data['currency'] = currency
for data_list in ('issuers', 'outputs', 'inputs', 'unlocks', 'signatures'):
tx_data['multiline_{0}'.format(data_list)] = '\n'.join(tx_data[
data_list])
if tx_data['version'] >= 3:
signed_raw = (
"""Version: {version}
Type: Transaction
Currency: {currency}
Blockstamp: {blockstamp}
Locktime: {locktime}
Issuers:
{multiline_issuers}
Inputs:
{multiline_inputs}
Unlocks:
{multiline_unlocks}
Outputs:
{multiline_outputs}
Comment: {comment}
{multiline_signatures}
"""
.format(**tx_data))
else:
signed_raw = (
"""Version: {version}
Type: Transaction
Currency: {currency}
Locktime: {locktime}
Issuers:
{multiline_issuers}
Inputs:
{multiline_inputs}
Unlocks:
{multiline_unlocks}
Outputs:
{multiline_outputs}
Comment: {comment}
{multiline_signatures}
"""
.format(**tx_data))
return cls.from_signed_raw(signed_raw)
| from_bma_history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[TransactionType], currency: str, tx_data: Dict\n ) ->TransactionType:\n tx_data = tx_data.copy()\n tx_data['currency'] = currency\n for d... |
def x(cls: Type[TransactionType], currency: str, compact: str
) ->TransactionType:
lines = compact.splitlines(True)
n = 0
header_data = Transaction.re_header.match(lines[n])
if header_data is None:
raise MalformedDocumentError('Compact TX header')
version = int(header_data.group(1))
issuers_num = int(header_data.group(2))
inputs_num = int(header_data.group(3))
unlocks_num = int(header_data.group(4))
outputs_num = int(header_data.group(5))
has_comment = int(header_data.group(6))
locktime = int(header_data.group(7))
n += 1
blockstamp = None
if version >= 3:
blockstamp = BlockUID.from_str(Transaction.parse_field(
'CompactBlockstamp', lines[n]))
n += 1
issuers = []
inputs = []
unlocks = []
outputs = []
signatures = []
for i in range(0, issuers_num):
issuer = Transaction.parse_field('Pubkey', lines[n])
issuers.append(issuer)
n += 1
for i in range(0, inputs_num):
input_source = InputSource.from_inline(version, lines[n])
inputs.append(input_source)
n += 1
for i in range(0, unlocks_num):
unlock = Unlock.from_inline(lines[n])
unlocks.append(unlock)
n += 1
for i in range(0, outputs_num):
output_source = OutputSource.from_inline(lines[n])
outputs.append(output_source)
n += 1
comment = ''
if has_comment == 1:
data = Transaction.re_compact_comment.match(lines[n])
if data:
comment = data.group(1)
n += 1
else:
raise MalformedDocumentError('Compact TX Comment')
while n < len(lines):
data = Transaction.re_signature.match(lines[n])
if data:
signatures.append(data.group(1))
n += 1
else:
raise MalformedDocumentError('Compact TX Signatures')
return cls(version, currency, blockstamp, locktime, issuers, inputs,
unlocks, outputs, comment, signatures)
| from_compact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[TransactionType], currency: str, compact: str\n ) ->TransactionType:\n lines = compact.splitlines(True)\n n = 0\n header_data = Transacti... |
def x(cls: Type[TransactionType], raw: str) ->TransactionType:
lines = raw.splitlines(True)
n = 0
version = int(Transaction.parse_field('Version', lines[n]))
n += 1
Transaction.parse_field('Type', lines[n])
n += 1
currency = Transaction.parse_field('Currency', lines[n])
n += 1
blockstamp = None
if version >= 3:
blockstamp = BlockUID.from_str(Transaction.parse_field('Blockstamp',
lines[n]))
n += 1
locktime = Transaction.parse_field('Locktime', lines[n])
n += 1
issuers = []
inputs = []
unlocks = []
outputs = []
signatures = []
if Transaction.re_issuers.match(lines[n]):
n += 1
while Transaction.re_inputs.match(lines[n]) is None:
issuer = Transaction.parse_field('Pubkey', lines[n])
issuers.append(issuer)
n += 1
if Transaction.re_inputs.match(lines[n]):
n += 1
while Transaction.re_unlocks.match(lines[n]) is None:
input_source = InputSource.from_inline(version, lines[n])
inputs.append(input_source)
n += 1
if Transaction.re_unlocks.match(lines[n]):
n += 1
while Transaction.re_outputs.match(lines[n]) is None:
unlock = Unlock.from_inline(lines[n])
unlocks.append(unlock)
n += 1
if Transaction.re_outputs.match(lines[n]) is not None:
n += 1
while not Transaction.re_comment.match(lines[n]):
_output = OutputSource.from_inline(lines[n])
outputs.append(_output)
n += 1
comment = Transaction.parse_field('Comment', lines[n])
n += 1
if Transaction.re_signature.match(lines[n]) is not None:
while n < len(lines):
sign = Transaction.parse_field('Signature', lines[n])
signatures.append(sign)
n += 1
return cls(version, currency, blockstamp, locktime, issuers, inputs,
unlocks, outputs, comment, signatures)
| from_signed_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[TransactionType], raw: str) ->TransactionType:\n lines = raw.splitlines(True)\n n = 0\n version = int(Transaction.parse_field('Version', lin... |
def x(self) ->str:
doc = 'Version: {0}\nType: Transaction\nCurrency: {1}\n'.format(self.
version, self.currency)
if self.version >= 3:
doc += 'Blockstamp: {0}\n'.format(self.blockstamp)
doc += 'Locktime: {0}\n'.format(self.locktime)
doc += 'Issuers:\n'
for p in self.issuers:
doc += '{0}\n'.format(p)
doc += 'Inputs:\n'
for i in self.inputs:
doc += '{0}\n'.format(i.inline(self.version))
doc += 'Unlocks:\n'
for u in self.unlocks:
doc += '{0}\n'.format(u.inline())
doc += 'Outputs:\n'
for o in self.outputs:
doc += '{0}\n'.format(o.inline())
doc += 'Comment: '
doc += '{0}\n'.format(self.comment)
return doc
| raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n doc = 'Version: {0}\\nType: Transaction\\nCurrency: {1}\\n'.format(self.\n version, self.currency)\n if self.version >= 3:\n ... |
def x(self) ->str:
"""TX:VERSION:NB_ISSUERS:NB_INPUTS:NB_UNLOCKS:NB_OUTPUTS:HAS_COMMENT:LOCKTIME
PUBLIC_KEY:INDEX
...
INDEX:SOURCE:FINGERPRINT:AMOUNT
...
PUBLIC_KEY:AMOUNT
...
COMMENT
"""
doc = 'TX:{0}:{1}:{2}:{3}:{4}:{5}:{6}\n'.format(self.version, len(self.
issuers), len(self.inputs), len(self.unlocks), len(self.outputs),
'1' if self.comment != '' else '0', self.locktime)
if self.version >= 3:
doc += '{0}\n'.format(self.blockstamp)
for pubkey in self.issuers:
doc += '{0}\n'.format(pubkey)
for i in self.inputs:
doc += '{0}\n'.format(i.inline(self.version))
for u in self.unlocks:
doc += '{0}\n'.format(u.inline())
for o in self.outputs:
doc += '{0}\n'.format(o.inline())
if self.comment != '':
doc += '{0}\n'.format(self.comment)
for s in self.signatures:
doc += '{0}\n'.format(s)
return doc
| compact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n \"\"\"TX:VERSION:NB_ISSUERS:NB_INPUTS:NB_UNLOCKS:NB_OUTPUTS:HAS_COMMENT:LOCKTIME\nPUBLIC_KEY:INDEX\n...\nINDEX:SOURCE:FINGERPRINT:AMOUNT\n...... |
def x(tx: Transaction) ->bool:
simple = True
if len(tx.issuers) != 1:
simple = False
for unlock in tx.unlocks:
if len(unlock.parameters) != 1:
simple = False
elif type(unlock.parameters[0]) is not SIGParameter:
simple = False
for o in tx.outputs:
if getattr(o.condition, 'right', None):
simple = False
elif type(o.condition.left) is not output.SIG:
simple = False
return simple
| is_simple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tx: Transaction) ->bool:\n simple = True\n if len(tx.issuers) != 1:\n simple = False\n for unlock in tx.unlocks:\n if len(unlock.paramet... |
def x(self, retries, task_f, check_f=bool, wait_f=None):
for attempt in range(retries):
ret = task_f()
if check_f(ret):
return ret
if attempt < retries - 1 and wait_f is not None:
wait_f(attempt)
raise RetryException('Giving up after {} failed attempt(s)'.format(retries)
)
| retry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, retries, task_f, check_f=bool, wait_f=None):\n for attempt in range(retries):\n ret = task_f()\n if check_f(ret):\n return re... |
def x(self, cmd, retries=1, pollrate=60, on_retry=None):
for try_num in range(0, retries):
if try_num > 0:
self.logger.debug(
'assert: Failed {} times. Retrying in {} seconds: {}'.
format(try_num, pollrate, cmd))
time.sleep(pollrate)
if on_retry is not None:
self.gather(on_retry)
result, stdout, stderr = self.gather(cmd)
if result == SUCCESS:
break
self.logger.debug('assert: Final result = {} in {} tries.'.format(
result, try_num))
assertion.success(result, 'Error running [{}] {}.\n{}'.format(pushd.Dir
.getcwd(), cmd, stderr))
return stdout, stderr
| check_assert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, retries=1, pollrate=60, on_retry=None):\n for try_num in range(0, retries):\n if try_num > 0:\n self.logger.debug(\n ... |
def x(self, cmd):
if not isinstance(cmd, list):
cmd_list = shlex.split(cmd)
else:
cmd_list = cmd
cwd = pushd.Dir.getcwd()
cmd_info = '[cwd={}]: {}'.format(cwd, cmd_list)
self.logger.debug('Executing:gather {}'.format(cmd_info))
proc = subprocess.Popen(cmd_list, cwd=cwd, stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
out, err = proc.communicate()
rc = proc.returncode
self.logger.debug(
'Process {}: exited with: {}\nstdout>>{}<<\nstderr>>{}<<\n'.format(
cmd_info, rc, out, err))
return rc, out, err
| gather | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n if not isinstance(cmd, list):\n cmd_list = shlex.split(cmd)\n else:\n cmd_list = cmd\n cwd = pushd.Dir.getcwd()\n cmd_i... |
def x(obj):
if isinstance(obj, (datetime.datetime, datetime.date)):
return obj.isoformat()
raise TypeError('Type {} not serializable.'.format(type(obj)))
| json_serial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if isinstance(obj, (datetime.datetime, datetime.date)):\n return obj.isoformat()\n raise TypeError('Type {} not serializable.'.format(type... |
def x(ctx: click.Context, _, value):
if not value or ctx.resilient_parsing:
return
config.QUIET.default = True
CTX.repo = epab.utils.Repo()
print(epab.utils.get_next_version())
sys.exit(0)
| next_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx: click.Context, _, value):\n if not value or ctx.resilient_parsing:\n return\n config.QUIET.default = True\n CTX.repo = epab.utils.Repo()\n... |
def x(location='Portland, OR', years=range(2013, 2016), delays=(1, 2, 3),
inputs=('Min Temperature', 'Max Temperature', 'Min Sea Level Pressure',
u'Max Sea Level Pressure', 'WindDirDegrees'), outputs=(
u'Max TemperatureF',), N_hidden=6, epochs=30, use_cache=False, verbosity=2
):
df = weather.daily(location, years=years, use_cache=use_cache,
verbosity=verbosity).sort()
ds = util.dataset_from_dataframe(df, normalize=False, delays=delays,
inputs=inputs, outputs=outputs, verbosity=verbosity)
nn = util.ann_from_ds(ds, N_hidden=N_hidden, verbosity=verbosity)
trainer = util.build_trainer(nn, ds=ds, verbosity=verbosity)
trainer.trainEpochs(epochs)
columns = []
for delay in delays:
columns += [(inp + '[-{}]'.format(delay)) for inp in inputs]
columns += list(outputs)
columns += ['Predicted {}'.format(outp) for outp in outputs]
table = [(list(i) + list(t) + list(trainer.module.activate(i))) for i,
t in zip(trainer.ds['input'], trainer.ds['target'])]
df = pd.DataFrame(table, columns=columns, index=df.index[max(delays):])
return trainer, df
| train_weather_predictor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location='Portland, OR', years=range(2013, 2016), delays=(1, 2, 3),\n inputs=('Min Temperature', 'Max Temperature', 'Min Sea Level Pressure',\n u'Max Sea... |
def x(location='Portland, OR', inputs=('Min Temperature',
'Mean Temperature', 'Max Temperature', 'Max Humidity', 'Mean Humidity',
'Min Humidity', 'Max Sea Level Pressure', 'Mean Sea Level Pressure',
'Min Sea Level Pressure', 'Wind Direction'), outputs=('Min Temperature',
'Mean Temperature', 'Max Temperature', 'Max Humidity'), date=None,
epochs=200, delays=(1, 2, 3, 4), num_years=4, use_cache=False, verbosity=1
):
date = make_date(date or datetime.datetime.now().date())
num_years = int(num_years or 10)
years = range(date.year - num_years, date.year + 1)
df = weather.daily(location, years=years, use_cache=use_cache,
verbosity=verbosity).sort()
trainer, df = train_weather_predictor(location, years=years, delays=
delays, inputs=inputs, outputs=outputs, epochs=epochs, verbosity=
verbosity, use_cache=True)
nn = trainer.module
forecast = {'trainer': trainer}
yesterday = dict(zip(outputs, nn.activate(trainer.ds['input'][-2])))
forecast['yesterday'] = update_dict(yesterday, {'date': df.index[-2].
date()})
today = dict(zip(outputs, nn.activate(trainer.ds['input'][-1])))
forecast['today'] = update_dict(today, {'date': df.index[-1].date()})
ds = util.input_dataset_from_dataframe(df[-max(delays):], delays=delays,
inputs=inputs, normalize=False, verbosity=0)
tomorrow = dict(zip(outputs, nn.activate(ds['input'][-1])))
forecast['tomorrow'] = update_dict(tomorrow, {'date': (df.index[-1] +
datetime.timedelta(1)).date()})
return forecast
| oneday_weather_forecast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location='Portland, OR', inputs=('Min Temperature',\n 'Mean Temperature', 'Max Temperature', 'Max Humidity', 'Mean Humidity',\n 'Min Humidity', 'Max Sea ... |
def x(builders=[], task=BalanceTask(), Optimizer=HillClimber, rounds=3,
max_eval=20, N_hidden=3, verbosity=0):
results = []
builders = list(builders) + [buildNetwork, util.build_ann]
for r in range(rounds):
heat = []
for builder in builders:
try:
competitor = builder(task.outdim, N_hidden, task.indim,
verbosity=verbosity)
except NetworkError:
competitor = builder(task.outdim, N_hidden, task.indim)
task.reset()
optimizer = Optimizer(task, competitor, maxEvaluations=max_eval)
t0 = time.time()
nn, nn_best = optimizer.learn()
t1 = time.time()
heat += [(nn_best, t1 - t0, nn)]
results += [tuple(heat)]
if verbosity >= 0:
print([competitor_scores[:2] for competitor_scores in heat])
means = [[np.array([r[i][j] for r in results]).mean() for i in range(
len(results[0]))] for j in range(2)]
if verbosity > -1:
print('Mean Performance:')
print(means)
perfi, speedi = np.argmax(means[0]), np.argmin(means[1])
print(
'And the winner for performance is ... Algorithm #{} (0-offset array index [{}])'
.format(perfi + 1, perfi))
print(
'And the winner for speed is ... Algorithm #{} (0-offset array index [{}])'
.format(speedi + 1, speedi))
return results, means
| run_competition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(builders=[], task=BalanceTask(), Optimizer=HillClimber, rounds=3,\n max_eval=20, N_hidden=3, verbosity=0):\n results = []\n builders = list(builders) ... |
def x(context):
if 'BASEDIRSETSHELL' not in os.environ:
idiap_source = '/idiap/resource/software/initfiles/shrc'
if os.path.exists(idiap_source):
logger.debug("Sourcing: '%s'" % idiap_source)
try:
command = ['bash', '-c', 'source %s && env' % idiap_source]
pi = subprocess.Popen(command, stdout=subprocess.PIPE)
for line in pi.stdout:
line = str_(line)
key, _, value = line.partition('=')
os.environ[key.strip()] = value.strip()
except OSError as e:
pass
if 'BASEDIRSETSHELL' not in os.environ:
return dict(os.environ)
BASEDIRSETSHELL = os.environ['BASEDIRSETSHELL']
dosetshell = '%s/setshell/bin/dosetshell' % BASEDIRSETSHELL
command = [dosetshell, '-s', 'sh', context]
try:
logger.debug("Executing: '%s'", ' '.join(command))
p = subprocess.Popen(command, stdout=subprocess.PIPE)
except OSError as e:
raise OSError("Error executing '%s': %s (%d)" % (' '.join(command),
e.strerror, e.errno))
try:
source = str_(p.communicate()[0]).strip()
except KeyboardInterrupt:
os.kill(p.pid, signal.SIGTERM)
sys.exit(signal.SIGTERM)
command2 = ['bash', '-c', 'source %s && env' % source]
try:
logger.debug("Executing: '%s'", ' '.join(command2))
p2 = subprocess.Popen(command2, stdout=subprocess.PIPE)
except OSError as e:
raise OSError("Error executing '%s': %s (%d)" % (' '.join(command2),
e.strerror, e.errno))
new_environ = dict(os.environ)
for line in p2.stdout:
line = str_(line)
key, _, value = line.partition('=')
new_environ[key.strip()] = value.strip()
try:
p2.communicate()
except KeyboardInterrupt:
os.kill(p2.pid, signal.SIGTERM)
sys.exit(signal.SIGTERM)
if os.path.exists(source):
os.unlink(source)
logger.debug("Discovered environment for context '%s':", context)
for k in sorted(new_environ.keys()):
logger.debug(' %s = %s', k, new_environ[k])
return new_environ
| environ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n if 'BASEDIRSETSHELL' not in os.environ:\n idiap_source = '/idiap/resource/software/initfiles/shrc'\n if os.path.exists(idiap_sourc... |
def x(context, command, error_on_nonzero=True):
import six
if isinstance(context, six.string_types):
E = environ(context)
else:
E = context
try:
logger.debug("Executing: '%s'", ' '.join(command))
p = subprocess.Popen(command, stdout=subprocess.PIPE, stderr=
subprocess.STDOUT, env=E)
stdout, stderr = p.communicate()
if p.returncode != 0:
if error_on_nonzero:
raise RuntimeError(
"Execution of '%s' exited with status != 0 (%d): %s" %
(' '.join(command), p.returncode, str_(stdout)))
else:
logger.debug(
"Execution of '%s' exited with status != 0 (%d): %s" %
(' '.join(command), p.returncode, str_(stdout)))
return stdout.strip()
except KeyboardInterrupt:
os.kill(p.pid, signal.SIGTERM)
sys.exit(signal.SIGTERM)
| sexec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, command, error_on_nonzero=True):\n import six\n if isinstance(context, six.string_types):\n E = environ(context)\n else:\n E = ... |
def x(start=None, top=None, step=1, step_dict={}):
delta = relativedelta(**step_dict) if step_dict else timedelta(days=step)
start = start or datetime.today()
top = top or start + delta
dates = []
current = start
while current <= top:
dates.append(current)
current += delta
return dates
| get_dates_in_period | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start=None, top=None, step=1, step_dict={}):\n delta = relativedelta(**step_dict) if step_dict else timedelta(days=step)\n start = start or datetime.toda... |
def x(date, city):
local = pytz.timezone(city)
local_dt = local.localize(date, is_dst=None)
return local_dt
| localize_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, city):\n local = pytz.timezone(city)\n local_dt = local.localize(date, is_dst=None)\n return local_dt\n",
"role": "user"
},
{
"conte... |
def x(date_str, lang=DEFAULT_DATE_LANG):
date_str = date_str.lower()
with calendar.different_locale(LOCALES[lang]):
month_abbrs = list(calendar.month_abbr)
for seq, abbr in enumerate(month_abbrs):
if abbr and abbr.lower() in date_str:
return seq, abbr
return ()
| get_month_from_date_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_str, lang=DEFAULT_DATE_LANG):\n date_str = date_str.lower()\n with calendar.different_locale(LOCALES[lang]):\n month_abbrs = list(calendar.mo... |
def x(date_str, lang=DEFAULT_DATE_LANG):
num, abbr = get_month_from_date_str(date_str, lang)
return re.sub(abbr, str(num), date_str, flags=re.IGNORECASE)
| replace_month_abbr_with_num | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_str, lang=DEFAULT_DATE_LANG):\n num, abbr = get_month_from_date_str(date_str, lang)\n return re.sub(abbr, str(num), date_str, flags=re.IGNORECASE)\n... |
def x(date_str, source_lang=DEFAULT_DATE_LANG, target_lang=DEFAULT_DATE_LANG):
month_num, month_abbr = get_month_from_date_str(date_str, source_lang)
with calendar.different_locale(LOCALES[target_lang]):
translated_abbr = calendar.month_abbr[month_num]
return re.sub(month_abbr, translated_abbr, date_str, flags=re.
IGNORECASE)
| translate_month_abbr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_str, source_lang=DEFAULT_DATE_LANG, target_lang=DEFAULT_DATE_LANG):\n month_num, month_abbr = get_month_from_date_str(date_str, source_lang)\n with ... |
def x(date, time='', date_format='%d/%m/%Y', time_format='%H:%M'):
day = datetime.strptime(date, date_format)
if time:
time = datetime.strptime(time, time_format)
time = datetime.time(time)
day = datetime.date(day)
day = datetime.combine(day, time)
return day
| merge_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, time='', date_format='%d/%m/%Y', time_format='%H:%M'):\n day = datetime.strptime(date, date_format)\n if time:\n time = datetime.strptime(ti... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.