source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(name):
newString = name
replaceTable = [('^', '^5e'), ('"', '^22'), ('<', '^3c'), ('?', '^3f'),
('*', '^2a'), ('=', '^3d'), ('+', '^2b'), ('>', '^3e'), ('|', '^7c'
), (',', '^2c')]
for r in replaceTable:
newString = newString.replace(r[0], r[1])
for x in range(0, 33):
newString = newString.replace(chr(x), hex(x + sanitizerNum).replace
('0x', '^'))
replaceTable2 = [('/', '='), (':', '+'), ('.', ',')]
for r in replaceTable2:
newString = newString.replace(r[0], r[1])
return newString
| sanitizeString | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n newString = name\n replaceTable = [('^', '^5e'), ('\"', '^22'), ('<', '^3c'), ('?', '^3f'),\n ('*', '^2a'), ('=', '^3d'), ('+', '^2b'), (... |
def x(name):
sName = sanitizeString(name)
chunks = []
for x in range(0, len(sName)):
if x % 2:
continue
if len(sName) - 1 == x:
chunk = sName[x]
else:
chunk = sName[x:x + 2]
chunks.append(chunk)
return os.sep.join(chunks) + os.sep
| toPairTreePath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n sName = sanitizeString(name)\n chunks = []\n for x in range(0, len(sName)):\n if x % 2:\n continue\n if len(sName) -... |
def x(output_dir, meta_id, static=False, needwebdir=True):
root_path = os.path.abspath(output_dir)
if static:
if meta_id[-1].isdigit():
last_character = int(meta_id[-1])
else:
last_character = ord(meta_id[-1])
if last_character % 2 == 0:
num_dir = 'even'
else:
num_dir = 'odd'
output_path = os.path.join(root_path, num_dir)
else:
output_path = root_path
if not os.path.exists(output_path):
os.mkdir(output_path)
path_name = add_to_pairtree(output_path, meta_id)
meta_dir = os.path.join(path_name, meta_id)
os.mkdir(meta_dir)
if static and needwebdir:
os.mkdir(os.path.join(meta_dir, 'web'))
static_dir = os.path.join(meta_dir, 'web')
return static_dir
else:
return meta_dir
| create_paired_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_dir, meta_id, static=False, needwebdir=True):\n root_path = os.path.abspath(output_dir)\n if static:\n if meta_id[-1].isdigit():\n ... |
def x(output_path, meta_id):
paired_path = pair_tree_creator(meta_id)
path_append = ''
for pair_dir in paired_path.split(os.sep):
path_append = os.path.join(path_append, pair_dir)
combined_path = os.path.join(output_path, path_append)
if not os.path.exists(combined_path):
os.mkdir(combined_path)
return combined_path
| add_to_pairtree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_path, meta_id):\n paired_path = pair_tree_creator(meta_id)\n path_append = ''\n for pair_dir in paired_path.split(os.sep):\n path_append... |
def x(pairtree_store):
prefix_path = os.path.join(pairtree_store, 'pairtree_prefix')
with open(prefix_path, 'r') as prefixf:
prefix = prefixf.read().strip()
return prefix
| get_pairtree_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pairtree_store):\n prefix_path = os.path.join(pairtree_store, 'pairtree_prefix')\n with open(prefix_path, 'r') as prefixf:\n prefix = prefixf.read... |
def x(cls: Type[DocumentType], field_name: str, line: str) ->Any:
try:
match = cls.fields_parsers[field_name].match(line)
if match is None:
raise AttributeError
value = match.group(1)
except AttributeError:
raise MalformedDocumentError(field_name)
return value
| parse_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[DocumentType], field_name: str, line: str) ->Any:\n try:\n match = cls.fields_parsers[field_name].match(line)\n if match is None:\n ... |
def x(self) ->str:
raw = self.raw()
signed = '\n'.join(self.signatures)
signed_raw = raw + signed + '\n'
return signed_raw
| signed_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 raw = self.raw()\n signed = '\\n'.join(self.signatures)\n signed_raw = raw + signed + '\\n'\n return signed_raw\n",
"role": "use... |
def x(self) ->str:
return hashlib.sha256(self.signed_raw().encode('ascii')).hexdigest().upper(
)
| sha_hash | [
{
"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 hashlib.sha256(self.signed_raw().encode('ascii')).hexdigest().upper(\n )\n",
"role": "user"
},
{
"content": "sha_ha... |
def x(cls, row, dialect, deleted=False, user_id=None, use_dirty=True):
data = {'data': row.to_archivable_dict(dialect, use_dirty=use_dirty),
'deleted': deleted, 'updated_at': datetime.now(), 'version_id':
current_version_sql(as_is=True) if deleted else row.version_id}
for col_name in row.version_columns:
data[col_name] = utils.get_column_attribute(row, col_name,
use_dirty=use_dirty)
if user_id is not None:
data['user_id'] = user_id
return data
| build_row_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, row, dialect, deleted=False, user_id=None, use_dirty=True):\n data = {'data': row.to_archivable_dict(dialect, use_dirty=use_dirty),\n 'deleted':... |
def x(cls, rows, session, user_id=None, chunk_size=1000, commit=True):
dialect = utils.get_dialect(session)
to_insert_dicts = []
for row in rows:
row_dict = cls.build_row_dict(row, user_id=user_id, dialect=dialect)
to_insert_dicts.append(row_dict)
if len(to_insert_dicts) < chunk_size:
continue
session.execute(insert(cls).values(to_insert_dicts))
to_insert_dicts = []
if to_insert_dicts:
session.execute(insert(cls).values(to_insert_dicts))
if commit:
session.commit()
| bulk_archive_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, rows, session, user_id=None, chunk_size=1000, commit=True):\n dialect = utils.get_dialect(session)\n to_insert_dicts = []\n for row in rows:\n ... |
def x(cls, engine, *version_cols):
cls._version_col_names = set()
for version_column_ut in version_cols:
version_col_name = version_column_ut.key
version_column_at = getattr(cls, version_col_name, None)
if not isinstance(version_column_at, InstrumentedAttribute):
raise LogTableCreationError('Log table needs {} column'.format(
version_col_name))
version_col_at_t = version_column_at.property.columns[0].type.__class__
version_col_ut_t = version_column_ut.property.columns[0].type.__class__
if version_col_at_t != version_col_ut_t:
raise LogTableCreationError(
'Type of column {} must match in log and user table'.format
(version_col_name))
cls._version_col_names.add(version_col_name)
user_id = getattr(cls, 'user_id', None)
if not isinstance(user_id, InstrumentedAttribute):
raise LogTableCreationError('Log table needs user_id column')
version_col_names = list(cls._version_col_names) + ['version_id']
if not utils.has_constraint(cls, engine, *version_col_names):
raise LogTableCreationError(
'There is no unique constraint on the version columns')
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, engine, *version_cols):\n cls._version_col_names = set()\n for version_column_ut in version_cols:\n version_col_name = version_column_ut.key\... |
def x(cls, archive_table, engine):
version_col_names = cls.version_columns
if not version_col_names:
raise LogTableCreationError(
'Need to specify version cols in cls.version_columns')
if cls.ignore_columns is None:
cls.ignore_columns = set()
cls.ignore_columns.add('version_id')
version_cols = [getattr(cls, col_name, None) for col_name in
version_col_names]
cls._validate(engine, *version_cols)
archive_table._validate(engine, *version_cols)
cls.ArchiveTable = archive_table
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, archive_table, engine):\n version_col_names = cls.version_columns\n if not version_col_names:\n raise LogTableCreationError(\n 'Ne... |
def x(self, dialect, use_dirty=True):
return {cn: utils.get_column_attribute(self, c, use_dirty=use_dirty,
dialect=dialect) for c, cn in utils.get_column_keys_and_names(self) if
c not in self.ignore_columns}
| to_archivable_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dialect, use_dirty=True):\n return {cn: utils.get_column_attribute(self, c, use_dirty=use_dirty,\n dialect=dialect) for c, cn in utils.get_colu... |
def x(fn):
if isgeneratorfunction(fn):
@wraps(fn)
def x(*a, **k):
generator = fn(*a, **k)
if hasattr(generator, 'gi_frame') and hasattr(generator.
gi_frame, 'f_builtins') and hasattr(generator.gi_frame.
f_builtins, '__setitem__'):
generator.gi_frame.f_builtins['self'] = generator
return wrapper
else:
fn = strict_globals(**fn.__globals__)(fn)
fn.__globals__['self'] = fn
return fn
| self_aware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n if isgeneratorfunction(fn):\n\n @wraps(fn)\n def x(*a, **k):\n generator = fn(*a, **k)\n if hasattr(generator, 'g... |
def x(self):
for x in self._create_iter():
if x is None or isinstance(x, tuple):
yield x
else:
yield (x,), {}
self._action_between_each_iteration()
else:
yield None
self._action_after_iteration_completes()
| basic_iterator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in self._create_iter():\n if x is None or isinstance(x, tuple):\n yield x\n else:\n yield (x,), {}\n ... |
def x(self):
while True:
for crash_id in self._basic_iterator():
if self._filter_disallowed_values(crash_id):
continue
yield crash_id
| infinite_iterator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while True:\n for crash_id in self._basic_iterator():\n if self._filter_disallowed_values(crash_id):\n continue\n ... |
def x(self):
i = 0
while True:
for crash_id in self._basic_iterator():
if self._filter_disallowed_values(crash_id):
continue
if crash_id is None:
yield crash_id
continue
if i == int(self.config.number_of_submissions):
break
i += 1
yield crash_id
if i == int(self.config.number_of_submissions):
break
| limited_iterator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n i = 0\n while True:\n for crash_id in self._basic_iterator():\n if self._filter_disallowed_values(crash_id):\n ... |
def x(self, crash_id):
try:
raw_crash = self.source.get_raw_crash(crash_id)
except Exception as x:
self.config.logger.error('reading raw_crash: %s', str(x), exc_info=True
)
raw_crash = {}
try:
dumps = self.source.get_raw_dumps(crash_id)
except Exception as x:
self.config.logger.error('reading dump: %s', str(x), exc_info=True)
dumps = {}
try:
self.destination.save_raw_crash(raw_crash, dumps, crash_id)
self.config.logger.info('saved - %s', crash_id)
except Exception as x:
self.config.logger.error('writing raw: %s', str(x), exc_info=True)
else:
try:
self.source.remove(crash_id)
except Exception as x:
self.config.logger.error('removing raw: %s', str(x), exc_info=True)
| transform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, crash_id):\n try:\n raw_crash = self.source.get_raw_crash(crash_id)\n except Exception as x:\n self.config.logger.error('reading raw_... |
def x(self):
try:
self.source = self.config.source.crashstorage_class(self.config.
source, quit_check_callback=self.quit_check)
except Exception:
self.config.logger.critical('Error in creating crash source',
exc_info=True)
raise
try:
self.destination = self.config.destination.crashstorage_class(self.
config.destination, quit_check_callback=self.quit_check)
except Exception:
self.config.logger.critical('Error in creating crash destination',
exc_info=True)
raise
| setup_source_and_destination | [
{
"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 self.source = self.config.source.crashstorage_class(self.config.\n source, quit_check_callback=self.quit_check)\n excep... |
def x(self):
self.config.logger.info('installing signal handers')
respond_to_SIGTERM_with_logging = partial(respond_to_SIGTERM, target=self)
signal.signal(signal.SIGTERM, respond_to_SIGTERM_with_logging)
self.task_manager = self.config.producer_consumer.producer_consumer_class(
self.config.producer_consumer, job_source_iterator=self.
source_iterator, task_func=self.transform)
self.config.executor_identity = self.task_manager.executor_identity
| setup_task_manager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.config.logger.info('installing signal handers')\n respond_to_SIGTERM_with_logging = partial(respond_to_SIGTERM, target=self)\n signal.si... |
def x(self):
self._setup_task_manager()
self._setup_source_and_destination()
self.task_manager.blocking_start(waiting_func=self.waiting_func)
self.close()
self.config.logger.info('done.')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._setup_task_manager()\n self._setup_source_and_destination()\n self.task_manager.blocking_start(waiting_func=self.waiting_func)\n sel... |
def x(self):
super(FetchTransformSaveWithSeparateNewCrashSourceApp, self
)._setup_source_and_destination()
if self.config.new_crash_source.new_crash_source_class:
self.new_crash_source = (self.config.new_crash_source.
new_crash_source_class(self.config.new_crash_source, name=self.
app_instance_name, quit_check_callback=self.quit_check))
else:
self.new_crash_source = self.source
| setup_source_and_destination | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(FetchTransformSaveWithSeparateNewCrashSourceApp, self\n )._setup_source_and_destination()\n if self.config.new_crash_source.new_cra... |
def x(options):
global opts, pform
opts = options
pform = options.pform
global_ns = globals()
if pform.hicolor:
global_ns['dim_templ'] = ansi.dim8t
global_ns['swap_clr_templ'] = ansi.csi8_blk % ansi.blu8
else:
global_ns['dim_templ'] = ansi.dim4t
global_ns['swap_clr_templ'] = ansi.fbblue
for varname in dir(pform):
if varname.startswith('_') and varname.endswith('ico'):
global_ns[varname] = getattr(pform, varname)
| load_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options):\n global opts, pform\n opts = options\n pform = options.pform\n global_ns = globals()\n if pform.hicolor:\n global_ns['dim_temp... |
def x(text='', colorstr=None, align='>', trunc=True, width=0, end=' '):
colwidth = width or opts.colwidth
if trunc:
if len(text) > colwidth:
text = truncstr(text, colwidth, align=trunc)
value = f'{text:{align}{colwidth}}'
if opts.incolor and colorstr:
return colorstr % value + end
else:
return value + end
| fmtstr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', colorstr=None, align='>', trunc=True, width=0, end=' '):\n colwidth = width or opts.colwidth\n if trunc:\n if len(text) > colwidth:\n ... |
def x(value, colorstr=None, precision=None, spacing=True, trunc=True, end=' '):
colwidth = opts.colwidth
if precision is None:
precision = opts.precision
fmt = '%%.%sf' % precision
result = locale.format(fmt, value, True)
if spacing:
result = '%%%ss' % colwidth % result
if trunc:
if len(result) > colwidth:
result = truncstr(result, colwidth)
if opts.incolor and colorstr:
return colorstr % result + end
else:
return result + end
| fmtval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, colorstr=None, precision=None, spacing=True, trunc=True, end=' '):\n colwidth = opts.colwidth\n if precision is None:\n precision = opts.pr... |
def x(unit, binary=False):
result = None
if unit == 'b':
result = 1, 'Byte'
elif binary:
if unit == 'k':
result = 1024, 'Kibibyte'
elif unit == 'm':
result = 1048576, 'Mebibyte'
elif unit == 'g':
if opts.precision == -1:
opts.precision = 3
result = 1073741824, 'Gibibyte'
elif unit == 't':
if opts.precision == -1:
opts.precision = 3
result = 1099511627776, 'Tebibyte'
elif unit == 'k':
result = 1000, 'Kilobyte'
elif unit == 'm':
result = 1000000, 'Megabyte'
elif unit == 'g':
if opts.precision == -1:
opts.precision = 3
result = 1000000000, 'Gigabyte'
elif unit == 't':
if opts.precision == -1:
opts.precision = 3
result = 1000000000000, 'Terabyte'
if not result:
print(f'Warning: incorrect parameter: {unit}.')
result = _outunit
if opts.precision == -1:
opts.precision = 0
return result
| get_units | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(unit, binary=False):\n result = None\n if unit == 'b':\n result = 1, 'Byte'\n elif binary:\n if unit == 'k':\n result = 1024,... |
def x(diskinfo, widelayout, incolor):
sep = ' '
if opts.relative:
import math
base = max([disk.ocap for disk in diskinfo])
for disk in diskinfo:
if disk.ismntd:
ico = _diskico
else:
ico = _unmnico
if disk.isrem:
ico = _remvico
if disk.isopt:
ico = _discico
if disk.isnet:
ico = _netwico
if disk.isram:
ico = _ramico
if disk.isimg:
ico = _imgico
if disk.mntp == '/boot/efi':
ico = _gearico
if opts.relative and disk.ocap and disk.ocap != base:
gwidth = int(math.log(disk.ocap, base) ** 4 * opts.width)
else:
gwidth = opts.width
if disk.rw:
ffg = ufg = None
else:
ffg = ufg = ansi.dim8 if opts.hicolor else ansi.dim4
cap = disk.cap
if cap and disk.rw:
lblcolor = ansi.get_label_tmpl(disk.pcnt, opts.width, opts.hicolor)
else:
lblcolor = None
data = (_usedico, disk.pcnt, ufg, None, pform.boldbar), (_freeico,
100 - disk.pcnt, ffg, None, False)
mntp = fmtstr(disk.mntp, align='<', trunc='left', width=opts.
colwidth * 2 + 2)
mntp = mntp.rstrip()
if disk.label is None:
label = fmtstr(_emptico, dim_templ, align='<')
else:
label = fmtstr(disk.label, align='<')
if widelayout:
out(fmtstr(ico + sep + disk.dev, align='<') + label)
if cap:
out(fmtval(cap))
if disk.rw:
out(fmtval(disk.used, lblcolor) + fmtval(disk.free,
lblcolor))
else:
out(fmtstr() + fmtstr(_emptico, dim_templ))
else:
out(fmtstr(_emptico, dim_templ))
if cap:
if disk.rw:
ansi.rainbar(data, gwidth, incolor, hicolor=opts.
hicolor, cbrackets=_brckico)
else:
ansi.bargraph(data, gwidth, incolor, cbrackets=_brckico)
if opts.relative and opts.width != gwidth:
out(sep * (opts.width - gwidth))
out(sep + mntp)
print()
else:
out(fmtstr(ico + sep + disk.dev, align='<') + label)
if cap:
out(fmtval(cap) + fmtval(disk.used, lblcolor) + fmtval(disk
.free, lblcolor))
else:
out(fmtstr(_emptico, dim_templ) + fmtstr() + fmtstr())
print(sep, mntp)
if cap:
out(fmtstr())
if disk.rw:
ansi.rainbar(data, gwidth, incolor, hicolor=opts.
hicolor, cbrackets=_brckico)
else:
ansi.bargraph(data, gwidth, incolor, cbrackets=_brckico)
print()
print()
print()
| print_diskinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(diskinfo, widelayout, incolor):\n sep = ' '\n if opts.relative:\n import math\n base = max([disk.ocap for disk in diskinfo])\n for disk ... |
def x(meminfo, widelayout, incolor):
sep = ' '
totl = meminfo.memtotal
cach = meminfo.cached + meminfo.buffers
free = meminfo.memfree
used = meminfo.used
usep = float(used) / totl * 100
cacp = float(cach) / totl * 100
frep = float(free) / totl * 100
rlblcolor = ansi.get_label_tmpl(usep, opts.width, opts.hicolor)
swpt = meminfo.swaptotal
if swpt:
swpf = meminfo.swapfree
swpc = meminfo.swapcached
swpu = meminfo.swapused
swfp = float(swpf) / swpt * 100
swcp = float(swpc) / swpt * 100
swup = float(swpu) / swpt * 100
slblcolor = ansi.get_label_tmpl(swup, opts.width, opts.hicolor)
else:
swpf = swpc = swpu = swfp = swcp = swup = 0
slblcolor = None
cacheico = _usedico if incolor else _cmonico
data = (_usedico, usep, None, None, pform.boldbar), (cacheico, cacp,
ansi.blue, None, pform.boldbar), (_freeico, frep, None, None, False)
if widelayout:
out(fmtstr(_ramico + ' RAM', align='<') + fmtstr() + fmtval(totl) +
fmtval(used, rlblcolor) + fmtval(free, rlblcolor))
ansi.rainbar(data, opts.width, incolor, hicolor=opts.hicolor,
cbrackets=_brckico)
print('', fmtval(cach, swap_clr_templ))
else:
out(fmtstr(_ramico + ' RAM', align='<') + fmtstr() + fmtval(totl) +
fmtval(used, rlblcolor) + fmtval(free, rlblcolor) + sep + sep +
fmtval(cach, swap_clr_templ) + '\n' + fmtstr())
ansi.rainbar(data, opts.width, incolor, hicolor=opts.hicolor,
cbrackets=_brckico)
print()
data = (_usedico, swup, None, None, pform.boldbar), (_usedico, swcp,
None, None, pform.boldbar), (_freeico, swfp, None, None, False)
if widelayout:
out(fmtstr(_diskico + ' SWAP', align='<') + fmtstr())
if swpt:
out(fmtval(swpt) + fmtval(swpu, slblcolor) + fmtval(swpf,
slblcolor))
else:
print(fmtstr(_emptico, dim_templ))
if swpt:
ansi.rainbar(data, opts.width, incolor, hicolor=opts.hicolor,
cbrackets=_brckico)
if swpc:
out(' ' + fmtval(swpc, swap_clr_templ))
print()
else:
out(fmtstr(_diskico + ' SWAP', align='<'))
if swpt:
out(fmtstr() + fmtval(swpt) + fmtval(swpu, slblcolor) + fmtval(
swpf, slblcolor))
if swpc:
out(' ' + fmtval(swpc, swap_clr_templ))
print()
out(fmtstr())
ansi.rainbar(data, opts.width, incolor, hicolor=opts.hicolor,
cbrackets=_brckico)
print()
else:
print(' ' + fmtstr(_emptico, dim_templ, align='<'))
print()
print()
| print_meminfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meminfo, widelayout, incolor):\n sep = ' '\n totl = meminfo.memtotal\n cach = meminfo.cached + meminfo.buffers\n free = meminfo.memfree\n used =... |
def x(text, width, align='right'):
before = after = ''
if align == 'left':
truncated = text[-width + 1:]
before = _ellpico
elif align:
truncated = text[:width - 1]
after = _ellpico
return f'{before}{truncated}{after}'
| truncstr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, width, align='right'):\n before = after = ''\n if align == 'left':\n truncated = text[-width + 1:]\n before = _ellpico\n elif alig... |
def x(self, target_path=None, zip_path=None):
if target_path:
self.target_path = target_path
if zip_path:
self.zip_path = zip_path
if self.has_path is False or os.path.isdir(self.target_path) is False:
raise RuntimeError('')
zip = zipfile.ZipFile(self.zip_path, 'w', zipfile.ZIP_DEFLATED)
for root, _, files in os.walk(self.target_path):
for file in files:
if file in ARCHIVE_IGNORE_FILES:
continue
current_dir = os.path.relpath(root, self.target_path)
if current_dir == '.':
file_path = file
else:
file_path = os.path.join(current_dir, file)
print('Archive {}'.format(file))
zip.write(os.path.join(root, file), file_path)
zip.close()
| archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_path=None, zip_path=None):\n if target_path:\n self.target_path = target_path\n if zip_path:\n self.zip_path = zip_path\n i... |
def x(self, target_path=None, zip_path=None):
if target_path:
self.target_path = target_path
if zip_path:
self.zip_path = zip_path
if self.has_path is False:
raise RuntimeError('')
if os.path.isdir(self.target_path) is False:
os.mkdir(self.target_path)
with zipfile.ZipFile(self.zip_path, 'r') as zip:
zip.extractall(self.target_path)
| unarchive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_path=None, zip_path=None):\n if target_path:\n self.target_path = target_path\n if zip_path:\n self.zip_path = zip_path\n i... |
def x(style='white', context='paper', font_scale=1.5, color_codes=True, rc={}):
rcd = {'lines.markersize': 8, 'lines.markeredgewidth': 1.25,
'legend.fontsize': 'small', 'font.size': 12 / 1.5 * font_scale,
'legend.frameon': True, 'axes.formatter.limits': (-5, 5),
'axes.grid': True}
rcd.update(rc)
import seaborn as sns
sns.set(style=style, context=context, font_scale=font_scale,
color_codes=color_codes, rc=rcd)
| set_sns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(style='white', context='paper', font_scale=1.5, color_codes=True, rc={}):\n rcd = {'lines.markersize': 8, 'lines.markeredgewidth': 1.25,\n 'legend.fo... |
def x(ax=None, x=0.5, y=-0.25, text='(a)', **kwargs):
if ax is None:
ax = plt.gca()
ax.text(x=x, y=y, s=text, transform=ax.transAxes, horizontalalignment=
'center', verticalalignment='top', **kwargs)
| label_subplot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax=None, x=0.5, y=-0.25, text='(a)', **kwargs):\n if ax is None:\n ax = plt.gca()\n ax.text(x=x, y=y, s=text, transform=ax.transAxes, horizontalal... |
def x(fn):
import ast, os, re, tempfile, time, subprocess
text = open(os.path.join(os.path.dirname(__file__), fn)).read()
if fn.endswith('.py'):
mock = type('mock', (object,), {})()
for attr in ('version', 'author', 'author_email', 'license', 'url'):
regex = '^__%s__\\s*=\\s*[\\\'"]([^\\\'"]*)[\\\'"]$' % attr
m = re.search(regex, text, re.MULTILINE)
setattr(mock, attr, m.group(1) if m else None)
mock.docstring = ast.get_docstring(ast.parse(text))
if mock.version.endswith('dev'):
mock.version += str(int(time.time()))
return mock
if 'upload' in sys.argv and fn.endswith('md'):
text = '\n'.join([l for l in text.split('\n') if '[nopypi' not in l])
text = re.sub(':\\S+:', '', text)
with tempfile.NamedTemporaryFile(mode='w+') as tmp:
tmp.write(text)
tmp.flush()
text, stderr = subprocess.Popen(['pandoc', '-t', 'rst', tmp.
name], stdout=subprocess.PIPE).communicate()
return text
| coerce_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n import ast, os, re, tempfile, time, subprocess\n text = open(os.path.join(os.path.dirname(__file__), fn)).read()\n if fn.endswith('.py'):\n ... |
def x(self):
fpm_path = app.get_options().fpm_bin
if not os.path.exists(fpm_path):
log.warn('Could not find fpm; gendeb cannot function.')
else:
GenDebBuilder.fpm_bin = fpm_path
| setup_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fpm_path = app.get_options().fpm_bin\n if not os.path.exists(fpm_path):\n log.warn('Could not find fpm; gendeb cannot function.')\n el... |
def x(self):
chparams = self.params.copy()
debpath = os.path.join(self.buildroot, self.rule.output_files[0])
chparams.update({'fullversion': '{epoch}:{version}-{release}'.format(**
chparams), 'metahash': self._metahash().hexdigest(), 'deb_sha1':
util.hash_file(debpath, hashlib.sha1()).hexdigest(), 'deb_sha256':
util.hash_file(debpath, hashlib.sha256()).hexdigest(), 'deb_md5':
util.hash_file(debpath, hashlib.md5()).hexdigest(), 'deb_bytes': os
.stat(debpath).st_size, 'deb_filename': debpath.split('/')[-1]})
output = '\n'.join(['Format: 1.8',
'Date: Tue, 01 Jan 2013 00:00:00 -0700', 'Source: {package_name}',
'Binary: {package_name}', 'Architecture: {arch}',
'Version: {fullversion}', 'Distribution: {distro}',
'Urgency: {urgency}', 'Maintainer: {packager}', 'Description: ',
' {package_name} - {short_description}', 'Changes: ',
' {package_name} ({fullversion}) {distro}; urgency={urgency}', ' .',
' * Built by Butcher - metahash for this build is {metahash}',
'Checksums-Sha1: ', ' {deb_sha1} {deb_bytes} {deb_filename}',
'Checksums-Sha256: ', ' {deb_sha256} {deb_bytes} {deb_filename}',
'Files: ',
' {deb_md5} {deb_bytes} {section} {priority} {deb_filename}', '']
).format(**chparams)
return output
| genchanges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n chparams = self.params.copy()\n debpath = os.path.join(self.buildroot, self.rule.output_files[0])\n chparams.update({'fullversion': '{epoch}:... |
def x(self):
base.BaseTarget.validate_args(self)
params = self.params
if params['extra_control_fields'] is not None:
assert isinstance(params['extra_control_fields'], list
), 'extra_control_fields must be a list of tuples, not %s' % type(
params['extra_control_fields'])
for elem in params['extra_control_fields']:
assert isinstance(elem, tuple) and len(elem
) == 1, 'extra_control_fields must be a list of 2-element tuples. Invalid contents: %s' % elem
pkgname_re = '^[a-z][a-z0-9+-.]+'
assert re.match(pkgname_re, params['package_name']
), 'Invalid package name: %s. Must match %s' % (params[
'package_name'], pkgname_re)
| validate_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base.BaseTarget.validate_args(self)\n params = self.params\n if params['extra_control_fields'] is not None:\n assert isinstance(params... |
def x() ->str:
LOGGER.info('computing next version')
should_be_alpha = bool(CTX.repo.get_current_branch() != 'master')
LOGGER.info('alpha: %s', should_be_alpha)
calver = _get_calver()
LOGGER.info('current calver: %s', calver)
calver_tags = _get_current_calver_tags(calver)
LOGGER.info('found %s matching tags for this calver', len(calver_tags))
next_stable_version = _next_stable_version(calver, calver_tags)
LOGGER.info('next stable version: %s', next_stable_version)
if should_be_alpha:
return _next_alpha_version(next_stable_version, calver_tags)
return next_stable_version
| get_next_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->str:\n LOGGER.info('computing next version')\n should_be_alpha = bool(CTX.repo.get_current_branch() != 'master')\n LOGGER.info('alpha: %s', should... |
def x(self):
originalPrice = self.lineItem.totalPrice
if self.flatRate == 0:
return originalPrice * self.percent
return self.flatRate
| value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n originalPrice = self.lineItem.totalPrice\n if self.flatRate == 0:\n return originalPrice * self.percent\n return self.flatRate\n",
... |
def x(dset, p=None, positive_only=False, mask=None, ROI=None):
if p:
dset = nl.thresh(dset, p, positive_only)
elif positive_only:
dset = nl.calc(dset, 'step(a)')
count = 0
devnull = open(os.devnull, 'w')
if mask:
cmd = ['3dROIstats', '-1Dformat', '-nomeanout', '-nobriklab',
'-nzvoxels']
cmd += ['-mask', str(mask), str(dset)]
out = subprocess.check_output(cmd, stderr=devnull).split('\n')
if len(out) < 4:
return 0
rois = [int(x.replace('NZcount_', '')) for x in out[1].strip()[1:].
split()]
counts = [int(x.replace('NZcount_', '')) for x in out[3].strip().
split()]
count_dict = None
if ROI == None:
ROI = rois
if ROI == 'all':
count_dict = {}
ROI = rois
elif not isinstance(ROI, list):
ROI = [ROI]
for r in ROI:
if r in rois:
roi_count = counts[rois.index(r)]
if count_dict != None:
count_dict[r] = roi_count
else:
count += roi_count
else:
cmd = ['3dBrickStat', '-slow', '-count', '-non-zero', str(dset)]
count = int(subprocess.check_output(cmd, stderr=devnull).strip())
if count_dict:
return count_dict
return count
| voxel_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, p=None, positive_only=False, mask=None, ROI=None):\n if p:\n dset = nl.thresh(dset, p, positive_only)\n elif positive_only:\n dset = ... |
def x(dset, mask):
o = nl.run(['3dmaskave', '-q', '-mask', mask, dset])
if o:
return float(o.output.split()[-1])
| mask_average | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, mask):\n o = nl.run(['3dmaskave', '-q', '-mask', mask, dset])\n if o:\n return float(o.output.split()[-1])\n",
"role": "user"
},
{
... |
def x(dset, x, y, z, radius=1):
return_list = []
if isinstance(dset, basestring):
dset = [dset]
for d in dset:
return_list += [float(a) for a in subprocess.check_output([
'3dmaskave', '-q', '-dball', str(x), str(y), str(z), str(radius
), d], stderr=subprocess.PIPE).split()]
return return_list
| sphere_average | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, x, y, z, radius=1):\n return_list = []\n if isinstance(dset, basestring):\n dset = [dset]\n for d in dset:\n return_list += [float... |
def x(self, group_name):
group_dn = 'cn=%s,cn=groups,cn=accounts,%s' % (group_name, self._base_dn)
if str(group_dn).lower() in [str(i).lower() for i in self.member_of]:
return True
else:
return False
| is_member_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_name):\n group_dn = 'cn=%s,cn=groups,cn=accounts,%s' % (group_name, self._base_dn)\n if str(group_dn).lower() in [str(i).lower() for i in sel... |
def x(self, attr):
a = self._attrs.get(attr)
if not a:
return []
if type(a) is list:
r = [i.decode('utf-8', 'ignore') for i in a]
else:
r = [a.decode('utf-8', 'ignore')]
return r
| get_attr_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr):\n a = self._attrs.get(attr)\n if not a:\n return []\n if type(a) is list:\n r = [i.decode('utf-8', 'ignore') for i in a]\n ... |
def x(language, to_lower=False):
p = language.find('-')
if p >= 0:
if to_lower:
return language[:p].lower() + '_' + language[p + 1:].lower()
else:
if len(language[p + 1:]) > 2:
locale = language[:p].lower() + '_' + language[p + 1].upper()
return locale + language[p + 2:].lower()
return language[:p].lower() + '_' + language[p + 1:].upper()
else:
return language.lower()
| to_locale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(language, to_lower=False):\n p = language.find('-')\n if p >= 0:\n if to_lower:\n return language[:p].lower() + '_' + language[p + 1:].... |
def x(locale):
p = locale.find('_')
if p >= 0:
return locale[:p].lower() + '-' + locale[p + 1:].lower()
else:
return locale.lower()
| to_language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(locale):\n p = locale.find('_')\n if p >= 0:\n return locale[:p].lower() + '-' + locale[p + 1:].lower()\n else:\n return locale.lower()\... |
def x(engine, mutex, Declarative, count) ->Optional[Iterable[int]]:
if not count:
logger.debug('Count was zero, no range returned')
return
conn = engine.connect()
transaction = conn.begin()
mutex.acquire()
try:
sequence = Sequence('%s_id_seq' % Declarative.__tablename__, schema
=Declarative.metadata.schema)
if isPostGreSQLDialect(engine):
sql = (
"SELECT setval('%(seq)s', (select nextval('%(seq)s') + %(add)s), true)"
)
sql %= {'seq': '"%s"."%s"' % (sequence.schema, sequence.name),
'add': count}
nextStartId = conn.execute(sql).fetchone()[0]
startId = nextStartId - count
elif isMssqlDialect(engine):
startId = conn.execute('SELECT NEXT VALUE FOR "%s"."%s"' % (
sequence.schema, sequence.name)).fetchone()[0] + 1
nextStartId = startId + count
conn.execute('alter sequence "%s"."%s" restart with %s' % (
sequence.schema, sequence.name, nextStartId))
else:
raise NotImplementedError()
transaction.commit()
return iter(range(startId, nextStartId))
finally:
mutex.release()
conn.close()
| commonPrefetchDeclarativeIds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(engine, mutex, Declarative, count) ->Optional[Iterable[int]]:\n if not count:\n logger.debug('Count was zero, no range returned')\n return\n ... |
def x(self) ->DbSessionCreator:
assert self._dbConnectString
if self._ScopedSession:
return self._ScopedSession
self._dbEngine = create_engine(self._dbConnectString, **self._dbEngineArgs)
self._ScopedSession = scoped_session(sessionmaker(bind=self._dbEngine))
return self._ScopedSession
| ormSessionCreator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->DbSessionCreator:\n assert self._dbConnectString\n if self._ScopedSession:\n return self._ScopedSession\n self._dbEngine = create_engin... |
def x(self) ->None:
assert self.ormSessionCreator, 'ormSessionCreator is not defined'
connection = self._dbEngine.connect()
isDbInitialised = self._dbEngine.dialect.has_table(connection,
'alembic_version', schema=self._metadata.schema)
connection.close()
if isDbInitialised or not self._enableCreateAll:
self._doMigration(self._dbEngine)
else:
self._doCreateAll(self._dbEngine)
if self._enableForeignKeys:
self.checkForeignKeys(self._dbEngine)
| migrate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n assert self.ormSessionCreator, 'ormSessionCreator is not defined'\n connection = self._dbEngine.connect()\n isDbInitialised = self._db... |
def x(self, engine: Engine) ->None:
missing = sqlalchemy_utils.functions.non_indexed_foreign_keys(self.
_metadata, engine=engine)
for table, keys in missing.items():
for key in keys:
logger.warning('Missing index on ForeignKey %s' % key.columns)
| checkForeignKeys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, engine: Engine) ->None:\n missing = sqlalchemy_utils.functions.non_indexed_foreign_keys(self.\n _metadata, engine=engine)\n for table, keys ... |
def x(self, Declarative, count) ->DelcarativeIdGen:
return _commonPrefetchDeclarativeIds(self.dbEngine, self._sequenceMutex,
Declarative, count)
| prefetchDeclarativeIds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Declarative, count) ->DelcarativeIdGen:\n return _commonPrefetchDeclarativeIds(self.dbEngine, self._sequenceMutex,\n Declarative, count)\n",
... |
def x(tag):
if tag:
CTX.repo.tag(tag)
try:
yield
finally:
if tag:
CTX.repo.remove_tag(tag)
| temporary_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n if tag:\n CTX.repo.tag(tag)\n try:\n yield\n finally:\n if tag:\n CTX.repo.remove_tag(tag)\n",
"role": "us... |
def x(amend: bool=False, stage: bool=False, next_version: str=None,
auto_next_version: bool=False):
if config.CHANGELOG_DISABLE():
LOGGER.info('skipping changelog update as per config')
else:
epab.utils.ensure_exe('git')
epab.utils.ensure_exe('gitchangelog')
LOGGER.info('writing changelog')
if auto_next_version:
next_version = epab.utils.get_next_version()
with gitchangelog_config():
with temporary_tag(next_version):
changelog, _ = elib_run.run('gitchangelog', mute=True)
changelog = re.sub(BOGUS_LINE_PATTERN, '\\1\n', changelog)
Path(config.CHANGELOG_FILE_PATH()).write_text(changelog, encoding=
'utf8')
if amend:
CTX.repo.amend_commit(append_to_msg='update changelog [auto]',
files_to_add=str(config.CHANGELOG_FILE_PATH()))
elif stage:
CTX.repo.stage_subset(str(config.CHANGELOG_FILE_PATH()))
| chglog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(amend: bool=False, stage: bool=False, next_version: str=None,\n auto_next_version: bool=False):\n if config.CHANGELOG_DISABLE():\n LOGGER.info('sk... |
def x(amend: bool=False, stage: bool=False, next_version: str=None,
auto_next_version: bool=False):
changed_files = CTX.repo.changed_files()
changelog_file_path: Path = config.CHANGELOG_FILE_PATH()
changelog_file_name = changelog_file_path.name
if changelog_file_name in changed_files:
LOGGER.error('changelog has changed; cannot update it')
exit(-1)
_chglog(amend, stage, next_version, auto_next_version)
| chglog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(amend: bool=False, stage: bool=False, next_version: str=None,\n auto_next_version: bool=False):\n changed_files = CTX.repo.changed_files()\n changelog... |
def x(self, rev, dest, rev_options):
revisions = self.get_tag_revs(dest)
revisions.update(self.get_branch_revs(dest))
origin_rev = 'origin/%s' % rev
if origin_rev in revisions:
return [revisions[origin_rev]]
elif rev in revisions:
return [revisions[rev]]
else:
logger.warn("Could not find a tag or branch '%s', assuming commit." %
rev)
return rev_options
| check_rev_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rev, dest, rev_options):\n revisions = self.get_tag_revs(dest)\n revisions.update(self.get_branch_revs(dest))\n origin_rev = 'origin/%s' % rev\n... |
def x(filename, datadict):
for key, value in datadict.items():
if type(value) == np.ndarray:
datadict[key] = value.tolist()
if type(value) == dict:
for key2, value2 in value.items():
if type(value2) == np.ndarray:
datadict[key][key2] = value2.tolist()
with open(filename, 'w') as f:
f.write(json.dumps(datadict, indent=4))
| savejson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, datadict):\n for key, value in datadict.items():\n if type(value) == np.ndarray:\n datadict[key] = value.tolist()\n if ty... |
def x(filename, asnparrays=False):
with open(filename) as f:
data = json.load(f)
if asnparrays:
for key, value in data.items():
if type(value) is list:
data[key] = np.asarray(value)
if type(value) is dict:
for key2, value2 in value.items():
if type(value2) is list:
data[key][key2] = np.asarray(value2)
return data
| loadjson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, asnparrays=False):\n with open(filename) as f:\n data = json.load(f)\n if asnparrays:\n for key, value in data.items():\n ... |
def x(filename, datadict, mode='w'):
if mode == 'a':
header = False
else:
header = True
with open(filename, mode) as f:
_pd.DataFrame(datadict).to_csv(f, index=False, header=header)
| savecsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, datadict, mode='w'):\n if mode == 'a':\n header = False\n else:\n header = True\n with open(filename, mode) as f:\n _pd... |
def x(filename):
dataframe = _pd.read_csv(filename)
data = {}
for key, value in dataframe.items():
data[key] = value.values
return data
| loadcsv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n dataframe = _pd.read_csv(filename)\n data = {}\n for key, value in dataframe.items():\n data[key] = value.values\n return data\... |
def x(filename, datadict, groupname='data', mode='a', metadata=None,
as_dataframe=False, append=False):
if as_dataframe:
df = _pd.DataFrame(datadict)
df.to_hdf(filename, groupname)
else:
if isinstance(datadict, _pd.DataFrame):
datadict = datadict.to_dict('list')
with _h5py.File(filename, mode) as f:
for key, value in datadict.items():
if append:
try:
f[groupname + '/' + key] = np.append(f[groupname +
'/' + key], value)
except KeyError:
f[groupname + '/' + key] = value
else:
f[groupname + '/' + key] = value
if metadata:
for key, value in metadata.items():
f[groupname].attrs[key] = value
| savehdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, datadict, groupname='data', mode='a', metadata=None,\n as_dataframe=False, append=False):\n if as_dataframe:\n df = _pd.DataFrame(datadi... |
def x(filename, groupname='data', to_dataframe=False):
data = {}
with _h5py.File(filename, 'r') as f:
for key, value in f[groupname].items():
data[key] = np.array(value)
if to_dataframe:
return _pd.DataFrame(data)
else:
return data
| loadhdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, groupname='data', to_dataframe=False):\n data = {}\n with _h5py.File(filename, 'r') as f:\n for key, value in f[groupname].items():\n ... |
def x(filename, metadata, groupname='data', mode='a'):
with _h5py.File(filename, mode) as f:
for key, val in metadata.items():
f[groupname].attrs[key] = val
| save_hdf_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, metadata, groupname='data', mode='a'):\n with _h5py.File(filename, mode) as f:\n for key, val in metadata.items():\n f[groupname... |
def x(filename, groupname='data'):
with _h5py.File(filename, 'r') as f:
data = dict(f[groupname].attrs)
return data
| load_hdf_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, groupname='data'):\n with _h5py.File(filename, 'r') as f:\n data = dict(f[groupname].attrs)\n return data\n",
"role": "user"
},
... |
def x(user=None):
if connexion.request.is_json:
user = UserAuth.from_dict(connexion.request.get_json())
return 'do some magic!'
| authenticate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user=None):\n if connexion.request.is_json:\n user = UserAuth.from_dict(connexion.request.get_json())\n return 'do some magic!'\n",
"role": "u... |
def x(doc, param):
arg_doc = docstrings.keep_params_s(doc, [param]
) or docstrings.keep_types_s(doc, [param])
dtype = None
if arg_doc:
lines = arg_doc.splitlines()
arg_doc = dedents('\n' + '\n'.join(lines[1:]))
param_desc = lines[0].split(':', 1)
if len(param_desc) > 1:
dtype = param_desc[1].strip()
return arg_doc, dtype
| get_param_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doc, param):\n arg_doc = docstrings.keep_params_s(doc, [param]\n ) or docstrings.keep_types_s(doc, [param])\n dtype = None\n if arg_doc:\n ... |
def x(self, func=None, setup_as=None, insert_at=None, interprete=True,
epilog_sections=None, overwrite=False, append_epilog=True):
def x(func):
if insert_at is None:
self._used_functions.append(func)
else:
self._used_functions.insert(insert_at, func)
args_dict = self.unfinished_arguments
if setup_as:
args_dict[setup_as] = dict(long=setup_as, default=func, help=
argparse.SUPPRESS)
self._setup_as = setup_as
args, varargs, varkw, defaults = inspect.getargspec(func)
full_doc = docstrings.dedents(inspect.getdoc(func))
summary = docstrings.get_full_description(full_doc)
if summary:
if not self.description or overwrite:
self.description = summary
full_doc = docstrings._remove_summary(full_doc)
self.extract_as_epilog(full_doc, epilog_sections, overwrite,
append_epilog)
doc = docstrings._get_section(full_doc, 'Parameters') + '\n'
doc += docstrings._get_section(full_doc, 'Other Parameters')
doc = doc.rstrip()
default_min = len(args or []) - len(defaults or [])
for i, arg in enumerate(args):
if arg == 'self' or arg in args_dict:
continue
arg_doc, dtype = self.get_param_doc(doc, arg)
args_dict[arg] = d = {'dest': arg, 'short': arg.replace('_',
'-'), 'long': arg.replace('_', '-')}
if arg_doc:
d['help'] = arg_doc
if i >= default_min:
d['default'] = defaults[i - default_min]
else:
d['positional'] = True
if interprete and dtype == 'bool' and 'default' in d:
d['action'] = 'store_false' if d['default'
] else 'store_true'
elif interprete and dtype:
if dtype.startswith('list of'):
d['nargs'] = '+'
dtype = dtype[7:].strip()
if dtype in ['str', 'string', 'strings']:
d['type'] = six.text_type
if dtype == 'strings':
dtype = 'string'
else:
try:
d['type'] = getattr(builtins, dtype)
except AttributeError:
try:
d['type'] = getattr(builtins, dtype[:-1])
dtype = dtype[:-1]
except AttributeError:
pass
d['metavar'] = dtype
return func
if func is None:
return setup
else:
return setup(func)
| setup_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func=None, setup_as=None, insert_at=None, interprete=True,\n epilog_sections=None, overwrite=False, append_epilog=True):\n\n def x(func):\n ... |
def x(self, *args, **kwargs):
chain = kwargs.pop('chain', None)
ret = super(FuncArgParser, self).add_subparsers(*args, **kwargs)
if chain:
self._chain_subparsers = True
self._subparsers_action = ret
return ret
| add_subparsers | [
{
"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 chain = kwargs.pop('chain', None)\n ret = super(FuncArgParser, self).add_subparsers(*args, **kwargs)\n if chain:\n se... |
def x(self, func=None, setup_as=None, insert_at=None, interprete=True,
epilog_sections=None, overwrite=False, append_epilog=True,
return_parser=False, name=None, **kwargs):
def x(func):
if self._subparsers_action is None:
raise RuntimeError(
'No subparsers have yet been created! Run the add_subparsers method first!'
)
name2use = name
if name2use is None:
name2use = func.__name__.replace('_', '-')
kwargs.setdefault('help', docstrings.get_summary(docstrings.dedents
(inspect.getdoc(func))))
parser = self._subparsers_action.add_parser(name2use, **kwargs)
parser.setup_args(func, setup_as=setup_as, insert_at=insert_at,
interprete=interprete, epilog_sections=epilog_sections,
overwrite=overwrite, append_epilog=append_epilog)
return func, parser
if func is None:
return lambda f: setup(f)[0]
else:
return setup(func)[int(return_parser)]
| setup_subparser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func=None, setup_as=None, insert_at=None, interprete=True,\n epilog_sections=None, overwrite=False, append_epilog=True,\n return_parser=False, name... |
def x(self, arg, if_existent=None, **kwargs):
if if_existent or if_existent is None and arg in self.unfinished_arguments:
self.unfinished_arguments[arg].update(kwargs)
elif not if_existent and if_existent is not None:
self.unfinished_arguments.setdefault(arg, kwargs)
| update_arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg, if_existent=None, **kwargs):\n if if_existent or if_existent is None and arg in self.unfinished_arguments:\n self.unfinished_arguments[arg... |
def x(self, func):
if func in self._used_functions:
yield self
if self._subparsers_action is not None:
for parser in self._subparsers_action.choices.values():
for sp in parser._get_corresponding_parsers(func):
yield sp
| get_corresponding_parsers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if func in self._used_functions:\n yield self\n if self._subparsers_action is not None:\n for parser in self._subparsers_act... |
def x(self, arg, key, *args, **kwargs):
return self.unfinished_arguments[arg].pop(key, *args, **kwargs)
| pop_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg, key, *args, **kwargs):\n return self.unfinished_arguments[arg].pop(key, *args, **kwargs)\n",
"role": "user"
},
{
"content": "pop_key"... |
def x(self, subparsers=False):
ret = []
if not self._finalized:
for arg, d in self.unfinished_arguments.items():
try:
not_positional = int(not d.pop('positional', False))
short = d.pop('short', None)
long_name = d.pop('long', None)
if short is None and long_name is None:
raise ValueError(
'Either a short (-) or a long (--) argument must be provided!'
)
if not not_positional:
short = arg
long_name = None
d.pop('dest', None)
if short == long_name:
long_name = None
args = []
if short:
args.append('-' * not_positional + short)
if long_name:
args.append('--' * not_positional + long_name)
group = d.pop('group', self)
if d.get('action') in ['store_true', 'store_false']:
d.pop('metavar', None)
ret.append(group.add_argument(*args, **d))
except Exception:
print('Error while creating argument %s' % arg)
raise
else:
raise ValueError('Parser has already been finalized!')
self._finalized = True
if subparsers and self._subparsers_action is not None:
for parser in self._subparsers_action.choices.values():
parser.create_arguments(True)
return ret
| create_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subparsers=False):\n ret = []\n if not self._finalized:\n for arg, d in self.unfinished_arguments.items():\n try:\n ... |
def x(self, section, text):
try:
func = self._epilog_formatters[self.epilog_formatter]
except KeyError:
if not callable(self.epilog_formatter):
raise
func = self.epilog_formatter
return func(section, text)
| format_epilog_section | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section, text):\n try:\n func = self._epilog_formatters[self.epilog_formatter]\n except KeyError:\n if not callable(self.epilog_forma... |
def x(self, text, sections=None, overwrite=False, append=True):
if sections is None:
sections = self.epilog_sections
if (not self.epilog or overwrite or append) and sections:
epilog_parts = []
for sec in sections:
text = docstrings._get_section(text, sec).strip()
if text:
epilog_parts.append(self.format_epilog_section(sec, text))
if epilog_parts:
epilog = '\n\n'.join(epilog_parts)
if overwrite or not self.epilog:
self.epilog = epilog
else:
self.epilog += '\n\n' + epilog
| extract_as_epilog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, sections=None, overwrite=False, append=True):\n if sections is None:\n sections = self.epilog_sections\n if (not self.epilog or overwr... |
def x(self, arg, my_arg=None, parent_cmds=[]):
if self._subparsers_action is None:
return None
commands = self._subparsers_action.choices
currentarg = self.__currentarg
ret = currentarg or my_arg
if currentarg is not None:
sp_key = commands[currentarg].grouparg(arg, currentarg, chain(
commands, parent_cmds))
if sp_key is None and arg in commands:
self.__currentarg = currentarg = arg
ret = my_arg or currentarg
elif sp_key not in commands and arg in parent_cmds:
ret = None
else:
ret = my_arg or currentarg
elif arg in commands:
self.__currentarg = arg
ret = arg
elif arg in parent_cmds:
ret = None
return ret
| grouparg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg, my_arg=None, parent_cmds=[]):\n if self._subparsers_action is None:\n return None\n commands = self._subparsers_action.choices\n cur... |
def x(self, args):
if six.PY2:
self._subparsers_action.add_parser('__dummy')
return super(FuncArgParser, self).parse_known_args(list(args) + [
'__dummy'])
return super(FuncArgParser, self).parse_known_args(args)
| parse_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n if six.PY2:\n self._subparsers_action.add_parser('__dummy')\n return super(FuncArgParser, self).parse_known_args(list(args) + [... |
def x(self, **kwargs):
for key, val in six.iteritems(kwargs):
self.update_arg(key, short=val)
| update_short | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key, val in six.iteritems(kwargs):\n self.update_arg(key, short=val)\n",
"role": "user"
},
{
"content": "update_sh... |
def x(self, **kwargs):
for key, val in six.iteritems(kwargs):
self.update_arg(key, long=val)
| update_long | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key, val in six.iteritems(kwargs):\n self.update_arg(key, long=val)\n",
"role": "user"
},
{
"content": "update_lon... |
def x(self, args=None, func=None):
kws = vars(self.parse_args(args))
if func is None:
if self._setup_as:
func = kws.pop(self._setup_as)
else:
func = self._used_functions[-1]
return func(**kws)
| parse2func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, func=None):\n kws = vars(self.parse_args(args))\n if func is None:\n if self._setup_as:\n func = kws.pop(self._setup_a... |
def x(self, args=None, func=None):
ns, remainder = self.parse_known_args(args)
kws = vars(ns)
if func is None:
if self._setup_as:
func = kws.pop(self._setup_as)
else:
func = self._used_functions[-1]
return func(**kws), remainder
| parse_known2func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, func=None):\n ns, remainder = self.parse_known_args(args)\n kws = vars(ns)\n if func is None:\n if self._setup_as:\n ... |
def x(self, args=None):
kws = vars(self.parse_args(args))
return self._parse2subparser_funcs(kws)
| parse_chained | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None):\n kws = vars(self.parse_args(args))\n return self._parse2subparser_funcs(kws)\n",
"role": "user"
},
{
"content": "parse_cha... |
def x(self, args=None):
ns, remainder = self.parse_known_args(args)
kws = vars(ns)
return self._parse2subparser_funcs(kws), remainder
| parse_known_chained | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None):\n ns, remainder = self.parse_known_args(args)\n kws = vars(ns)\n return self._parse2subparser_funcs(kws), remainder\n",
"role": ... |
def x(self, kws):
choices = getattr(self._subparsers_action, 'choices', {})
replaced = {key.replace('-', '_'): key for key in choices}
sp_commands = set(replaced).intersection(kws)
if not sp_commands:
if self._setup_as is not None:
func = kws.pop(self._setup_as)
else:
try:
func = self._used_functions[-1]
except IndexError:
return None
return func(**{key: kws[key] for key in set(kws).difference(choices)})
else:
ret = {}
for key in sp_commands:
ret[key.replace('-', '_')] = choices[replaced[key]
]._parse2subparser_funcs(vars(kws[key]))
return Namespace(**ret)
| parse2subparser_funcs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kws):\n choices = getattr(self._subparsers_action, 'choices', {})\n replaced = {key.replace('-', '_'): key for key in choices}\n sp_commands = s... |
def x(self, name):
if self._subparsers_action is None:
raise ValueError('%s has no subparsers defined!' % self)
return self._subparsers_action.choices[name]
| get_subparser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if self._subparsers_action is None:\n raise ValueError('%s has no subparsers defined!' % self)\n return self._subparsers_action.cho... |
def x(src):
output = ''
lines = open(src.path, 'rU').readlines()
for line in lines:
m = re.match(config.import_regex, line)
if m:
include_path = os.path.abspath(src.dir + '/' + m.group('script'))
if include_path not in config.sources:
script = Script(include_path)
script.parents.append(src)
config.sources[script.path] = script
include_file = config.sources[include_path]
if include_file not in config.stack or m.group('command'
) == 'import':
config.stack.append(include_file)
output += get_output(include_file)
else:
output += line
return output
| get_output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n output = ''\n lines = open(src.path, 'rU').readlines()\n for line in lines:\n m = re.match(config.import_regex, line)\n if m:\n ... |
def x(identity: Identity, salt: str, password: str) ->str:
revocation = Revocation(PROTOCOL_VERSION, identity.currency, identity, '')
key = SigningKey.from_credentials(salt, password)
revocation.sign([key])
return revocation.signed_raw()
| get_signed_raw_revocation_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(identity: Identity, salt: str, password: str) ->str:\n revocation = Revocation(PROTOCOL_VERSION, identity.currency, identity, '')\n key = SigningKey.from... |
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: ')
pubkey = input('Enter your public key: ')
signer = SigningKey.from_credentials(salt, password)
if signer.pubkey != pubkey:
print('Bad credentials!')
exit(0)
current_block = await client(bma.blockchain.current)
identity_document = await get_identity_document(client, current_block[
'currency'], pubkey)
revocation_signed_raw_document = get_signed_raw_revocation_document(
identity_document, salt, password)
fp = open(REVOCATION_DOCUMENT_FILE_PATH, 'w')
fp.write(revocation_signed_raw_document)
fp.close()
print('Revocation document saved in %s' % REVOCATION_DOCUMENT_FILE_PATH)
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(anatomy, epis, suffix='_al', base=3, skull_strip=True):
for epi in epis:
nl.tshift(epi, suffix='_tshift')
nl.affine_align(nl.suffix(epi, '_tshift'), '%s[%d]' % (epis[0],
base), skull_strip=False, epi=True, cost='crM', resample=
'wsinc5', grid_size=nl.dset_info(epi).voxel_size[0], suffix='_al')
ss = [anatomy] if skull_strip else False
nl.affine_align(anatomy, '%s[%d]' % (epis[0], base), skull_strip=ss,
cost='lpa', grid_size=1, opts=['-interp', 'cubic'], suffix='_al-to-EPI'
)
| align_epi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anatomy, epis, suffix='_al', base=3, skull_strip=True):\n for epi in epis:\n nl.tshift(epi, suffix='_tshift')\n nl.affine_align(nl.suffix(epi,... |
def x(param_file, motion_file, individual=True, rms=True):
with open(param_file) as inf:
translate_rotate = np.array([[float(y) for y in x.strip().split()[:
6]] for x in inf.readlines() if x[0] != '#'])
motion = np.array([])
if individual:
motion = np.vstack((np.zeros(translate_rotate.shape[1]), np.
diff(translate_rotate, axis=0)))
if rms:
translate = [sqrt(sum([(x ** 2) for x in y[:3]])) for y in
translate_rotate]
rotate = [sqrt(sum([(x ** 2) for x in y[3:]])) for y in
translate_rotate]
translate_rotate = np.array(map(add, translate, rotate))
translate_rotate_diff = np.hstack(([0], np.diff(
translate_rotate, axis=0)))
if motion.shape == (0,):
motion = rms_motion
else:
motion = np.column_stack((motion, translate_rotate_diff))
with open(motion_file, 'w') as outf:
outf.write('\n'.join(['\t'.join([str(y) for y in x]) for x in
motion]))
| motion_from_params | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param_file, motion_file, individual=True, rms=True):\n with open(param_file) as inf:\n translate_rotate = np.array([[float(y) for y in x.strip().spli... |
def x(dset, suffix='_volreg', base=3, tshift=3, dfile_suffix='_volreg.1D'):
cmd = ['3dvolreg', '-prefix', nl.suffix(dset, suffix), '-base', base,
'-dfile', nl.prefix(dset) + dfile_suffix]
if tshift:
cmd += ['-tshift', tshift]
cmd += [dset]
nl.run(cmd, products=nl.suffix(dset, suffix))
| volreg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, suffix='_volreg', base=3, tshift=3, dfile_suffix='_volreg.1D'):\n cmd = ['3dvolreg', '-prefix', nl.suffix(dset, suffix), '-base', base,\n '-dfi... |
def x(dset_from, dset_to, skull_strip=True, mask=None, suffix='_aff',
prefix=None, cost=None, epi=False, resample='wsinc5', grid_size=None,
opts=[]):
dset_ss = lambda dset: os.path.split(nl.suffix(dset, '_ns'))[1]
def x(dset):
if skull_strip == True or skull_strip == dset:
return dset_ss(dset)
else:
return dset
dset_affine = prefix
if dset_affine == None:
dset_affine = os.path.split(nl.suffix(dset_from, suffix))[1]
dset_affine_mat_1D = nl.prefix(dset_affine) + '_matrix.1D'
dset_affine_par_1D = nl.prefix(dset_affine) + '_params.1D'
if os.path.exists(dset_affine):
return
for dset in [dset_from, dset_to]:
if skull_strip == True or skull_strip == dset:
nl.skull_strip(dset, '_ns')
mask_use = mask
if mask:
if skull_strip == True or skull_strip == dset_to:
nl.run(['3dresample', '-master', dset_u(dset_ss(dset)),
'-inset', mask, '-prefix', nl.suffix(mask, '_resam')],
products=nl.suffix(mask, '_resam'))
mask_use = nl.suffix(mask, '_resam')
all_cmd = ['3dAllineate', '-prefix', dset_affine, '-base', dset_source(
dset_to), '-source', dset_source(dset_from), '-source_automask',
'-1Dmatrix_save', dset_affine_mat_1D, '-1Dparam_save',
dset_affine_par_1D, '-autoweight', '-final', resample, '-cmass'] + opts
if grid_size:
all_cmd += ['-newgrid', grid_size]
if cost:
all_cmd += ['-cost', cost]
if epi:
all_cmd += ['-EPI']
if mask:
all_cmd += ['-emask', mask_use]
nl.run(all_cmd, products=dset_affine)
| affine_align | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset_from, dset_to, skull_strip=True, mask=None, suffix='_aff',\n prefix=None, cost=None, epi=False, resample='wsinc5', grid_size=None,\n opts=[]):\n ... |
def x(dset_from, affine_1D, master, affine_suffix='_aff', interp='NN',
inverse=False, prefix=None):
affine_1D_use = affine_1D
if inverse:
with tempfile.NamedTemporaryFile(delete=False) as temp:
temp.write(subprocess.check_output(['cat_matvec', affine_1D, '-I'])
)
affine_1D_use = temp.name
if prefix == None:
prefix = nl.suffix(dset_from, affine_suffix)
nl.run(['3dAllineate', '-1Dmatrix_apply', affine_1D_use, '-input',
dset_from, '-prefix', prefix, '-master', master, '-final', interp],
products=prefix)
| affine_apply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset_from, affine_1D, master, affine_suffix='_aff', interp='NN',\n inverse=False, prefix=None):\n affine_1D_use = affine_1D\n if inverse:\n wit... |
def x(coord_from, matrix_file, base_to_aligned=True):
with open(matrix_file) as f:
try:
values = [float(y) for y in ' '.join([x for x in f.readlines() if
x.strip()[0] != '#']).strip().split()]
except:
nl.notify('Error reading values from matrix file %s' %
matrix_file, level=nl.level.error)
return False
if len(values) != 12:
nl.notify('Error: found %d values in matrix file %s (expecting 12)' %
(len(values), matrix_file), level=nl.level.error)
return False
matrix = np.vstack((np.array(values).reshape((3, -1)), [0, 0, 0, 1]))
if not base_to_aligned:
matrix = np.linalg.inv(matrix)
return np.dot(matrix, list(coord_from) + [1])[:3]
| convert_coord | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coord_from, matrix_file, base_to_aligned=True):\n with open(matrix_file) as f:\n try:\n values = [float(y) for y in ' '.join([x for x in f... |
def x(dset_from, dset_to, skull_strip=True, mask=None, affine_suffix='_aff',
suffix='_qwarp', prefix=None):
dset_ss = lambda dset: os.path.split(nl.suffix(dset, '_ns'))[1]
dset_u = lambda dset: os.path.split(nl.suffix(dset, '_u'))[1]
def x(dset):
if skull_strip == True or skull_strip == dset:
return dset_ss(dset)
else:
return dset
dset_affine = os.path.split(nl.suffix(dset_from, affine_suffix))[1]
dset_affine_1D = nl.prefix(dset_affine) + '.1D'
dset_qwarp = prefix
if dset_qwarp == None:
dset_qwarp = os.path.split(nl.suffix(dset_from, suffix))[1]
if os.path.exists(dset_qwarp):
return
affine_align(dset_from, dset_to, skull_strip, mask, affine_suffix)
for dset in [dset_from, dset_to]:
nl.run(['3dUnifize', '-prefix', dset_u(dset_source(dset)), '-input',
dset_source(dset)], products=[dset_u(dset_source(dset))])
mask_use = mask
if mask:
if skull_strip == True or skull_strip == dset_to:
nl.run(['3dresample', '-master', dset_u(dset_ss(dset)),
'-inset', mask, '-prefix', nl.suffix(mask, '_resam')],
products=nl.suffix(mask, '_resam'))
mask_use = nl.suffix(mask, '_resam')
warp_cmd = ['3dQwarp', '-prefix', dset_qwarp, '-duplo', '-useweight',
'-blur', '0', '3', '-iwarp', '-base', dset_u(dset_source(dset_to)),
'-source', dset_affine]
if mask:
warp_cmd += ['-emask', mask_use]
nl.run(warp_cmd, products=dset_qwarp)
| qwarp_align | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset_from, dset_to, skull_strip=True, mask=None, affine_suffix='_aff',\n suffix='_qwarp', prefix=None):\n dset_ss = lambda dset: os.path.split(nl.suffix(... |
def x(dset_from, dset_warp, affine=None, warp_suffix='_warp', master='WARP',
interp=None, prefix=None):
out_dset = prefix
if out_dset == None:
out_dset = os.path.split(nl.suffix(dset_from, warp_suffix))[1]
dset_from_info = nl.dset_info(dset_from)
dset_warp_info = nl.dset_info(dset_warp)
if dset_from_info.orient != dset_warp_info.orient:
nl.run(['3dresample', '-orient', dset_warp_info.orient, '-prefix',
nl.suffix(dset_from, '_reorient'), '-inset', dset_from],
products=nl.suffix(dset_from, '_reorient'))
dset_from = nl.suffix(dset_from, '_reorient')
warp_opt = str(dset_warp)
if affine:
warp_opt += ' ' + affine
cmd = ['3dNwarpApply', '-nwarp', warp_opt]
cmd += ['-source', dset_from, '-master', master, '-prefix', out_dset]
if interp:
cmd += ['-interp', interp]
nl.run(cmd, products=out_dset)
| qwarp_apply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset_from, dset_warp, affine=None, warp_suffix='_warp', master='WARP',\n interp=None, prefix=None):\n out_dset = prefix\n if out_dset == None:\n ... |
def x(warp_param_dset, output_dset, affine_1Dfile=None):
cmd = ['3dNwarpCat', '-prefix', output_dset]
if affine_1Dfile:
cmd += ['-warp1', 'INV(%s)' % affine_1Dfile, '-warp2', 'INV(%s)' %
warp_param_dset]
else:
cmd += ['-warp1', 'INV(%s)' % warp_param_dset]
nl.run(cmd, products=output_dset)
| qwarp_invert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(warp_param_dset, output_dset, affine_1Dfile=None):\n cmd = ['3dNwarpCat', '-prefix', output_dset]\n if affine_1Dfile:\n cmd += ['-warp1', 'INV(%s)... |
def x(dset, align_subbrick=5, suffix='_qwal', prefix=None):
info = nl.dset_info(dset)
if info == None:
nl.notify('Error reading dataset "%s"' % dset, level=nl.level.error)
return False
if prefix == None:
prefix = nl.suffix(dset, suffix)
dset_sub = lambda x: '_tmp_qwarp_epi-%s_%d.nii.gz' % (nl.prefix(dset), x)
try:
align_dset = nl.suffix(dset_sub(align_subbrick), '_warp')
nl.calc('%s[%d]' % (dset, align_subbrick), expr='a', prefix=
align_dset, datum='float')
for i in xrange(info.reps):
if i != align_subbrick:
nl.calc('%s[%d]' % (dset, i), expr='a', prefix=dset_sub(i),
datum='float')
nl.run(['3dQwarp', '-nowarp', '-workhard', '-superhard',
'-minpatch', '9', '-blur', '0', '-pear', '-nopenalty',
'-base', align_dset, '-source', dset_sub(i), '-prefix',
nl.suffix(dset_sub(i), '_warp')], quiet=True)
cmd = ['3dTcat', '-prefix', prefix]
if info.TR:
cmd += ['-tr', info.TR]
if info.slice_timing:
cmd += ['-tpattern', info.slice_timing]
cmd += [nl.suffix(dset_sub(i), '_warp') for i in xrange(info.reps)]
nl.run(cmd, quiet=True)
except Exception as e:
raise e
finally:
for i in xrange(info.reps):
for suffix in ['', 'warp']:
try:
os.remove(nl.suffix(dset_sub(i), suffix))
except:
pass
| qwarp_epi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, align_subbrick=5, suffix='_qwal', prefix=None):\n info = nl.dset_info(dset)\n if info == None:\n nl.notify('Error reading dataset \"%s\"' % ... |
def x(anatomy, epi_dsets, skull_strip_anat=True):
if isinstance(epi_dsets, basestring):
epi_dsets = [epi_dsets]
if len(epi_dsets) == 0:
nl.notify(
'Warning: no epi alignment datasets given for anatomy %s!' %
anatomy, level=nl.level.warning)
return
if all(os.path.exists(nl.suffix(x, '_al')) for x in epi_dsets):
return
anatomy_use = anatomy
if skull_strip_anat:
nl.skull_strip(anatomy, '_ns')
anatomy_use = nl.suffix(anatomy, '_ns')
inputs = [anatomy_use] + epi_dsets
dset_products = lambda dset: [nl.suffix(dset, '_al'), nl.prefix(dset) +
'_al_mat.aff12.1D', nl.prefix(dset) + '_tsh_vr_motion.1D']
products = nl.flatten([dset_products(dset) for dset in epi_dsets])
with nl.run_in_tmp(inputs, products):
if nl.is_nifti(anatomy_use):
anatomy_use = nl.afni_copy(anatomy_use)
epi_dsets_use = []
for dset in epi_dsets:
if nl.is_nifti(dset):
epi_dsets_use.append(nl.afni_copy(dset))
else:
epi_dsets_use.append(dset)
cmd = ['align_epi_anat.py', '-epi2anat', '-anat_has_skull', 'no',
'-epi_strip', '3dAutomask', '-anat', anatomy_use, '-epi_base',
'5', '-epi', epi_dsets_use[0]]
if len(epi_dsets_use) > 1:
cmd += ['-child_epi'] + epi_dsets_use[1:]
out = nl.run(cmd)
for dset in epi_dsets:
if nl.is_nifti(dset):
dset_nifti = nl.nifti_copy(nl.prefix(dset) + '_al+orig')
if dset_nifti and os.path.exists(dset_nifti
) and dset_nifti.endswith('.nii') and dset.endswith('.gz'):
nl.run(['gzip', dset_nifti])
| align_epi_anat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anatomy, epi_dsets, skull_strip_anat=True):\n if isinstance(epi_dsets, basestring):\n epi_dsets = [epi_dsets]\n if len(epi_dsets) == 0:\n n... |
def x(dset, template, prefix=None, suffix=None, dilate=0):
if suffix == None:
suffix = '_sstemplate'
if prefix == None:
prefix = nl.suffix(dset, suffix)
if not os.path.exists(prefix):
with nl.notify('Running template-based skull-strip on %s' % dset):
dset = os.path.abspath(dset)
template = os.path.abspath(template)
tmp_dir = tempfile.mkdtemp()
cwd = os.getcwd()
with nl.run_in(tmp_dir):
nl.affine_align(template, dset, skull_strip=None, cost='mi',
opts=['-nmatch', '100%'])
nl.run(['3dQwarp', '-minpatch', '20', '-penfac', '10',
'-noweight', '-source', nl.suffix(template, '_aff'),
'-base', dset, '-prefix', nl.suffix(template, '_qwarp')
], products=nl.suffix(template, '_qwarp'))
info = nl.dset_info(nl.suffix(template, '_qwarp'))
max_value = info.subbricks[0]['max']
nl.calc([dset, nl.suffix(template, '_qwarp')],
'a*step(b-%f*0.05)' % max_value, prefix)
shutil.move(prefix, cwd)
shutil.rmtree(tmp_dir)
| skullstrip_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, template, prefix=None, suffix=None, dilate=0):\n if suffix == None:\n suffix = '_sstemplate'\n if prefix == None:\n prefix = nl.suffi... |
def x(msg):
filler = (80 - len(msg)) * ' '
print(msg + filler, end='\r')
sys.stdout.flush()
| printmp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n filler = (80 - len(msg)) * ' '\n print(msg + filler, end='\\r')\n sys.stdout.flush()\n",
"role": "user"
},
{
"content": "printmp",... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.