source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(i, state, finite=False):
op_1 = state[i - 1]
op_2 = state[i]
if i == len(state) - 1:
if finite:
op_3 = state[0]
else:
op_3 = 0
else:
op_3 = state[i + 1]
result = 0
for i, val in enumerate([op_3, op_2, op_1]):
if val:
result += 2 ** i
return result
| process_cell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i, state, finite=False):\n op_1 = state[i - 1]\n op_2 = state[i]\n if i == len(state) - 1:\n if finite:\n op_3 = state[0]\n e... |
def x(bool_list):
for i in (0, -1):
while bool_list and not bool_list[i]:
bool_list.pop(i)
return bool_list
| remove_lead_trail_false | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bool_list):\n for i in (0, -1):\n while bool_list and not bool_list[i]:\n bool_list.pop(i)\n return bool_list\n",
"role": "user"
... |
def x(l, size):
for x in range(size - len(l)):
l.append(False)
for x in range(len(l) - size):
l.pop()
return l
| crop_list_to_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(l, size):\n for x in range(size - len(l)):\n l.append(False)\n for x in range(len(l) - size):\n l.pop()\n return l\n",
"role": "user... |
def x(self, state):
if not isinstance(state, list):
raise TypeError('state must be list')
if self.finite_canvas:
state = _crop_list_to_size(state, self.canvas_size)
else:
state = _remove_lead_trail_false(state)
state.insert(0, self.default_val)
state.append(self.default_val)
new_state = []
for i in range(0, len(state)):
result = _process_cell(i, state, finite=self.finite_canvas)
new_state.append(self.rules[result])
return new_state
| process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n if not isinstance(state, list):\n raise TypeError('state must be list')\n if self.finite_canvas:\n state = _crop_list_to_si... |
def x(self, state):
cur_state = state
old_state = cur_state
while True:
cur_state = self.process(cur_state)
if old_state == cur_state:
break
old_state = cur_state
yield cur_state
| iterate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n cur_state = state\n old_state = cur_state\n while True:\n cur_state = self.process(cur_state)\n if old_state == cur_stat... |
def x(self, command_line, name=None, array=None, dependencies=[], exec_dir=
None, log_dir=None, dry_run=False, stop_on_failure=False, **kwargs):
dependencies = sorted(list(set(dependencies)))
self.lock()
job = add_job(self.session, command_line=command_line, name=name,
dependencies=dependencies, array=array, exec_dir=exec_dir, log_dir=
log_dir, stop_on_failure=stop_on_failure)
logger.info("Added job '%s' to the database", job)
if dry_run:
print('Would have added the Job', job,
'to the database to be executed locally.')
self.session.delete(job)
logger.info("Deleted job '%s' from the database due to dry-run option",
job)
job_id = None
else:
job_id = job.unique
self.unlock()
return job_id
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command_line, name=None, array=None, dependencies=[], exec_dir=\n None, log_dir=None, dry_run=False, stop_on_failure=False, **kwargs):\n dependenci... |
def x(self, job_ids=None, also_success=False, running_jobs=False,
new_command=None, keep_logs=False, **kwargs):
self.lock()
jobs = self.get_jobs(job_ids)
if new_command is not None:
if len(jobs) == 1:
jobs[0].set_command_line(new_command)
else:
logger.warn(
'Ignoring new command since no single job id was specified')
accepted_old_status = ('submitted', 'success', 'failure'
) if also_success else ('submitted', 'failure')
for job in jobs:
if running_jobs or job.status in accepted_old_status:
if job.queue_name != 'local' and job.status == 'executing':
logger.error(
"Cannot re-submit job '%s' locally since it is still running in the grid. Use 'jman stop' to stop it's execution!"
, job)
else:
logger.info("Re-submitted job '%s' to the database", job)
if not keep_logs:
self.delete_logs(job)
job.submit('local')
self.session.commit()
self.unlock()
| resubmit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids=None, also_success=False, running_jobs=False,\n new_command=None, keep_logs=False, **kwargs):\n self.lock()\n jobs = self.get_jobs(job_i... |
def x(self, job_ids=None):
self.lock()
jobs = self.get_jobs(job_ids)
for job in jobs:
if job.status in ('executing', 'queued', 'waiting'
) and job.queue_name == 'local':
logger.info("Reset job '%s' (%s) in the database", job.name,
self._format_log(job.id))
job.submit()
self.session.commit()
self.unlock()
| stop_jobs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids=None):\n self.lock()\n jobs = self.get_jobs(job_ids)\n for job in jobs:\n if job.status in ('executing', 'queued', 'waiting'\n ... |
def x(self, job_id, array_id=None):
self.lock()
job, array_job = self._job_and_array(job_id, array_id)
if job is not None:
if job.status in ('executing', 'queued', 'waiting'):
logger.info("Reset job '%s' (%s) in the database", job.name,
self._format_log(job.id))
job.status = 'submitted'
if array_job is not None and array_job.status in ('executing',
'queued', 'waiting'):
logger.debug("Reset array job '%s' in the database", array_job)
array_job.status = 'submitted'
if array_job is None:
for array_job in job.array:
if array_job.status in ('executing', 'queued', 'waiting'):
logger.debug("Reset array job '%s' in the database",
array_job)
array_job.status = 'submitted'
self.session.commit()
self.unlock()
| stop_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id, array_id=None):\n self.lock()\n job, array_job = self._job_and_array(job_id, array_id)\n if job is not None:\n if job.status in (... |
def x(self, job_id, array_id=None, no_log=False, nice=None, verbosity=0):
environ = copy.deepcopy(os.environ)
environ['JOB_ID'] = str(job_id)
if array_id:
environ['SGE_TASK_ID'] = str(array_id)
else:
environ['SGE_TASK_ID'] = 'undefined'
command = [self.wrapper_script, '-l%sd' % ('v' * verbosity), self.
_database, 'run-job']
if nice is not None:
command = ['nice', '-n%d' % nice] + command
job, array_job = self._job_and_array(job_id, array_id)
if job is None:
return None
logger.info("Starting execution of Job '%s' (%s)", job.name, self.
_format_log(job_id, array_id, len(job.array)))
if no_log or job.log_dir is None:
out, err = sys.stdout, sys.stderr
else:
makedirs_safe(job.log_dir)
if array_job is not None:
out, err = open(array_job.std_out_file(), 'w', 1), open(array_job
.std_err_file(), 'w', 1)
else:
out, err = open(job.std_out_file(), 'w', 1), open(job.
std_err_file(), 'w', 1)
try:
return subprocess.Popen(command, env=environ, stdout=out, stderr=
err, bufsize=1)
except OSError as e:
logger.error(
"""Could not execute job '%s' (%s) locally
- reason: %s
- command line: %s
- directory: %s
- command: %s"""
, job.name, self._format_log(job_id, array_id, len(job.array)),
e, ' '.join(job.get_command_line()), '.' if job.exec_dir is
None else job.exec_dir, ' '.join(command))
job.finish(117, array_id)
return None
| run_parallel_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id, array_id=None, no_log=False, nice=None, verbosity=0):\n environ = copy.deepcopy(os.environ)\n environ['JOB_ID'] = str(job_id)\n if array... |
def x(self, parallel_jobs=1, job_ids=None, sleep_time=0.1,
die_when_finished=False, no_log=False, nice=None, verbosity=0):
running_tasks = []
finished_tasks = set()
try:
while True:
repeat_execution = False
for task_index in range(len(running_tasks) - 1, -1, -1):
task = running_tasks[task_index]
process = task[0]
if process.poll() is not None:
job_id = task[1]
array_id = task[2] if len(task) > 2 else None
self.lock()
job, array_job = self._job_and_array(job_id, array_id)
if job is not None:
jj = array_job if array_job is not None else job
result = '%s (%d)' % (jj.status, jj.result
) if jj.result is not None else '%s (?)' % jj.status
if jj.status not in ('success', 'failure'):
logger.error(
"Job '%s' (%s) finished with status '%s' instead of 'success' or 'failure'. Usually this means an internal error. Check your wrapper_script parameter!"
, job.name, self._format_log(job_id,
array_id), jj.status)
raise StopIteration('Job did not finish correctly.'
)
logger.info(
"Job '%s' (%s) finished execution with result '%s'"
, job.name, self._format_log(job_id, array_id),
result)
self.unlock()
finished_tasks.add(job_id)
del running_tasks[task_index]
if len(running_tasks) < parallel_jobs:
self.lock()
jobs = self.get_jobs(job_ids)
for job in jobs:
if job.status == 'submitted' and job.queue_name == 'local':
job.queue()
unfinished_jobs = [job for job in jobs if job.status in (
'queued', 'executing') and job.queue_name == 'local']
for job in unfinished_jobs:
if job.array:
queued_array_jobs = [array_job for array_job in job
.array if array_job.status == 'queued']
if not len(queued_array_jobs):
job.finish(0, -1)
repeat_execution = True
else:
for i in range(min(parallel_jobs - len(
running_tasks), len(queued_array_jobs))):
array_job = queued_array_jobs[i]
process = self._run_parallel_job(job.unique,
array_job.id, no_log=no_log, nice=nice,
verbosity=verbosity)
if process is None:
continue
running_tasks.append((process, job.unique,
array_job.id))
array_job.status = 'executing'
job.status = 'executing'
if len(running_tasks) == parallel_jobs:
break
elif job.status == 'queued':
process = self._run_parallel_job(job.unique, no_log
=no_log, nice=nice, verbosity=verbosity)
if process is None:
continue
running_tasks.append((process, job.unique))
job.status = 'executing'
if len(running_tasks) == parallel_jobs:
break
self.session.commit()
self.unlock()
if die_when_finished and not repeat_execution and len(running_tasks
) == 0:
logger.info(
'Stopping task scheduler since there are no more jobs running.'
)
break
time.sleep(sleep_time)
except (KeyboardInterrupt, StopIteration):
if hasattr(self, 'session'):
self.unlock()
logger.info('Stopping task scheduler due to user interrupt.')
for task in running_tasks:
logger.warn("Killing job '%s' that was still running.", self.
_format_log(task[1], task[2] if len(task) > 2 else None))
try:
task[0].kill()
except OSError as e:
logger.error("Killing job '%s' was not successful: '%s'",
self._format_log(task[1], task[2] if len(task) > 2 else
None), e)
self.stop_job(task[1])
self.stop_jobs(job_ids)
self.lock()
jobs = self.get_jobs(finished_tasks)
failures = [job.unique for job in jobs if job.status != 'success']
self.unlock()
return sorted(failures)
| run_scheduler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parallel_jobs=1, job_ids=None, sleep_time=0.1,\n die_when_finished=False, no_log=False, nice=None, verbosity=0):\n running_tasks = []\n finished... |
def x(aMap):
index = {}
for i in aMap.keys():
iNode = index.get(i, None)
if not iNode:
iNode = Node(i)
index[i] = iNode
for c in aMap[i]:
cNode = index.get(c, None)
if not cNode:
cNode = Node(c)
index[c] = cNode
iNode.addChild(cNode)
return index
| makeDependencyMap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aMap):\n index = {}\n for i in aMap.keys():\n iNode = index.get(i, None)\n if not iNode:\n iNode = Node(i)\n index[i]... |
def x(aMap, aList=None):
dependencyMap = makeDependencyMap(aMap)
outputList = []
if not aList:
aList = aMap.keys()
items = []
v = BottomUpVisitor()
for item in aList:
try:
v.visit(dependencyMap[item])
except KeyError:
outputList.append(item)
outputList = [x.item for x in v.history] + outputList
return outputList
| dependencyOrder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aMap, aList=None):\n dependencyMap = makeDependencyMap(aMap)\n outputList = []\n if not aList:\n aList = aMap.keys()\n items = []\n v = B... |
def x(self, item):
if not isinstance(item, Node):
item = Node(item)
if item in self.children:
return item
self.children.append(item)
item.parents.add(self)
return item
| addChild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if not isinstance(item, Node):\n item = Node(item)\n if item in self.children:\n return item\n self.children.append(item)... |
def x(html, base_url='', bodywidth=CONFIG_DEFAULT):
def x(c):
self = h
charref = self.charref(c)
if self.code or self.pre:
charref = cgi.escape(charref)
self.o(charref, 1)
def x(c):
self = h
entityref = self.entityref(c)
if self.code or self.pre:
entityref = cgi.escape(entityref)
self.o(entityref, 1)
h = HTML2Text(baseurl=base_url, bodywidth=config.BODY_WIDTH if
bodywidth is CONFIG_DEFAULT else bodywidth)
h.handle_entityref = _patched_handle_entityref
h.handle_charref = _patched_handle_charref
return h.handle(html).rstrip()
| html_to_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html, base_url='', bodywidth=CONFIG_DEFAULT):\n\n def x(c):\n self = h\n charref = self.charref(c)\n if self.code or self.pre:\n ... |
def x(text, context, autoescape=None, errors='inline'):
raise_errors = errors == 'raise'
ignore_errors = errors == 'ignore'
inline_errors = errors == 'inline'
if autoescape is None:
autoescape = getattr(context, 'autoescape', True)
is_safe_string = isinstance(text, SafeData)
if is_safe_string and autoescape:
escape_function = conditional_escape
escape_error = lambda x: u"<span style='color:red;'>{0}</span>".format(
x)
else:
escape_function = force_text
escape_error = six.text_type
start = 0
new_text = []
for match in RE_FORMAT.finditer(text):
new_text.append(text[start:match.start()])
start = match.end()
key = match.group('var')
try:
value = context[key]
except KeyError:
logger.debug('Missing key %s in email template %s!', key, match
.group(0))
if raise_errors:
raise
elif ignore_errors:
new_text.append(match.group(0))
elif inline_errors:
new_text.append(escape_error('!!missing {0}!!'.format(key)))
continue
attr = match.group('attr')
if attr:
try:
value = getattr(value, attr)
except AttributeError:
logger.debug('Missing attribute %s in email template %s!',
attr, match.group(0))
if raise_errors:
raise
elif ignore_errors:
new_text.append(match.group(0))
elif inline_errors:
new_text.append(escape_error(
'!!invalid attribute {0}.{1}!!'.format(key, attr)))
continue
format = match.group('format')
if format:
try:
template = u'{0' + format + '}'
value = template.format(value)
except ValueError:
logger.debug('Invalid format %s in email template %s!',
format, match.group(0))
if raise_errors:
raise
elif ignore_errors:
new_text.append(match.group(0))
elif inline_errors:
new_text.append(escape_error('!!invalid format {0}!!'.
format(format)))
continue
else:
value = escape_function(value)
new_text.append(value)
new_text.append(text[start:])
new_text = u''.join(new_text)
if is_safe_string:
return mark_safe(new_text)
else:
return new_text
| replace_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, context, autoescape=None, errors='inline'):\n raise_errors = errors == 'raise'\n ignore_errors = errors == 'ignore'\n inline_errors = errors == ... |
def x(email_template, base_url, extra_context=None, user=None):
dummy_request = _get_dummy_request(base_url, user)
context_user = user or extra_context.get('user', None)
context_data = {'request': dummy_request, 'email_template':
email_template, 'email_format': 'html', 'user': user, 'first_name':
context_user.first_name if context_user else '', 'last_name':
context_user.last_name if context_user else '', 'full_name':
context_user.get_full_name() if context_user else '', 'email':
context_user.email if context_user else '', 'site': extra_context.
get('site', None) or {'domain': dummy_request.get_host(), 'name':
dummy_request.get_host()}}
if extra_context:
context_data.update(extra_context)
with switch_language(email_template):
context_data['body'] = _render_email_placeholder(dummy_request,
email_template, base_url, context_data)
context_data['subject'] = subject = replace_fields(email_template.
subject, context_data, autoescape=False)
context = RequestContext(dummy_request).flatten()
context.update(context_data)
html = render_to_string(email_template.get_html_templates(),
context, request=dummy_request)
html, url_changes = _make_links_absolute(html, base_url)
context['email_format'] = 'text'
text = render_to_string(email_template.get_text_templates(),
context, request=dummy_request)
text = _make_text_links_absolute(text, url_changes)
return EmailContent(subject, text, html)
| render_email_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(email_template, base_url, extra_context=None, user=None):\n dummy_request = _get_dummy_request(base_url, user)\n context_user = user or extra_context.get... |
def x(base_url, user):
split_url = urlsplit(base_url)
is_secure = split_url[0] == 'https'
dummy_request = RequestFactory(HTTP_HOST=split_url[1]).get('/', secure=
is_secure)
dummy_request.is_secure = lambda : is_secure
dummy_request.user = user or AnonymousUser()
dummy_request.site = None
return dummy_request
| get_dummy_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base_url, user):\n split_url = urlsplit(base_url)\n is_secure = split_url[0] == 'https'\n dummy_request = RequestFactory(HTTP_HOST=split_url[1]).get('... |
def x(request, email_template, base_url, context):
placeholder = email_template.contents
items = placeholder.get_content_items(email_template)
if not items:
language_code = fc_appsettings.FLUENT_CONTENTS_DEFAULT_LANGUAGE_CODE
items = placeholder.get_content_items(email_template,
limit_parent_language=False).translated(language_code)
html_fragments = []
text_fragments = []
for instance in items:
plugin = instance.plugin
html_part = _render_html(plugin, request, instance, context)
text_part = _render_text(plugin, request, instance, context, base_url)
html_fragments.append(html_part)
text_fragments.append(text_part)
html_body = u''.join(html_fragments)
text_body = u''.join(text_fragments)
return EmailBodyContent(text_body, html_body)
| render_email_placeholder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, email_template, base_url, context):\n placeholder = email_template.contents\n items = placeholder.get_content_items(email_template)\n if not ... |
def x(html, base_url):
url_changes = []
soup = BeautifulSoup(html)
for tag in soup.find_all('a', href=True):
old = tag['href']
fixed = urljoin(base_url, old)
if old != fixed:
url_changes.append((old, fixed))
tag['href'] = fixed
for tag in soup.find_all('img', src=True):
old = tag['src']
fixed = urljoin(base_url, old)
if old != fixed:
url_changes.append((old, fixed))
tag['src'] = fixed
return mark_safe(six.text_type(soup)), url_changes
| make_links_absolute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html, base_url):\n url_changes = []\n soup = BeautifulSoup(html)\n for tag in soup.find_all('a', href=True):\n old = tag['href']\n fixed... |
def x(date):
if date is None:
return None
if isinstance(date, datetime.datetime):
if not date.tzinfo:
date = date.replace(tzinfo=UTC)
return date
if isinstance(date, list):
date = 'T'.join(date)
if isinstance(date, basestring):
if len(date) <= len('2000-01-01'):
return datetime.datetime.strptime(date, '%Y-%m-%d').replace(tzinfo
=UTC)
else:
try:
parsed = isodate.parse_datetime(date)
except ValueError:
parsed = isodate.parse_datetime(re.sub('(\\d)\\s(\\d)',
'\\1T\\2', date))
if not parsed.tzinfo:
parsed = parsed.replace(tzinfo=UTC)
return parsed
raise ValueError('date not a parsable string')
| string_to_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n if date is None:\n return None\n if isinstance(date, datetime.datetime):\n if not date.tzinfo:\n date = date.replace(tz... |
def x(date):
if isinstance(date, datetime.datetime):
date_str = date.strftime('%Y-%m-%dT%H:%M:%S')
tzstr = date.strftime('%z')
if tzstr:
date_str = '%s%s:%s' % (date_str, tzstr[0:3], tzstr[3:5])
elif isinstance(date, datetime.date):
date_str = date.strftime('%Y-%m-%d')
else:
raise TypeError('Argument is not a date or datetime. ')
return date_str
| date_to_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n if isinstance(date, datetime.datetime):\n date_str = date.strftime('%Y-%m-%dT%H:%M:%S')\n tzstr = date.strftime('%z')\n if tzs... |
def x(uuid, century='20'):
day = int(uuid[-2:])
month = int(uuid[-4:-2])
year = int('%s%s' % (century, uuid[-6:-4]))
return datetime.date(year=year, month=month, day=day)
| uuid_to_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uuid, century='20'):\n day = int(uuid[-2:])\n month = int(uuid[-4:-2])\n year = int('%s%s' % (century, uuid[-6:-4]))\n return datetime.date(year=ye... |
def x(line: str):
if not line.endswith('\n'):
line = f'{line}\n'
if GIT_IGNORE.exists():
if line in GIT_IGNORE.read_text(encoding='utf8'):
return
previous_content = GIT_IGNORE.read_text(encoding='utf8')
else:
previous_content = ''
GIT_IGNORE.write_text(previous_content + line, encoding='utf8')
| add_to_gitignore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line: str):\n if not line.endswith('\\n'):\n line = f'{line}\\n'\n if GIT_IGNORE.exists():\n if line in GIT_IGNORE.read_text(encoding='utf8... |
def x():
try:
if sys.platform == 'darwin':
out = _mac_hardware_info()
elif sys.platform == 'win32':
out = _win_hardware_info()
elif sys.platform in ['linux', 'linux2']:
out = _linux_hardware_info()
else:
out = {}
except:
return {}
else:
return out
| hardware_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n if sys.platform == 'darwin':\n out = _mac_hardware_info()\n elif sys.platform == 'win32':\n out = _win_hardw... |
def x(tables: I2B2Tables, uploadid: int) ->None:
print('Deleted {} patient_dimension records'.format(PatientDimension.
delete_upload_id(tables, uploadid)))
print('Deleted {} patient_mapping records'.format(PatientMapping.
delete_upload_id(tables, uploadid)))
print('Deleted {} observation_fact records'.format(ObservationFact.
delete_upload_id(tables, uploadid)))
print('Deleted {} visit_dimension records'.format(VisitDimension.
delete_upload_id(tables, uploadid)))
print('Deleted {} encounter_mapping records'.format(EncounterMapping.
delete_upload_id(tables, uploadid)))
| clear_i2b2_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tables: I2B2Tables, uploadid: int) ->None:\n print('Deleted {} patient_dimension records'.format(PatientDimension.\n delete_upload_id(tables, uploadi... |
def x() ->FileAwareParser:
parser = FileAwareParser(description=
'Clear data from FHIR observation fact table', prog='removefacts',
use_defaults=False)
parser.add_argument('-ss', '--sourcesystem', metavar=
'SOURCE SYSTEM CODE', help='Sourcesystem code')
parser.add_argument('-u', '--uploadid', metavar='UPLOAD IDENTIFIER',
help='Upload identifer -- uniquely identifies this batch', type=int,
nargs='*')
add_connection_args(parser, strong_config_file=False)
parser.add_argument('-p', '--testprefix', metavar='SS PREFIX', help=
f'Sourcesystem_cd prefix for test suite functions (Default: {default_test_prefix}'
)
parser.add_argument('--testlist', help=
'List leftover test suite entries', action='store_true')
parser.add_argument('--removetestlist', help=
'Remove leftover test suite entries', action='store_true')
return parser
| create_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->FileAwareParser:\n parser = FileAwareParser(description=\n 'Clear data from FHIR observation fact table', prog='removefacts',\n use_defaul... |
def x(argv: List[str]) ->bool:
parser = create_parser()
local_opts = parser.parse_args(argv)
if not (local_opts.uploadid or local_opts.sourcesystem or local_opts.
testlist or local_opts.removetestlist):
parser.error(
'Option must be one of: -ss, -u, --testlist, --removetestlist')
if (local_opts.testlist or local_opts.removetestlist) and (local_opts.
uploadid or local_opts.sourcesystem):
parser.error(
'Cannot combine -ss or -u option with testlist options. Use -p to specify ss prefix'
)
opts, _ = parser.parse_known_args(parser.decode_file_args(argv))
if opts is None:
return False
opts.uploadid = local_opts.uploadid
opts.sourcesystem = local_opts.sourcesystem
process_parsed_args(opts, parser.error)
if opts.uploadid:
for uploadid in opts.uploadid:
print('---> Removing entries for id {}'.format(uploadid))
clear_i2b2_tables(I2B2Tables(opts), uploadid)
if opts.sourcesystem:
print('---> Removing entries for sourcesystem_cd {}'.format(opts.
sourcesystem))
clear_i2b2_sourcesystems(I2B2Tables(opts), opts.sourcesystem)
if opts.testlist:
opts.testprefix = (opts.testprefix if opts and opts.testprefix else
default_test_prefix)
print(
f'---> Listing orphan test elements for sourcesystem_cd starting with {opts.testprefix}'
)
list_test_artifacts(opts)
if opts.removetestlist:
opts.testprefix = (opts.testprefix if opts and opts.testprefix else
default_test_prefix)
print(
f'---> Removing orphan test elements for sourcesystem_cd starting with {opts.testprefix}'
)
remove_test_artifacts(opts)
return True
| remove_facts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv: List[str]) ->bool:\n parser = create_parser()\n local_opts = parser.parse_args(argv)\n if not (local_opts.uploadid or local_opts.sourcesystem or... |
async def add(client: Client, identity_signed_raw: str) ->ClientResponse:
"""
POST identity raw document
:param client: Client to connect to the api
:param identity_signed_raw: Identity raw document
:return:
"""
return await client.post(MODULE + '/add', {'identity':
identity_signed_raw}, rtype=RESPONSE_AIOHTTP)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def add(client: Client, identity_signed_raw: str) ->ClientResponse:\n \"\"\"\n POST identity raw document\n\n :param client: Client to connect to the ... |
async def certify(client: Client, certification_signed_raw: str
) ->ClientResponse:
"""
POST certification raw document
:param client: Client to connect to the api
:param certification_signed_raw: Certification raw document
:return:
"""
return await client.post(MODULE + '/certify', {'cert':
certification_signed_raw}, rtype=RESPONSE_AIOHTTP)
| certify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def certify(client: Client, certification_signed_raw: str\n ) ->ClientResponse:\n \"\"\"\n POST certification raw document\n\n :param client: Clien... |
async def revoke(client: Client, revocation_signed_raw: str) ->ClientResponse:
"""
POST revocation document
:param client: Client to connect to the api
:param revocation_signed_raw: Certification raw document
:return:
"""
return await client.post(MODULE + '/revoke', {'revocation':
revocation_signed_raw}, rtype=RESPONSE_AIOHTTP)
| revoke | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def revoke(client: Client, revocation_signed_raw: str) ->ClientResponse:\n \"\"\"\n POST revocation document\n\n :param client: Client to connect to t... |
async def lookup(client: Client, search: str) ->dict:
"""
GET UID/Public key data
:param client: Client to connect to the api
:param search: UID or public key
:return:
"""
return await client.get(MODULE + '/lookup/%s' % search, schema=
LOOKUP_SCHEMA)
| lookup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def lookup(client: Client, search: str) ->dict:\n \"\"\"\n GET UID/Public key data\n\n :param client: Client to connect to the api\n :param search:... |
async def certifiers_of(client: Client, search: str) ->dict:
"""
GET UID/Public key certifiers
:param client: Client to connect to the api
:param search: UID or public key
:return:
"""
return await client.get(MODULE + '/certifiers-of/%s' % search, schema=
CERTIFICATIONS_SCHEMA)
| certifiers_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def certifiers_of(client: Client, search: str) ->dict:\n \"\"\"\n GET UID/Public key certifiers\n\n :param client: Client to connect to the api\n :... |
async def requirements(client: Client, search: str) ->dict:
"""
GET list of requirements for a given UID/Public key
:param client: Client to connect to the api
:param search: UID or public key
:return:
"""
return await client.get(MODULE + '/requirements/%s' % search, schema=
REQUIREMENTS_SCHEMA)
| requirements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def requirements(client: Client, search: str) ->dict:\n \"\"\"\n GET list of requirements for a given UID/Public key\n\n :param client: Client to conn... |
async def identity_of(client: Client, search: str) ->dict:
"""
GET Identity data written in the blockchain
:param client: Client to connect to the api
:param search: UID or public key
:return:
"""
return await client.get(MODULE + '/identity-of/%s' % search, schema=
IDENTITY_OF_SCHEMA)
| identity_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def identity_of(client: Client, search: str) ->dict:\n \"\"\"\n GET Identity data written in the blockchain\n\n :param client: Client to connect to th... |
def x(command, **kwargs):
proc = Popen(shlex.split(command), stdout=PIPE, stderr=PIPE, **kwargs)
out, err = [x.decode('utf-8') for x in proc.communicate()]
return {'out': out, 'err': err, 'code': proc.returncode}
| shell_exec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, **kwargs):\n proc = Popen(shlex.split(command), stdout=PIPE, stderr=PIPE, **kwargs)\n out, err = [x.decode('utf-8') for x in proc.communicate()]... |
def x(tableid, variables=dict(), stream=False, descending=False, lang=
DEFAULT_LANGUAGE):
format = 'BULK' if stream else 'CSV'
request = Request('data', tableid, format, timeOrder='Descending' if
descending else None, valuePresentation='CodeAndValue', lang=lang,
**variables)
return (Data(datum, lang=lang) for datum in request.csv)
| data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tableid, variables=dict(), stream=False, descending=False, lang=\n DEFAULT_LANGUAGE):\n format = 'BULK' if stream else 'CSV'\n request = Request('data... |
def x(subjects=None, recursive=False, include_tables=False, lang=
DEFAULT_LANGUAGE):
request = Request('subjects', *subjects, recursive=recursive,
includeTables=include_tables, lang=lang)
return (Subject(subject, lang=lang) for subject in request.json)
| subjects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subjects=None, recursive=False, include_tables=False, lang=\n DEFAULT_LANGUAGE):\n request = Request('subjects', *subjects, recursive=recursive,\n ... |
def x(tableid, lang=DEFAULT_LANGUAGE):
request = Request('tableinfo', tableid, lang=lang)
return Tableinfo(request.json, lang=lang)
| tableinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tableid, lang=DEFAULT_LANGUAGE):\n request = Request('tableinfo', tableid, lang=lang)\n return Tableinfo(request.json, lang=lang)\n",
"role": "user"
... |
def x(subjects=None, pastDays=None, include_inactive=False, lang=
DEFAULT_LANGUAGE):
request = Request('tables', subjects=subjects, pastDays=pastDays,
includeInactive=include_inactive, lang=lang)
return (Table(table, lang=lang) for table in request.json)
| tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subjects=None, pastDays=None, include_inactive=False, lang=\n DEFAULT_LANGUAGE):\n request = Request('tables', subjects=subjects, pastDays=pastDays,\n ... |
def x(self, method: str, **method_kwargs: Union[str, int]) ->dict:
response = self.session.send_method_request(method, method_kwargs)
self.check_for_errors(method, method_kwargs, response)
return response
| request_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method: str, **method_kwargs: Union[str, int]) ->dict:\n response = self.session.send_method_request(method, method_kwargs)\n self.check_for_errors... |
def x(self, user_ids) ->dict:
method_params = {'user_ids': user_ids}
response = self.session.send_method_request('users.get', method_params)
self.check_for_errors('users.get', method_params, response)
return response
| request_get_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_ids) ->dict:\n method_params = {'user_ids': user_ids}\n response = self.session.send_method_request('users.get', method_params)\n self.chec... |
def x(self, text: str) ->dict:
method_params = {'text': text}
response = self.session.send_method_request('status.set', method_params)
self.check_for_errors('status.set', method_params, response)
return response
| request_set_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text: str) ->dict:\n method_params = {'text': text}\n response = self.session.send_method_request('status.set', method_params)\n self.check_for_... |
def x(src, length=16, sep='.'):
result = []
for i in range(0, len(src), length):
sub_src = src[i:i + length]
hexa = ''
for h in range(0, len(sub_src)):
if h == length / 2:
hexa += ' '
h = sub_src[h]
if not isinstance(h, int):
h = ord(h)
h = hex(h).replace('0x', '')
if len(h) == 1:
h = '0' + h
hexa += h + ' '
hexa = hexa.strip(' ')
text = ''
for c in sub_src:
if not isinstance(c, int):
c = ord(c)
if 32 <= c < 127:
text += chr(c)
else:
text += sep
result.append(('%08X: %-' + str(length * (2 + 1) + 1) + 's |%s|') %
(i, hexa, text))
return '\n'.join(result)
| hexdump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, length=16, sep='.'):\n result = []\n for i in range(0, len(src), length):\n sub_src = src[i:i + length]\n hexa = ''\n for h in ... |
def x(group, port, verbose):
socket, group = multicast.create_multicast_socket(group, port)
print('Socket created:', group, 'port:', port)
socket.setblocking(0)
stats = {'total_bytes': 0, 'total_count': 0, 'sender_bytes': {},
'sender_count': {}}
print('Press Ctrl+C to exit')
try:
loop_nb = 0
while True:
if loop_nb % 50 == 0:
loop_nb = 0
print('Reading...')
loop_nb += 1
ready = select.select([socket], [], [], 0.1)
if ready[0]:
data, sender = socket.recvfrom(1024)
len_data = len(data)
stats['total_bytes'] += len_data
stats['total_count'] += 1
try:
stats['sender_bytes'][sender] += len_data
stats['sender_count'][sender] += 1
except KeyError:
stats['sender_bytes'][sender] = len_data
stats['sender_count'][sender] = 1
print('Got', len_data, 'bytes from', sender[0], 'port',
sender[1], 'at', datetime.datetime.now())
if verbose:
print(hexdump(data))
except KeyboardInterrupt:
print('Ctrl+C received: bye !')
print('Total number of packets:', stats['total_count'])
print('Total read bytes.......:', stats['total_bytes'])
for sender in stats['sender_count']:
print('\nSender', sender[0], 'from port', sender[1])
print('\tTotal packets:', stats['sender_count'][sender])
print('\tTotal bytes..:', stats['sender_bytes'][sender])
return 0
| run_spy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(group, port, verbose):\n socket, group = multicast.create_multicast_socket(group, port)\n print('Socket created:', group, 'port:', port)\n socket.setb... |
def x(argv=None):
parser = argparse.ArgumentParser(description='Multicast packets spy')
parser.add_argument('-g', '--group', dest='group', default='239.0.0.1',
help='Multicast target group (address)')
parser.add_argument('-p', '--port', type=int, dest='port', default=
42000, help='Multicast target port')
parser.add_argument('-d', '--debug', action='store_true', dest='debug',
help='Set logger to DEBUG level')
parser.add_argument('-v', '--verbose', action='store_true', dest=
'verbose', help='Verbose output')
args = parser.parse_args(argv)
if args.debug:
logging.basicConfig(level=logging.DEBUG)
else:
logging.basicConfig(level=logging.WARNING)
try:
return run_spy(args.group, args.port, args.verbose)
except Exception as ex:
logging.exception('Error running spy: %s', ex)
return 1
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv=None):\n parser = argparse.ArgumentParser(description='Multicast packets spy')\n parser.add_argument('-g', '--group', dest='group', default='239.0.0... |
def x(stim_list):
stim_names = list(set(nl.flatten([stims.keys() for stims in stim_list])))
stim_dict = {}
for stim_name in stim_names:
types = list(set([stims[stim_name].type() for stims in stim_list if
stim_name in stims]))
if len(types) > 1:
nl.notify(
'Error: Trying to stack stimuli of different types! (%s)' %
stim_name, level=nl.level.error)
return None
type = types[0]
stim_stack = []
for i in xrange(len(stim_list)):
if stim_name in stim_list[i]:
stim_stack.append(stim_list[i][stim_name])
else:
stim_stack.append(stim_list[i].values()[0].blank_stim(type=
type))
stim_dict[stim_name] = copy.copy(stim_stack[0])
for stim in stim_stack[1:]:
stim_dict[stim_name] = stim_dict[stim_name].concat_stim(stim)
return stim_dict.values()
| stack_decon_stims | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stim_list):\n stim_names = list(set(nl.flatten([stims.keys() for stims in stim_list])))\n stim_dict = {}\n for stim_name in stim_names:\n types... |
def x(decon, fwhm, cache=True):
if os.path.exists(decon.prefix):
return
blur_dset = lambda dset: nl.suffix(dset, '_smooth_to_%.2f' % fwhm)
with nl.notify(
'Running smooth_decon_to_fwhm analysis (with %.2fmm blur)' % fwhm):
tmpdir = tempfile.mkdtemp()
try:
cwd = os.getcwd()
random_files = [re.sub('\\[\\d+\\]$', '', str(x)) for x in nl.
flatten([x for x in decon.__dict__.values() if isinstance(x,
basestring) or isinstance(x, list)] + [x.values() for x in
decon.__dict__.values() if isinstance(x, dict)])]
files_to_copy = [x for x in random_files if os.path.exists(x) and
x[0] != '/']
files_to_copy += [blur_dset(dset) for dset in decon.input_dsets if
os.path.exists(blur_dset(dset))]
for file in files_to_copy:
try:
shutil.copytree(file, tmpdir)
except OSError as e:
shutil.copy(file, tmpdir)
shutil.copy(file, tmpdir)
copyback_files = [decon.prefix, decon.errts]
with nl.run_in(tmpdir):
if os.path.exists(decon.prefix):
os.remove(decon.prefix)
if cache and all([os.path.exists(os.path.join(cwd,
blur_dset(dset))) for dset in decon.input_dsets]):
nl.notify("Using cache'd blurred datasets")
else:
with nl.notify('Creating blurred datasets'):
old_errts = decon.errts
decon.errts = 'residual.nii.gz'
decon.prefix = os.path.basename(decon.prefix)
decon.run()
running_reps = 0
for dset in decon.input_dsets:
info = nl.dset_info(dset)
residual_dset = nl.suffix(dset, '_residual')
nl.run(['3dbucket', '-prefix', residual_dset,
'%s[%d..%d]' % (decon.errts, running_reps,
running_reps + info.reps - 1)], products=
residual_dset)
cmd = ['3dBlurToFWHM', '-quiet', '-input', dset,
'-blurmaster', residual_dset, '-prefix',
blur_dset(dset), '-FWHM', fwhm]
if decon.mask:
if decon.mask == 'auto':
cmd += ['-automask']
else:
cmd += ['-mask', decon.mask]
nl.run(cmd, products=blur_dset(dset))
running_reps += info.reps
if cache:
copyback_files.append(blur_dset(dset))
decon.errts = old_errts
decon.input_dsets = [blur_dset(dset) for dset in decon.
input_dsets]
for d in [decon.prefix, decon.errts]:
if os.path.exists(d):
try:
os.remove(d)
except:
pass
decon.run()
for copyfile in copyback_files:
if os.path.exists(copyfile):
shutil.copy(copyfile, cwd)
else:
nl.notify(
'Warning: deconvolve did not produce expected file %s'
% decon.prefix, level=nl.level.warning)
except:
raise
finally:
shutil.rmtree(tmpdir, True)
| smooth_decon_to_fwhm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(decon, fwhm, cache=True):\n if os.path.exists(decon.prefix):\n return\n blur_dset = lambda dset: nl.suffix(dset, '_smooth_to_%.2f' % fwhm)\n wi... |
def x(self):
cmd = ['3dDeconvolve']
cmd += ['-jobs', multiprocessing.cpu_count()]
cmd += self.opts
if len(self.input_dsets):
cmd += ['-input'] + [('%s[%d..%d]' % (dset, self.partial[dset][0],
self.partial[dset][1]) if dset in self.partial else dset) for
dset in self.input_dsets]
else:
cmd += ['-nodata']
if self.reps:
cmd += [str(self.reps)]
if self.TR:
cmd += [str(self.TR)]
if self.censor_file:
censor_file = self.censor_file
if self.partial:
with open(censor_file) as inf:
censor = inf.read().split()[self.partial.values()[0][0]:
self.partial.values()[0][1] + 1]
with tempfile.NamedTemporaryFile(delete=False) as f:
f.write('\n'.join(censor))
censor_file = f.name
self._del_files.append(f.name)
cmd += ['-censor', censor_file]
nfirst = self.nfirst
if len(self.input_dsets) and self.input_dsets[0] in self.partial:
nfirst -= self.partial[self.input_dsets[0]][0]
if nfirst < 0:
nfirst = 0
cmd += ['-nfirst', str(nfirst)]
if self.mask:
if self.mask == 'auto':
cmd += ['-automask']
else:
cmd += ['-mask', self.mask]
cmd += ['-polort', str(self.polort)]
stim_num = 1
all_stims = list(self.decon_stims)
all_stims += [DeconStim(stim, column_file=self.stim_files[stim], base=
stim in self.stim_base) for stim in self.stim_files]
for stim in self.stim_times:
decon_stim = DeconStim(stim, times_file=self.stim_times[stim])
decon_stim.times_model = self.models[stim
] if stim in self.models else self.model_default
decon_stim.AM1 = stim in self.stim_am1
decon_stim.AM2 = stim in self.stim_am2
decon_stim.base = stim in self.stim_base
all_stims.append(decon_stim)
if self.partial:
for i in xrange(len(self.input_dsets)):
if self.input_dsets[i] in self.partial:
new_stims = []
for stim in all_stims:
stim = stim.partial(self.partial[self.input_dsets[i]][0
], self.partial[self.input_dsets[i]][1], i)
if stim:
new_stims.append(stim)
all_stims = new_stims
cmd += ['-num_stimts', len(all_stims)]
stimautoname = lambda d, s: 'stimfile_auto-%d-%s_' % (d, s.name) + str(
datetime.datetime.now()).replace(' ', '_').replace(':', '.')
for stim in all_stims:
column_file = stim.column_file
if stim.column != None:
column_file = stimautoname(stim_num, stim)
with open(column_file, 'w') as f:
f.write('\n'.join([str(x) for x in stim.column]))
if column_file:
cmd += ['-stim_file', stim_num, column_file, '-stim_label',
stim_num, stim.name]
if stim.base:
cmd += ['-stim_base', stim_num]
stim_num += 1
continue
times_file = stim.times_file
if stim.times != None:
times = list(stim.times)
if '__iter__' not in dir(times[0]):
times = [times]
times_file = stimautoname(stim_num, stim)
with open(times_file, 'w') as f:
f.write('\n'.join([(' '.join([str(x) for x in y]) if len(y) >
0 else '*') for y in times]))
if times_file:
opt = '-stim_times'
if stim.AM1:
opt = '-stim_times_AM1'
if stim.AM2:
opt = '-stim_times_AM2'
cmd += [opt, stim_num, times_file, stim.times_model]
cmd += ['-stim_label', stim_num, stim.name]
if stim.base:
cmd += ['-stim_base', stim_num]
stim_num += 1
strip_number = '[-+]?(\\d+)?\\*?(\\w+)(\\[.*?\\])?'
all_glts = {}
stim_names = [stim.name for stim in all_stims]
if self.validate_glts:
for glt in self.glts:
ok = True
for stim in self.glts[glt].split():
m = re.match(strip_number, stim)
if m:
stim = m.group(2)
if stim not in stim_names:
ok = False
if ok:
all_glts[glt] = self.glts[glt]
else:
all_glts = self.glts
cmd += ['-num_glt', len(all_glts)]
glt_num = 1
for glt in all_glts:
cmd += ['-gltsym', 'SYM: %s' % all_glts[glt], '-glt_label', glt_num,
glt]
glt_num += 1
if self.bout:
cmd += ['-bout']
if self.tout:
cmd += ['-tout']
if self.vout:
cmd += ['-vout']
if self.rout:
cmd += ['-rout']
if self.errts:
cmd += ['-errts', self.errts]
if self.prefix:
cmd += ['-bucket', self.prefix]
return [str(x) for x in cmd]
| command_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = ['3dDeconvolve']\n cmd += ['-jobs', multiprocessing.cpu_count()]\n cmd += self.opts\n if len(self.input_dsets):\n cmd += ['-i... |
def x(self):
out = nl.run(self.command_list(), products=self.prefix)
if out and out.output:
sds_list = re.findall(
'Stimulus: (.*?) *\\n +h\\[ 0\\] norm\\. std\\. dev\\. = +(\\d+\\.\\d+)'
, out.output)
self.stim_sds = {}
for s in sds_list:
self.stim_sds[s[0]] = float(s[1])
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n out = nl.run(self.command_list(), products=self.prefix)\n if out and out.output:\n sds_list = re.findall(\n 'Stimulus: (.*?) *... |
def x(self):
if self.column != None or self.column_file:
return 'column'
if self.times != None or self.times_file:
return 'times'
return None
| type | [
{
"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.column != None or self.column_file:\n return 'column'\n if self.times != None or self.times_file:\n return 'times'\n re... |
def x(self):
column_selector = '(.*)\\[(\\d+)\\]$'
if self.column_file:
column = None
m = re.match(column_selector, self.column_file)
file = self.column_file
if m:
file = m.group(1)
column = int(m.group(2))
with open(file) as f:
lines = f.read().split('\n')
if column != None:
lines = [x.split()[column] for x in lines]
self.column = [nl.numberize(x) for x in lines]
self.column_file = None
if self.times_file:
with open(self.times_file) as f:
self.times = [[nl.numberize(x) for x in y.split()] for y in f.
read().split('\n')]
self.times_file = None
| read_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n column_selector = '(.*)\\\\[(\\\\d+)\\\\]$'\n if self.column_file:\n column = None\n m = re.match(column_selector, self.column_fil... |
def x(self, type=None, fill=0):
blank = copy.copy(self)
blank.name = 'Blank'
if type == None:
type = self.type()
if type == 'column':
num_reps = self.reps
if num_reps == None:
if self.type() == 'column':
self.read_file()
num_reps = len(self.column)
else:
nl.notify(
"Error: requested to return a blank column, but I can't figure out how many reps to make it!"
, level=nl.level.error)
blank.column = [fill] * num_reps
return blank
if type == 'times':
blank.times = []
return blank
| blank_stim | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type=None, fill=0):\n blank = copy.copy(self)\n blank.name = 'Blank'\n if type == None:\n type = self.type()\n if type == 'column':\n ... |
def x(self, decon_stim):
if self.type() != decon_stim.type():
nl.notify(
'Error: Trying to concatenate stimuli of different types! %s (%s) with %s (%s)'
% (self.name, self.type(), decon_stim.name, decon_stim.type()),
level=nl.level.error)
return None
concat_stim = copy.copy(self)
if self.name == 'Blank':
concat_stim = copy.copy(decon_stim)
self.read_file()
if self.type() == 'column':
reps = [(x.reps if x.reps else len(x.column)) for x in [self,
decon_stim]]
concat_stim.column = self.column[:reps[0]] + decon_stim.column[:reps[1]
]
return concat_stim
if self.type() == 'times':
if len(self.times) == 0 or '__iter__' not in dir(self.times[0]):
self.times = [self.times]
if len(decon_stim.times) == 0 or '__iter__' not in dir(decon_stim.
times[0]):
decon_stim.times = [decon_stim.times]
concat_stim.times = self.times + decon_stim.times
return concat_stim
return None
| concat_stim | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, decon_stim):\n if self.type() != decon_stim.type():\n nl.notify(\n 'Error: Trying to concatenate stimuli of different types! %s (%s)... |
def x(self, start=0, end=None, run=0):
self.read_file()
decon_stim = copy.copy(self)
if start < 0:
start = 0
if self.type() == 'column':
decon_stim.column_file = None
if end >= len(decon_stim.column):
end = None
if end == None:
decon_stim.column = decon_stim.column[start:]
else:
decon_stim.column = decon_stim.column[start:end + 1]
if len(decon_stim.column) == 0:
return None
if self.type() == 'times':
if self.TR == None:
nl.notify(
'Error: cannot get partial segment of a stim_times stimulus without a TR'
, level=nl.level.error)
return None
def x(a):
first_number = '^(\\d+(\\.\\d+)?)'
if isinstance(a, basestring):
m = re.match(first_number, a)
if m:
a = m.group(1)
else:
nl.notify(
'Warning: cannot intepret a number from the stim_time: "%s"'
% a, level=nl.level.warning)
return False
a = float(a) / self.TR
if a >= start and (end == None or a <= end):
return True
return False
decon_stim.times_file = None
if len(decon_stim.times) == 0 or '__iter__' not in dir(decon_stim.
times[0]):
decon_stim.times = [decon_stim.times]
decon_stim.times[run] = [x for x in decon_stim.times[run] if time_in(x)
]
if len(nl.flatten(decon_stim.times)) == 0:
return None
return decon_stim
| partial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=0, end=None, run=0):\n self.read_file()\n decon_stim = copy.copy(self)\n if start < 0:\n start = 0\n if self.type() == 'column':... |
def x(self):
if self.__method is not None:
self.__method(self.__peer)
return True
return False
| notify | [
{
"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.__method is not None:\n self.__method(self.__peer)\n return True\n return False\n",
"role": "user"
},
{
"conte... |
def x(self, call=None):
def x(call):
self.__observers.add('*', call)
return call
if call is not None:
return _observe(call)
else:
return _observe
| observeState | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, call=None):\n\n def x(call):\n self.__observers.add('*', call)\n return call\n if call is not None:\n return _observe(call)\n ... |
def x(self, what, call=None):
def x(call):
self.__observers.add(what, call)
return call
toEvaluate = []
if isinstance(what, str):
toEvaluate.append(what)
else:
toEvaluate = what
if not self.areObservableElements(toEvaluate):
msg = 'Could not find observable element named "{0}" in {1}'
raise ValueError(msg.format(what, self.__class__))
if call is not None:
return _observe(call)
else:
return _observe
| observeElements | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, what, call=None):\n\n def x(call):\n self.__observers.add(what, call)\n return call\n toEvaluate = []\n if isinstance(what, str):\... |
def x(args):
kwargs = {'wrapper_script': args.wrapper_script, 'debug': args.verbose ==
3, 'database': args.database}
if args.local:
jm = local.JobManagerLocal(**kwargs)
else:
jm = sge.JobManagerSGE(**kwargs)
if args.verbose not in range(0, 4):
raise ValueError(
"The verbosity level %d does not exist. Please reduce the number of '--verbose' parameters in your call to maximum 3"
% level)
log_level = {(0): logging.ERROR, (1): logging.WARNING, (2): logging.
INFO, (3): logging.DEBUG}[args.verbose]
handler = logging.StreamHandler()
handler.setFormatter(logging.Formatter(
'%(asctime)s %(levelname)s %(name)s: %(message)s'))
logger.addHandler(handler)
logger.setLevel(log_level)
return jm
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n kwargs = {'wrapper_script': args.wrapper_script, 'debug': args.verbose ==\n 3, 'database': args.database}\n if args.local:\n jm = ... |
def x(memory, parallel):
number = int(memory.rstrip(string.ascii_letters))
memtype = memory.lstrip(string.digits)
if not memtype:
memtype = 'G'
return '%d%s' % (number * parallel, memtype)
| get_memfree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(memory, parallel):\n number = int(memory.rstrip(string.ascii_letters))\n memtype = memory.lstrip(string.digits)\n if not memtype:\n memtype = '... |
def x(args):
if args.job[0] == '--':
del args.job[0]
if not os.path.isabs(args.job[0]):
args.job[0] = os.path.abspath(args.job[0])
jm = setup(args)
kwargs = {'queue': args.qname, 'cwd': True, 'verbosity': args.verbose,
'name': args.name, 'env': args.env, 'memfree': args.memory,
'io_big': args.io_big}
if args.array is not None:
kwargs['array'] = get_array(args.array)
if args.exec_dir is not None:
kwargs['exec_dir'] = args.exec_dir
if args.log_dir is not None:
kwargs['log_dir'] = args.log_dir
if args.dependencies is not None:
kwargs['dependencies'] = args.dependencies
if args.qname != 'all.q':
kwargs['hvmem'] = args.memory
if args.qname in ('gpu', 'lgpu', 'sgpu', 'gpum'
) and args.memory is not None:
kwargs['gpumem'] = args.memory
kwargs.pop('memfree', None)
kwargs.pop('hvmem', None)
if args.parallel is not None:
kwargs['pe_opt'] = 'pe_mth %d' % args.parallel
if args.memory is not None:
kwargs['memfree'] = get_memfree(args.memory, args.parallel)
kwargs['dry_run'] = args.dry_run
kwargs['stop_on_failure'] = args.stop_on_failure
for _ in range(args.repeat):
job_id = jm.submit(args.job, **kwargs)
dependencies = kwargs.get('dependencies', [])
dependencies.append(job_id)
kwargs['dependencies'] = dependencies
if args.print_id:
print(job_id, end='')
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if args.job[0] == '--':\n del args.job[0]\n if not os.path.isabs(args.job[0]):\n args.job[0] = os.path.abspath(args.job[0])\n j... |
def x(args):
jm = setup(args)
kwargs = {'cwd': True, 'verbosity': args.verbose}
if args.qname is not None:
kwargs['queue'] = args.qname
if args.memory is not None:
kwargs['memfree'] = args.memory
if args.qname not in (None, 'all.q'):
kwargs['hvmem'] = args.memory
if args.qname in ('gpu', 'lgpu', 'sgpu', 'gpum'
) and args.memory is not None:
kwargs['gpumem'] = args.memory
kwargs.pop('memfree', None)
kwargs.pop('hvmem', None)
if args.parallel is not None:
kwargs['pe_opt'] = 'pe_mth %d' % args.parallel
kwargs['memfree'] = get_memfree(args.memory, args.parallel)
if args.io_big:
kwargs['io_big'] = True
if args.no_io_big:
kwargs['io_big'] = False
jm.resubmit(get_ids(args.job_ids), args.also_success, args.running_jobs,
args.overwrite_command, keep_logs=args.keep_logs, **kwargs)
| resubmit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n jm = setup(args)\n kwargs = {'cwd': True, 'verbosity': args.verbose}\n if args.qname is not None:\n kwargs['queue'] = args.qname\n ... |
def x(args):
if not args.local:
raise ValueError(
"The execute command can only be used with the '--local' command line option"
)
jm = setup(args)
jm.run_scheduler(parallel_jobs=args.parallel, job_ids=get_ids(args.
job_ids), sleep_time=args.sleep_time, die_when_finished=args.
die_when_finished, no_log=args.no_log_files, nice=args.nice,
verbosity=args.verbose)
| run_scheduler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if not args.local:\n raise ValueError(\n \"The execute command can only be used with the '--local' command line option\"\n ... |
def x(args):
jm = setup(args)
jm.list(job_ids=get_ids(args.job_ids), print_array_jobs=args.
print_array_jobs, print_dependencies=args.print_dependencies,
status=args.status, long=args.long, print_times=args.print_times,
ids_only=args.ids_only, names=args.names)
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n jm = setup(args)\n jm.list(job_ids=get_ids(args.job_ids), print_array_jobs=args.\n print_array_jobs, print_dependencies=args.print_depend... |
def x(args):
if args.local:
raise ValueError(
"The communicate command can only be used without the '--local' command line option"
)
jm = setup(args)
jm.communicate(job_ids=get_ids(args.job_ids))
| communicate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if args.local:\n raise ValueError(\n \"The communicate command can only be used without the '--local' command line option\"\n ... |
def x(args):
jm = setup(args)
jm.report(job_ids=get_ids(args.job_ids), array_ids=get_ids(args.
array_ids), output=not args.errors_only, error=not args.output_only,
status=args.status, name=args.name)
| report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n jm = setup(args)\n jm.report(job_ids=get_ids(args.job_ids), array_ids=get_ids(args.\n array_ids), output=not args.errors_only, error=not ... |
def x(args):
if args.local:
raise ValueError(
'Stopping commands locally is not supported (please kill them yourself)'
)
jm = setup(args)
jm.stop_jobs(get_ids(args.job_ids))
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if args.local:\n raise ValueError(\n 'Stopping commands locally is not supported (please kill them yourself)'\n )\n ... |
def x(args):
jm = setup(args)
if not args.local and 'executing' in args.status:
stop(args)
jm.delete(job_ids=get_ids(args.job_ids), array_ids=get_ids(args.
array_ids), delete_logs=not args.keep_logs, delete_log_dir=not args
.keep_log_dir, status=args.status)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n jm = setup(args)\n if not args.local and 'executing' in args.status:\n stop(args)\n jm.delete(job_ids=get_ids(args.job_ids), array_ids... |
def x(args):
jm = setup(args)
job_id = int(os.environ['JOB_ID'])
array_id = int(os.environ['SGE_TASK_ID']) if os.environ['SGE_TASK_ID'
] != 'undefined' else None
jm.run_job(job_id, array_id)
| run_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n jm = setup(args)\n job_id = int(os.environ['JOB_ID'])\n array_id = int(os.environ['SGE_TASK_ID']) if os.environ['SGE_TASK_ID'\n ] != '... |
def x(cls, options):
return cls([(value, random.randint(1, len(options))) for value in options])
| with_random_weights | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options):\n return cls([(value, random.randint(1, len(options))) for value in options])\n",
"role": "user"
},
{
"content": "with_random_wei... |
def x(cls, lowest, highest, weight_interval=None):
if weight_interval is None:
weights = [(lowest, 1), (highest, 1)]
else:
i = lowest
weights = []
while i < highest:
weights.append((i, 1))
i += weight_interval
weights.append((highest, 1))
return cls(weights)
| bounded_uniform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, lowest, highest, weight_interval=None):\n if weight_interval is None:\n weights = [(lowest, 1), (highest, 1)]\n else:\n i = lowest\n ... |
def x(cls, color):
return '#{0:02x}{1:02x}{2:02x}'.format(cls._bound_color_value(color[0]),
cls._bound_color_value(color[1]), cls._bound_color_value(color[2])
).upper()
| rgb_to_hex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, color):\n return '#{0:02x}{1:02x}{2:02x}'.format(cls._bound_color_value(color[0]),\n cls._bound_color_value(color[1]), cls._bound_color_value(co... |
def x(self):
if isinstance(self.red, SoftInt):
red = self.red.get()
else:
red = self.red
if isinstance(self.green, SoftInt):
green = self.green.get()
else:
green = self.green
if isinstance(self.blue, SoftInt):
blue = self.blue.get()
else:
blue = self.blue
return red, green, blue
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if isinstance(self.red, SoftInt):\n red = self.red.get()\n else:\n red = self.red\n if isinstance(self.green, SoftInt):\n ... |
def x(files: hug.types.multiple, in_ext: hug.types.text='short', out_ext:
hug.types.text='html', out_dir: hug.types.text='', recursive: hug.types
.smart_boolean=False):
if files == ['-']:
print(text(sys.stdin.read()))
return
print(INTRO)
if recursive:
files = iter_source_code(files, in_ext)
for file_name in files:
with open(file_name, 'r') as input_file:
output_file_name = '{0}.{1}'.format(os.path.join(out_dir, '.'.
join(file_name.split('.')[:-1])), out_ext)
with open(output_file_name, 'w') as output_file:
print(" |-> [{2}]: {3} '{0}' -> '{1}' till it's not short..."
.format(file_name, output_file_name, 'HTML', 'Growing'))
output_file.write(text(input_file.read()))
print(' |')
print(' | >>> Done Growing! :) <<<')
print('')
| grow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(files: hug.types.multiple, in_ext: hug.types.text='short', out_ext:\n hug.types.text='html', out_dir: hug.types.text='', recursive: hug.types\n .smart_bo... |
def x(abspath, memory_usage=100 * 1000 * 1000):
if memory_usage < 1000 * 1000:
raise ValueError(
'Please specify a valid memory usage for read_csv, the value should larger than 1MB and less than your available memory.'
)
size = os.path.getsize(abspath)
n_time = math.ceil(size * 1.0 / memory_usage)
lines = count_lines(abspath)
chunksize = math.ceil(lines / n_time)
if chunksize >= lines:
iterator = False
chunksize = None
else:
iterator = True
return iterator, chunksize
| read_csv_arg_preprocess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(abspath, memory_usage=100 * 1000 * 1000):\n if memory_usage < 1000 * 1000:\n raise ValueError(\n 'Please specify a valid memory usage for ... |
def x(df):
pt = PrettyTable()
pt.field_names = df.columns
for tp in zip(*(l for col, l in df.iteritems())):
pt.add_row(tp)
return pt
| to_prettytable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n pt = PrettyTable()\n pt.field_names = df.columns\n for tp in zip(*(l for col, l in df.iteritems())):\n pt.add_row(tp)\n return pt\n",... |
def x():
with open_client(cache_dir=get_cache_dir()) as client:
tip = client.frog_tip()
terminal_width = click.termui.get_terminal_size()[0]
wisdom = make_frog_fresco(tip, width=terminal_width)
click.echo(wisdom)
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with open_client(cache_dir=get_cache_dir()) as client:\n tip = client.frog_tip()\n terminal_width = click.termui.get_terminal_size()[0]\n ... |
def x(self, document: Document) ->bool:
signature = base64.b64decode(document.signatures[0])
prepended = signature + bytes(document.raw(), 'ascii')
try:
self.verify(prepended)
return True
except ValueError:
return False
| verify_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document: Document) ->bool:\n signature = base64.b64decode(document.signatures[0])\n prepended = signature + bytes(document.raw(), 'ascii')\n tr... |
def x(self, head: Any) ->bool:
signature = base64.b64decode(head.signature)
inline = head.inline()
prepended = signature + bytes(inline, 'ascii')
try:
self.verify(prepended)
return True
except ValueError:
return False
| verify_ws2p_head | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, head: Any) ->bool:\n signature = base64.b64decode(head.signature)\n inline = head.inline()\n prepended = signature + bytes(inline, 'ascii')\n ... |
def x(path, **kwargs):
headers_clean = {}
try:
with codecs.open(path, 'r', kwargs.get('encoding', 'latin-1')
) as file_:
raw_file = file_.read()
raw_splited = exclude_empty_values(raw_file.split('.\r\n'))
leyend = parse_spss_header_leyend(raw_leyend=raw_splited.pop(
kwargs.get('leyend_position', 0)), leyend=headers_clean)
if not leyend:
raise Exception('Empty leyend')
for label in [x for x in raw_splited if 'label' in x.lower()]:
values = parse_spss_header_labels(raw_labels=label, headers
=leyend)
except Exception as ex:
logger.error('Fail to parse spss headerfile - {}'.format(ex),
header_file=path)
headers_clean = {}
return headers_clean
| parse_spss_headerfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n headers_clean = {}\n try:\n with codecs.open(path, 'r', kwargs.get('encoding', 'latin-1')\n ) as file_:\n ... |
def x(path, **kwargs):
data_clean = []
with codecs.open(path, 'r', kwargs.get('encoding', 'latin-1')) as file_:
raw_file = file_.read()
data_clean = raw_file.split('\r\n')
return exclude_empty_values(data_clean)
| parse_spss_datafile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n data_clean = []\n with codecs.open(path, 'r', kwargs.get('encoding', 'latin-1')) as file_:\n raw_file = file_.read()\n d... |
def x(pdf_filepath='', **kwargs):
result = []
try:
if not os.path.exists(pdf_filepath):
raise ValueError('No valid pdf filepath introduced..')
kwargs['outfp'] = kwargs.get('outfp', StringIO())
kwargs['laparams'] = kwargs.get('laparams', pdfminer.layout.LAParams())
kwargs['imagewriter'] = kwargs.get('imagewriter', None)
kwargs['output_type'] = kwargs.get('output_type', 'text')
kwargs['codec'] = kwargs.get('codec', 'utf-8')
kwargs['disable_caching'] = kwargs.get('disable_caching', False)
with open(pdf_filepath, 'rb') as f_pdf:
pdfminer.high_level.extract_text_to_fp(f_pdf, **kwargs)
result = kwargs.get('outfp').getvalue()
except Exception:
logger.error('fail pdf to text parsing')
return result
| pdf_to_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdf_filepath='', **kwargs):\n result = []\n try:\n if not os.path.exists(pdf_filepath):\n raise ValueError('No valid pdf filepath intro... |
def x(rows, limits=None, **kwargs):
limits = limits or [None, None]
upper_limit = limits[0] if limits else None
lower_limit = limits[1] if len(limits) > 1 else None
return rows[upper_limit:lower_limit]
| pdf_row_limiter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rows, limits=None, **kwargs):\n limits = limits or [None, None]\n upper_limit = limits[0] if limits else None\n lower_limit = limits[1] if len(limits)... |
def x(pdf_filepath, **kwargs):
callbacks = {'pdf_to_text': pdf_to_text, 'pdf_row_format':
pdf_row_format, 'pdf_row_limiter': pdf_row_limiter,
'pdf_row_parser': pdf_row_parser, 'pdf_row_cleaner': pdf_row_cleaner}
callbacks.update(kwargs.get('alt_callbacks', {}))
rows = kwargs.get('rows', [])
if not rows:
rows_str = callbacks.get('pdf_to_text')(pdf_filepath, **kwargs)
rows = callbacks.get('pdf_row_format')(rows_str, **kwargs)
rows = callbacks.get('pdf_row_limiter')(rows, **kwargs)
rows = callbacks.get('pdf_row_parser')(rows, **kwargs)
rows = callbacks.get('pdf_row_cleaner')(rows)
return rows
| pdf_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pdf_filepath, **kwargs):\n callbacks = {'pdf_to_text': pdf_to_text, 'pdf_row_format':\n pdf_row_format, 'pdf_row_limiter': pdf_row_limiter,\n ... |
def x(func):
@functools.wraps(func)
def x(*args, **kwargs):
if CTX.stash and not CTX.repo.stashed:
CTX.repo.stash(func.__name__)
try:
func(*args, **kwargs)
finally:
CTX.repo.unstash()
else:
func(*args, **kwargs)
return _wrapper
| stashed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n if CTX.stash and not CTX.repo.stashed:\n CTX.repo.stash(func.__name__)\n ... |
def x(name):
pieces = name.split('.')
item = pieces[-1]
mod_name = '.'.join(pieces[:-1])
mod = __import__(mod_name, globals(), locals(), [item])
return getattr(mod, item)
| dynamic_load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n pieces = name.split('.')\n item = pieces[-1]\n mod_name = '.'.join(pieces[:-1])\n mod = __import__(mod_name, globals(), locals(), [item])\... |
def x(src, size):
row = []
for item in src:
row.append(item)
if len(row) == size:
yield row
row = []
if row:
yield row
| list_to_rows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src, size):\n row = []\n for item in src:\n row.append(item)\n if len(row) == size:\n yield row\n row = []\n if ro... |
def x(src):
if len(src) == 0:
return None, [], None
if len(src) == 1:
return src[0], [], None
if len(src) == 2:
return src[0], [], src[1]
return src[0], src[1:-1], src[-1]
| head_tail_middle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src):\n if len(src) == 0:\n return None, [], None\n if len(src) == 1:\n return src[0], [], None\n if len(src) == 2:\n return src[... |
def x(rates: xarray.DataArray, sim) ->Tuple[xarray.DataArray, np.ndarray,
np.ndarray]:
if not sim.reacreq:
return 0.0, 0.0, 0.0
ver = None
lamb = None
br = None
"""
Franck-Condon factor
http://chemistry.illinoisstate.edu/standard/che460/handouts/460-Feb28lec-S13.pdf
http://assign3.chem.usyd.edu.au/spectroscopy/index.php
"""
if 'metastable' in sim.reacreq:
ver, lamb, br = getMetastable(rates, ver, lamb, br, sim.reactionfn)
if 'atomic' in sim.reacreq:
ver, lamb, br = getAtomic(rates, ver, lamb, br, sim.reactionfn)
if 'n21ng' in sim.reacreq:
ver, lamb, br = getN21NG(rates, ver, lamb, br, sim.reactionfn)
if 'n2meinel' in sim.reacreq:
ver, lamb, br = getN2meinel(rates, ver, lamb, br, sim.reactionfn)
if 'n22pg' in sim.reacreq:
ver, lamb, br = getN22PG(rates, ver, lamb, br, sim.reactionfn)
if 'n21pg' in sim.reacreq:
ver, lamb, br = getN21PG(rates, ver, lamb, br, sim.reactionfn)
if ver is None:
raise ValueError('you have not selected any reactions to generate VER')
lamb, ver, br = sortelimlambda(lamb, ver, br)
dfver = xarray.DataArray(data=ver, coords=[('alt_km', rates.alt_km), (
'wavelength_nm', lamb)])
return dfver, ver, br
| calcemissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rates: xarray.DataArray, sim) ->Tuple[xarray.DataArray, np.ndarray,\n np.ndarray]:\n if not sim.reacreq:\n return 0.0, 0.0, 0.0\n ver = None\n ... |
def x(rates, ver: np.ndarray, lamb, br, reactfn: Path):
with h5py.File(reactfn, 'r') as f:
A = f['/metastable/A'][:]
lambnew = f['/metastable/lambda'].value.ravel(order='F')
"""
concatenate along the reaction dimension, axis=-1
"""
vnew = np.concatenate((A[:2] * rates.loc[..., 'no1s'].values[:, None],
A[2:4] * rates.loc[..., 'no1d'].values[:, None], A[4:] * rates.loc[
..., 'noii2p'].values[:, None]), axis=-1)
assert vnew.shape == (rates.shape[0], A.size)
return catvl(rates.alt_km, ver, vnew, lamb, lambnew, br)
| getMetastable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rates, ver: np.ndarray, lamb, br, reactfn: Path):\n with h5py.File(reactfn, 'r') as f:\n A = f['/metastable/A'][:]\n lambnew = f['/metastable/... |
def x(rates, ver, lamb, br, reactfn):
with h5py.File(reactfn, 'r') as f:
lambnew = f['/atomic/lambda'].value.ravel(order='F')
vnew = np.concatenate((rates.loc[..., 'po3p3p'].values[..., None],
rates.loc[..., 'po3p5p'].values[..., None]), axis=-1)
return catvl(rates.alt_km, ver, vnew, lamb, lambnew, br)
| getAtomic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rates, ver, lamb, br, reactfn):\n with h5py.File(reactfn, 'r') as f:\n lambnew = f['/atomic/lambda'].value.ravel(order='F')\n vnew = np.concatenat... |
def x(rates, ver, lamb, br, reactfn):
with h5py.File(str(reactfn), 'r', libver='latest') as f:
A = f['/N2+1NG/A'].value
lambdaA = f['/N2+1NG/lambda'].value.ravel(order='F')
franckcondon = f['/N2+1NG/fc'].value
return doBandTrapz(A, lambdaA, franckcondon, rates.loc[..., 'p1ng'],
lamb, ver, rates.alt_km, br)
| getN21NG | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rates, ver, lamb, br, reactfn):\n with h5py.File(str(reactfn), 'r', libver='latest') as f:\n A = f['/N2+1NG/A'].value\n lambdaA = f['/N2+1NG/l... |
def x(rates, ver, lamb, br, reactfn):
with h5py.File(str(reactfn), 'r', libver='latest') as fid:
A = fid['/N2_1PG/A'].value
lambnew = fid['/N2_1PG/lambda'].value.ravel(order='F')
franckcondon = fid['/N2_1PG/fc'].value
tau1PG = 1 / np.nansum(A, axis=1)
"""
solve for base concentration
confac=[1.66;1.56;1.31;1.07;.77;.5;.33;.17;.08;.04;.02;.004;.001]; %Cartwright, 1973b, stop at nuprime==12
Gattinger and Vallance Jones 1974
confac=array([1.66,1.86,1.57,1.07,.76,.45,.25,.14,.07,.03,.01,.004,.001])
"""
consfac = franckcondon / franckcondon.sum()
losscoef = (consfac / tau1PG).sum()
N01pg = rates.loc[..., 'p1pg'] / losscoef
scalevec = (A * consfac[:, None]).ravel(order='F')
vnew = scalevec[None, None, :] * N01pg.values[..., None]
return catvl(rates.alt_km, ver, vnew, lamb, lambnew, br)
| getN21PG | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rates, ver, lamb, br, reactfn):\n with h5py.File(str(reactfn), 'r', libver='latest') as fid:\n A = fid['/N2_1PG/A'].value\n lambnew = fid['/N2... |
def x(Aein, lambnew, fc, kin, lamb, ver, z, br):
tau = 1 / np.nansum(Aein, axis=1)
scalevec = (Aein * tau[:, None] * fc[:, None]).ravel(order='F')
vnew = scalevec[None, None, :] * kin.values[..., None]
return catvl(z, ver, vnew, lamb, lambnew, br)
| doBandTrapz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Aein, lambnew, fc, kin, lamb, ver, z, br):\n tau = 1 / np.nansum(Aein, axis=1)\n scalevec = (Aein * tau[:, None] * fc[:, None]).ravel(order='F')\n vne... |
def x(z, ver, vnew, lamb, lambnew, br):
if ver is not None:
br = np.concatenate((br, np.trapz(vnew, z, axis=-2)), axis=-1)
ver = np.concatenate((ver, vnew), axis=-1)
lamb = np.concatenate((lamb, lambnew))
else:
ver = vnew.copy(order='F')
lamb = lambnew.copy()
br = np.trapz(ver, z, axis=-2)
return ver, lamb, br
| catvl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, ver, vnew, lamb, lambnew, br):\n if ver is not None:\n br = np.concatenate((br, np.trapz(vnew, z, axis=-2)), axis=-1)\n ver = np.concatenat... |
def x(**kwargs):
if len(kwargs) != 1:
raise TypeError('uconf() takes exactly 1 argument. ({} given)'.
format(len(kwargs)))
arg_name = list(kwargs.keys()).pop(0)
if arg_name not in ['include', 'namespace']:
raise TypeError('Invalid argument: {}'.format(arg_name))
return partial(umap, **kwargs)
| uconf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n if len(kwargs) != 1:\n raise TypeError('uconf() takes exactly 1 argument. ({} given)'.\n format(len(kwargs)))\n arg_name =... |
def x(amend: bool=False, stage: bool=False):
_pep8(amend, stage)
| pep8 | [
{
"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):\n _pep8(amend, stage)\n",
"role": "user"
},
{
"content": "pep8",
"role": "assistant"
}
] |
def x(self, HTAG='#arenaNETmundial'):
search = t.search(q=HTAG, count=100, result_type='recent')
ss = search[:]
search = t.search(q=HTAG, count=150, max_id=ss[-1]['id'] - 1,
result_type='recent')
while seach:
ss += search[:]
search = t.search(q=HTAG, count=150, max_id=ss[-1]['id'] - 1,
result_type='recent')
| searchTag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, HTAG='#arenaNETmundial'):\n search = t.search(q=HTAG, count=100, result_type='recent')\n ss = search[:]\n search = t.search(q=HTAG, count=150, m... |
def x(self, url, dest_path=None):
if os.path.exists(dest_path):
os.remove(dest_path)
resp = get(url, stream=True)
size = int(resp.headers.get('content-length'))
label = 'Downloading {filename} ({size:.2f}MB)'.format(filename=os.path
.basename(dest_path), size=size / float(self.chunk_size) / self.
chunk_size)
with open_file(dest_path, 'wb') as file:
content_iter = resp.iter_content(chunk_size=self.chunk_size)
with progressbar(content_iter, length=size / self.chunk_size, label
=label) as bar:
for chunk in bar:
if chunk:
file.write(chunk)
file.flush()
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, dest_path=None):\n if os.path.exists(dest_path):\n os.remove(dest_path)\n resp = get(url, stream=True)\n size = int(resp.headers.get... |
def x(self, url, method='POST', file_path=None):
if not os.path.exists(file_path):
raise RuntimeError('')
with open_file(file_path, 'rb') as file:
size = os.path.getsize(file_path)
label = 'Uploading {filename} ({size:.2f}MB)'.format(filename=os.
path.basename(file_path), size=size / float(self.chunk_size) /
self.chunk_size)
if method == 'PUT':
resp = put(url, data=file)
elif method == 'POST':
resp = post(url, data=file)
content_iter = resp.iter_content(chunk_size=self.chunk_size)
with progressbar(content_iter, length=size / self.chunk_size, label
=label) as bar:
for _ in bar:
pass
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, method='POST', file_path=None):\n if not os.path.exists(file_path):\n raise RuntimeError('')\n with open_file(file_path, 'rb') as file:... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.