source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
soup = BeautifulSoup(self._response.read(), 'html.parser')
td = soup.find_all('td')
td = [val.text.split(' ')[0] for val in td]
data = np.reshape(td, (int(len(td) / self._block_size), self._block_size))
try:
tab = QTable(data[1:, :], names=data[0], dtype=[str, float, float,
float, float, float])
except IndexError as e:
msg = (
"""{}
{}
There was an issue parsing the request. Try resubmitting the query. If this issue persists, please submit a ticket to the Help Desk athttps://stsci.service-now.com/hst"""
.format(e, self._msg_div))
LOG.info(msg)
self._zpt_table = None
else:
for col in tab.colnames:
if col.lower() == 'filter':
continue
tab[col].unit = self._data_units[col]
self._zpt_table = tab
|
parse_and_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n soup = BeautifulSoup(self._response.read(), 'html.parser')\n td = soup.find_all('td')\n td = [val.text.split(' ')[0] for val in td]\n data = np.reshape(td, (int(len(td) / self._block_size), self._block_size))\n try:\n tab = QTable(data[1:, :], names=data[0], dtype=[str, float, float,\n float, float, float])\n except IndexError as e:\n msg = (\n \"\"\"{}\n{}\n There was an issue parsing the request. Try resubmitting the query. If this issue persists, please submit a ticket to the Help Desk athttps://stsci.service-now.com/hst\"\"\"\n .format(e, self._msg_div))\n LOG.info(msg)\n self._zpt_table = None\n else:\n for col in tab.colnames:\n if col.lower() == 'filter':\n continue\n tab[col].unit = self._data_units[col]\n self._zpt_table = tab\n",
"role": "user"
},
{
"content": "parse_and_format",
"role": "assistant"
}
] |
def x(self):
LOG.info('Checking inputs...')
valid_inputs = self._check_inputs()
if valid_inputs:
LOG.info('Submitting request to {}'.format(self._url))
self._submit_request()
if self._failed:
return
LOG.info('Parsing the response and formatting the results...')
self._parse_and_format()
return self.zpt_table
LOG.error('Please fix the incorrect input(s)')
|
fetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n LOG.info('Checking inputs...')\n valid_inputs = self._check_inputs()\n if valid_inputs:\n LOG.info('Submitting request to {}'.format(self._url))\n self._submit_request()\n if self._failed:\n return\n LOG.info('Parsing the response and formatting the results...')\n self._parse_and_format()\n return self.zpt_table\n LOG.error('Please fix the incorrect input(s)')\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self, request):
qs = self.model._default_manager.get_queryset()
ordering = self.get_ordering(request)
if ordering:
qs = qs.order_by(*ordering)
return qs
|
get_queryset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n qs = self.model._default_manager.get_queryset()\n ordering = self.get_ordering(request)\n if ordering:\n qs = qs.order_by(*ordering)\n return qs\n",
"role": "user"
},
{
"content": "get_queryset",
"role": "assistant"
}
] |
def x(self, request):
kwargs = {'model_admin': self}
view_class = self.index_view_class
return view_class.as_view(**kwargs)(request)
|
index_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n kwargs = {'model_admin': self}\n view_class = self.index_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "index_view",
"role": "assistant"
}
] |
def x(self, request):
kwargs = {'model_admin': self}
view_class = self.create_view_class
return view_class.as_view(**kwargs)(request)
|
create_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n kwargs = {'model_admin': self}\n view_class = self.create_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "create_view",
"role": "assistant"
}
] |
def x(self, request):
kwargs = {'model_admin': self}
view_class = self.choose_parent_view_class
return view_class.as_view(**kwargs)(request)
|
choose_parent_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n kwargs = {'model_admin': self}\n view_class = self.choose_parent_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "choose_parent_view",
"role": "assistant"
}
] |
def x(self, request, object_id):
kwargs = {'model_admin': self, 'object_id': object_id}
view_class = self.edit_view_class
return view_class.as_view(**kwargs)(request)
|
edit_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, object_id):\n kwargs = {'model_admin': self, 'object_id': object_id}\n view_class = self.edit_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "edit_view",
"role": "assistant"
}
] |
def x(self, request, object_id):
kwargs = {'model_admin': self, 'object_id': object_id}
view_class = self.confirm_delete_view_class
return view_class.as_view(**kwargs)(request)
|
confirm_delete_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, object_id):\n kwargs = {'model_admin': self, 'object_id': object_id}\n view_class = self.confirm_delete_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "confirm_delete_view",
"role": "assistant"
}
] |
def x(self, request, object_id):
kwargs = {'model_admin': self, 'object_id': object_id}
view_class = self.unpublish_view_class
return view_class.as_view(**kwargs)(request)
|
unpublish_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, object_id):\n kwargs = {'model_admin': self, 'object_id': object_id}\n view_class = self.unpublish_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "unpublish_view",
"role": "assistant"
}
] |
def x(self, request, object_id):
kwargs = {'model_admin': self, 'object_id': object_id}
view_class = self.copy_view_class
return view_class.as_view(**kwargs)(request)
|
copy_view
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, object_id):\n kwargs = {'model_admin': self, 'object_id': object_id}\n view_class = self.copy_view_class\n return view_class.as_view(**kwargs)(request)\n",
"role": "user"
},
{
"content": "copy_view",
"role": "assistant"
}
] |
def x(self, action='index'):
app = self.opts.app_label
model_name = self.opts.model_name
return ['wagtailmodeladmin/%s/%s/%s.html' % (app, model_name, action),
'wagtailmodeladmin/%s/%s.html' % (app, action),
'wagtailmodeladmin/%s.html' % (action,)]
|
get_templates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action='index'):\n app = self.opts.app_label\n model_name = self.opts.model_name\n return ['wagtailmodeladmin/%s/%s/%s.html' % (app, model_name, action), \n 'wagtailmodeladmin/%s/%s.html' % (app, action), \n 'wagtailmodeladmin/%s.html' % (action,)]\n",
"role": "user"
},
{
"content": "get_templates",
"role": "assistant"
}
] |
def x(self):
from wagtail.wagtailsnippets.models import SNIPPET_MODELS
if not self.is_pagemodel and self.model not in SNIPPET_MODELS:
return self.permission_helper.get_all_model_permissions()
return Permission.objects.none()
|
get_permissions_for_registration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from wagtail.wagtailsnippets.models import SNIPPET_MODELS\n if not self.is_pagemodel and self.model not in SNIPPET_MODELS:\n return self.permission_helper.get_all_model_permissions()\n return Permission.objects.none()\n",
"role": "user"
},
{
"content": "get_permissions_for_registration",
"role": "assistant"
}
] |
def x(self):
urls = url(get_url_pattern(self.opts), self.index_view, name=
get_url_name(self.opts)), url(get_url_pattern(self.opts, 'create'),
self.create_view, name=get_url_name(self.opts, 'create')), url(
get_object_specific_url_pattern(self.opts, 'edit'), self.edit_view,
name=get_url_name(self.opts, 'edit')), url(
get_object_specific_url_pattern(self.opts, 'confirm_delete'), self.
confirm_delete_view, name=get_url_name(self.opts, 'confirm_delete'))
if self.inspect_view_enabled:
urls = urls + (url(get_object_specific_url_pattern(self.opts,
'inspect'), self.inspect_view, name=get_url_name(self.opts,
'inspect')),)
if self.is_pagemodel:
urls = urls + (url(get_url_pattern(self.opts, 'choose_parent'),
self.choose_parent_view, name=get_url_name(self.opts,
'choose_parent')), url(get_object_specific_url_pattern(self.
opts, 'unpublish'), self.unpublish_view, name=get_url_name(self
.opts, 'unpublish')), url(get_object_specific_url_pattern(self.
opts, 'copy'), self.copy_view, name=get_url_name(self.opts,
'copy')))
return urls
def x(self, request, menu_items):
warnings.warn(
"The 'construct_main_menu' method is now deprecated. You should also remove the construct_main_menu hook from wagtail_hooks.py in your app folder."
, DeprecationWarning)
return menu_items
|
get_admin_urls_for_registration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n urls = url(get_url_pattern(self.opts), self.index_view, name=\n get_url_name(self.opts)), url(get_url_pattern(self.opts, 'create'),\n self.create_view, name=get_url_name(self.opts, 'create')), url(\n get_object_specific_url_pattern(self.opts, 'edit'), self.edit_view,\n name=get_url_name(self.opts, 'edit')), url(\n get_object_specific_url_pattern(self.opts, 'confirm_delete'), self.\n confirm_delete_view, name=get_url_name(self.opts, 'confirm_delete'))\n if self.inspect_view_enabled:\n urls = urls + (url(get_object_specific_url_pattern(self.opts,\n 'inspect'), self.inspect_view, name=get_url_name(self.opts,\n 'inspect')),)\n if self.is_pagemodel:\n urls = urls + (url(get_url_pattern(self.opts, 'choose_parent'),\n self.choose_parent_view, name=get_url_name(self.opts,\n 'choose_parent')), url(get_object_specific_url_pattern(self.\n opts, 'unpublish'), self.unpublish_view, name=get_url_name(self\n .opts, 'unpublish')), url(get_object_specific_url_pattern(self.\n opts, 'copy'), self.copy_view, name=get_url_name(self.opts,\n 'copy')))\n return urls\n\n def x(self, request, menu_items):\n warnings.warn(\n \"The 'construct_main_menu' method is now deprecated. You should also remove the construct_main_menu hook from wagtail_hooks.py in your app folder.\"\n , DeprecationWarning)\n return menu_items\n",
"role": "user"
},
{
"content": "get_admin_urls_for_registration",
"role": "assistant"
}
] |
def x(self):
if self.modeladmin_instances:
submenu = SubMenu(self.get_submenu_items())
return GroupMenuItem(self, self.get_menu_order(), submenu)
|
get_menu_item
|
[
{
"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.modeladmin_instances:\n submenu = SubMenu(self.get_submenu_items())\n return GroupMenuItem(self, self.get_menu_order(), submenu)\n",
"role": "user"
},
{
"content": "get_menu_item",
"role": "assistant"
}
] |
def x(self):
qs = Permission.objects.none()
for instance in self.modeladmin_instances:
qs = qs | instance.get_permissions_for_registration()
return qs
|
get_permissions_for_registration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n qs = Permission.objects.none()\n for instance in self.modeladmin_instances:\n qs = qs | instance.get_permissions_for_registration()\n return qs\n",
"role": "user"
},
{
"content": "get_permissions_for_registration",
"role": "assistant"
}
] |
def x(self):
urls = []
for instance in self.modeladmin_instances:
urls.extend(instance.get_admin_urls_for_registration())
return urls
|
get_admin_urls_for_registration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n urls = []\n for instance in self.modeladmin_instances:\n urls.extend(instance.get_admin_urls_for_registration())\n return urls\n",
"role": "user"
},
{
"content": "get_admin_urls_for_registration",
"role": "assistant"
}
] |
def x(self, request):
for menuitem in self.menu._registered_menu_items:
if menuitem.is_shown(request):
return True
return False
|
is_shown
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n for menuitem in self.menu._registered_menu_items:\n if menuitem.is_shown(request):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_shown",
"role": "assistant"
}
] |
def x(configobj=None):
acscteforwardmodel(configobj['input'], exec_path=configobj['exec_path'],
time_stamps=configobj['time_stamps'], verbose=configobj['verbose'],
quiet=configobj['quiet'], single_core=configobj['single_core'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n acscteforwardmodel(configobj['input'], exec_path=configobj['exec_path'],\n time_stamps=configobj['time_stamps'], verbose=configobj['verbose'],\n quiet=configobj['quiet'], single_core=configobj['single_core'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(configobj=None):
acsccd(configobj['input'], exec_path=configobj['exec_path'],
time_stamps=configobj['time_stamps'], verbose=configobj['verbose'],
quiet=configobj['quiet'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n acsccd(configobj['input'], exec_path=configobj['exec_path'],\n time_stamps=configobj['time_stamps'], verbose=configobj['verbose'],\n quiet=configobj['quiet'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(configobj=None):
destripe_plus(configobj['input'], suffix=configobj['suffix'], stat=
configobj['stat'], maxiter=configobj['maxiter'], sigrej=configobj[
'sigrej'], lower=configobj['lower'], upper=configobj['upper'],
binwidth=configobj['binwidth'], scimask1=configobj['scimask1'],
scimask2=configobj['scimask2'], dqbits=configobj['dqbits'],
rpt_clean=configobj['rpt_clean'], atol=configobj['atol'],
cte_correct=configobj['cte_correct'], clobber=configobj['clobber'],
verbose=configobj['verbose'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n destripe_plus(configobj['input'], suffix=configobj['suffix'], stat=\n configobj['stat'], maxiter=configobj['maxiter'], sigrej=configobj[\n 'sigrej'], lower=configobj['lower'], upper=configobj['upper'],\n binwidth=configobj['binwidth'], scimask1=configobj['scimask1'],\n scimask2=configobj['scimask2'], dqbits=configobj['dqbits'],\n rpt_clean=configobj['rpt_clean'], atol=configobj['atol'],\n cte_correct=configobj['cte_correct'], clobber=configobj['clobber'],\n verbose=configobj['verbose'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x():
import argparse
parser = argparse.ArgumentParser(prog=__taskname__, description=
'Run CALACS and standalone acs_destripe script on given post-SM4 ACS/WFC RAW full-frame or supported subarray image.'
)
parser.add_argument('arg0', metavar='input', type=str, help='Input file')
parser.add_argument('--suffix', type=str, default='strp', help=
'Output suffix for acs_destripe')
parser.add_argument('--stat', type=str, default='pmode1', help=
'Background statistics')
parser.add_argument('--maxiter', type=int, default=15, help=
'Max #iterations')
parser.add_argument('--sigrej', type=float, default=2.0, help=
'Rejection sigma')
parser.add_argument('--lower', nargs='?', type=float, default=None,
help='Lower limit for "good" pixels.')
parser.add_argument('--upper', nargs='?', type=float, default=None,
help='Upper limit for "good" pixels.')
parser.add_argument('--binwidth', type=float, default=0.1, help=
'Bin width for distribution sampling.')
parser.add_argument('--sci1_mask', nargs=1, type=str, default=None,
help='Mask image for calibrated [SCI,1]')
parser.add_argument('--sci2_mask', nargs=1, type=str, default=None,
help='Mask image for calibrated [SCI,2]')
parser.add_argument('--dqbits', nargs='?', type=str, default=None, help
='DQ bits to be considered "good".')
parser.add_argument('--rpt_clean', type=int, default=0, help=
'Number of *repeated* bias de-stripes to perform.')
parser.add_argument('--atol', nargs='?', type=float, default=0.01, help
='Absolute tolerance to stop *repeated* bias de-stripes.')
parser.add_argument('--nocte', action='store_true', help=
'Turn off CTE correction.')
parser.add_argument('--clobber', action='store_true', help='Clobber output'
)
parser.add_argument('-q', '--quiet', action='store_true', help=
'Do not print informational messages')
parser.add_argument('--version', action='version', version=
'{0} v{1} ({2})'.format(__taskname__, __version__, __vdate__))
options = parser.parse_args()
if options.sci1_mask:
mask1 = options.sci1_mask[0]
else:
mask1 = options.sci1_mask
if options.sci2_mask:
mask2 = options.sci2_mask[0]
else:
mask2 = options.sci2_mask
destripe_plus(options.arg0, suffix=options.suffix, maxiter=options.
maxiter, sigrej=options.sigrej, lower=options.lower, upper=options.
upper, binwidth=options.binwidth, scimask1=mask1, scimask2=mask2,
dqbits=options.dqbits, rpt_clean=options.rpt_clean, atol=options.
atol, cte_correct=not options.nocte, clobber=options.clobber,
verbose=not options.quiet)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import argparse\n parser = argparse.ArgumentParser(prog=__taskname__, description=\n 'Run CALACS and standalone acs_destripe script on given post-SM4 ACS/WFC RAW full-frame or supported subarray image.'\n )\n parser.add_argument('arg0', metavar='input', type=str, help='Input file')\n parser.add_argument('--suffix', type=str, default='strp', help=\n 'Output suffix for acs_destripe')\n parser.add_argument('--stat', type=str, default='pmode1', help=\n 'Background statistics')\n parser.add_argument('--maxiter', type=int, default=15, help=\n 'Max #iterations')\n parser.add_argument('--sigrej', type=float, default=2.0, help=\n 'Rejection sigma')\n parser.add_argument('--lower', nargs='?', type=float, default=None,\n help='Lower limit for \"good\" pixels.')\n parser.add_argument('--upper', nargs='?', type=float, default=None,\n help='Upper limit for \"good\" pixels.')\n parser.add_argument('--binwidth', type=float, default=0.1, help=\n 'Bin width for distribution sampling.')\n parser.add_argument('--sci1_mask', nargs=1, type=str, default=None,\n help='Mask image for calibrated [SCI,1]')\n parser.add_argument('--sci2_mask', nargs=1, type=str, default=None,\n help='Mask image for calibrated [SCI,2]')\n parser.add_argument('--dqbits', nargs='?', type=str, default=None, help\n ='DQ bits to be considered \"good\".')\n parser.add_argument('--rpt_clean', type=int, default=0, help=\n 'Number of *repeated* bias de-stripes to perform.')\n parser.add_argument('--atol', nargs='?', type=float, default=0.01, help\n ='Absolute tolerance to stop *repeated* bias de-stripes.')\n parser.add_argument('--nocte', action='store_true', help=\n 'Turn off CTE correction.')\n parser.add_argument('--clobber', action='store_true', help='Clobber output'\n )\n parser.add_argument('-q', '--quiet', action='store_true', help=\n 'Do not print informational messages')\n parser.add_argument('--version', action='version', version=\n '{0} v{1} ({2})'.format(__taskname__, __version__, __vdate__))\n options = parser.parse_args()\n if options.sci1_mask:\n mask1 = options.sci1_mask[0]\n else:\n mask1 = options.sci1_mask\n if options.sci2_mask:\n mask2 = options.sci2_mask[0]\n else:\n mask2 = options.sci2_mask\n destripe_plus(options.arg0, suffix=options.suffix, maxiter=options.\n maxiter, sigrej=options.sigrej, lower=options.lower, upper=options.\n upper, binwidth=options.binwidth, scimask1=mask1, scimask2=mask2,\n dqbits=options.dqbits, rpt_clean=options.rpt_clean, atol=options.\n atol, cte_correct=not options.nocte, clobber=options.clobber,\n verbose=not options.quiet)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, request, queryset, search_term):
def x(field_name):
if field_name.startswith('^'):
return '%s__istartswith' % field_name[1:]
elif field_name.startswith('='):
return '%s__iexact' % field_name[1:]
elif field_name.startswith('@'):
return '%s__search' % field_name[1:]
else:
return '%s__icontains' % field_name
use_distinct = False
if self.search_fields and search_term:
orm_lookups = [construct_search(str(search_field)) for search_field in
self.search_fields]
for bit in search_term.split():
or_queries = [models.Q(**{orm_lookup: bit}) for orm_lookup in
orm_lookups]
queryset = queryset.filter(reduce(operator.or_, or_queries))
if not use_distinct:
for search_spec in orm_lookups:
if lookup_needs_distinct(self.opts, search_spec):
use_distinct = True
break
return queryset, use_distinct
|
get_search_results
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset, search_term):\n\n def x(field_name):\n if field_name.startswith('^'):\n return '%s__istartswith' % field_name[1:]\n elif field_name.startswith('='):\n return '%s__iexact' % field_name[1:]\n elif field_name.startswith('@'):\n return '%s__search' % field_name[1:]\n else:\n return '%s__icontains' % field_name\n use_distinct = False\n if self.search_fields and search_term:\n orm_lookups = [construct_search(str(search_field)) for search_field in\n self.search_fields]\n for bit in search_term.split():\n or_queries = [models.Q(**{orm_lookup: bit}) for orm_lookup in\n orm_lookups]\n queryset = queryset.filter(reduce(operator.or_, or_queries))\n if not use_distinct:\n for search_spec in orm_lookups:\n if lookup_needs_distinct(self.opts, search_spec):\n use_distinct = True\n break\n return queryset, use_distinct\n",
"role": "user"
},
{
"content": "get_search_results",
"role": "assistant"
}
] |
def x(self, params=None):
if not params:
params = self.params
lookup_params = params.copy()
for ignored in IGNORED_PARAMS:
if ignored in lookup_params:
del lookup_params[ignored]
return lookup_params
|
get_filters_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, params=None):\n if not params:\n params = self.params\n lookup_params = params.copy()\n for ignored in IGNORED_PARAMS:\n if ignored in lookup_params:\n del lookup_params[ignored]\n return lookup_params\n",
"role": "user"
},
{
"content": "get_filters_params",
"role": "assistant"
}
] |
def x(self, field_name):
try:
field = self.opts.get_field(field_name)
return field.name
except FieldDoesNotExist:
if callable(field_name):
attr = field_name
elif hasattr(self.model_admin, field_name):
attr = getattr(self.model_admin, field_name)
else:
attr = getattr(self.model, field_name)
return getattr(attr, 'admin_order_field', None)
|
get_ordering_field
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name):\n try:\n field = self.opts.get_field(field_name)\n return field.name\n except FieldDoesNotExist:\n if callable(field_name):\n attr = field_name\n elif hasattr(self.model_admin, field_name):\n attr = getattr(self.model_admin, field_name)\n else:\n attr = getattr(self.model, field_name)\n return getattr(attr, 'admin_order_field', None)\n",
"role": "user"
},
{
"content": "get_ordering_field",
"role": "assistant"
}
] |
def x(self, request, queryset):
params = self.params
ordering = list(self.get_default_ordering(request))
if ORDER_VAR in params:
ordering = []
order_params = params[ORDER_VAR].split('.')
for p in order_params:
try:
none, pfx, idx = p.rpartition('-')
field_name = self.list_display[int(idx)]
order_field = self.get_ordering_field(field_name)
if not order_field:
continue
if order_field.startswith('-') and pfx == '-':
ordering.append(order_field[1:])
else:
ordering.append(pfx + order_field)
except (IndexError, ValueError):
continue
ordering.extend(queryset.query.order_by)
pk_name = self.opts.pk.name
if not set(ordering) & {'pk', '-pk', pk_name, '-' + pk_name}:
ordering.append('-pk')
return ordering
|
get_ordering
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, queryset):\n params = self.params\n ordering = list(self.get_default_ordering(request))\n if ORDER_VAR in params:\n ordering = []\n order_params = params[ORDER_VAR].split('.')\n for p in order_params:\n try:\n none, pfx, idx = p.rpartition('-')\n field_name = self.list_display[int(idx)]\n order_field = self.get_ordering_field(field_name)\n if not order_field:\n continue\n if order_field.startswith('-') and pfx == '-':\n ordering.append(order_field[1:])\n else:\n ordering.append(pfx + order_field)\n except (IndexError, ValueError):\n continue\n ordering.extend(queryset.query.order_by)\n pk_name = self.opts.pk.name\n if not set(ordering) & {'pk', '-pk', pk_name, '-' + pk_name}:\n ordering.append('-pk')\n return ordering\n",
"role": "user"
},
{
"content": "get_ordering",
"role": "assistant"
}
] |
def x(self):
ordering = self._get_default_ordering()
ordering_fields = OrderedDict()
if ORDER_VAR not in self.params:
for field in ordering:
if field.startswith('-'):
field = field[1:]
order_type = 'desc'
else:
order_type = 'asc'
for index, attr in enumerate(self.list_display):
if self.get_ordering_field(attr) == field:
ordering_fields[index] = order_type
break
else:
for p in self.params[ORDER_VAR].split('.'):
none, pfx, idx = p.rpartition('-')
try:
idx = int(idx)
except ValueError:
continue
ordering_fields[idx] = 'desc' if pfx == '-' else 'asc'
return ordering_fields
|
get_ordering_field_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ordering = self._get_default_ordering()\n ordering_fields = OrderedDict()\n if ORDER_VAR not in self.params:\n for field in ordering:\n if field.startswith('-'):\n field = field[1:]\n order_type = 'desc'\n else:\n order_type = 'asc'\n for index, attr in enumerate(self.list_display):\n if self.get_ordering_field(attr) == field:\n ordering_fields[index] = order_type\n break\n else:\n for p in self.params[ORDER_VAR].split('.'):\n none, pfx, idx = p.rpartition('-')\n try:\n idx = int(idx)\n except ValueError:\n continue\n ordering_fields[idx] = 'desc' if pfx == '-' else 'asc'\n return ordering_fields\n",
"role": "user"
},
{
"content": "get_ordering_field_columns",
"role": "assistant"
}
] |
def x(self, field_name, field=None):
label = None
if field is not None:
label = getattr(field, 'verbose_name', None)
if label is None:
label = getattr(field, 'name', None)
if label is None:
label = field_name
return label.capitalize()
|
get_field_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, field=None):\n label = None\n if field is not None:\n label = getattr(field, 'verbose_name', None)\n if label is None:\n label = getattr(field, 'name', None)\n if label is None:\n label = field_name\n return label.capitalize()\n",
"role": "user"
},
{
"content": "get_field_label",
"role": "assistant"
}
] |
def x(self, field_name, field=None):
"""
Firstly, check for a 'get_fieldname_display' property/method on
the model, and return the value of that, if present.
"""
val_funct = getattr(self.instance, 'get_%s_display' % field_name, None)
if val_funct is not None:
if callable(val_funct):
return val_funct()
return val_funct
"""
Secondly, if we have a real field, we can try to display something
more useful for it.
"""
if field is not None:
try:
field_type = field.get_internal_type()
if (field_type == 'ForeignKey' and field.related_model ==
get_image_model()):
return self.get_image_field_display(field_name, field)
if field_type == 'ForeignKey' and field.related_model == Document:
return self.get_document_field_display(field_name, field)
except AttributeError:
pass
"""
Resort to getting the value of 'field_name' from the instance.
"""
return getattr(self.instance, field_name, self.model_admin.
get_empty_value_display())
|
get_field_display_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, field=None):\n \"\"\"\n Firstly, check for a 'get_fieldname_display' property/method on\n the model, and return the value of that, if present.\n \"\"\"\n val_funct = getattr(self.instance, 'get_%s_display' % field_name, None)\n if val_funct is not None:\n if callable(val_funct):\n return val_funct()\n return val_funct\n \"\"\"\n Secondly, if we have a real field, we can try to display something\n more useful for it.\n \"\"\"\n if field is not None:\n try:\n field_type = field.get_internal_type()\n if (field_type == 'ForeignKey' and field.related_model ==\n get_image_model()):\n return self.get_image_field_display(field_name, field)\n if field_type == 'ForeignKey' and field.related_model == Document:\n return self.get_document_field_display(field_name, field)\n except AttributeError:\n pass\n \"\"\"\n Resort to getting the value of 'field_name' from the instance.\n \"\"\"\n return getattr(self.instance, field_name, self.model_admin.\n get_empty_value_display())\n",
"role": "user"
},
{
"content": "get_field_display_value",
"role": "assistant"
}
] |
def x(self, field_name, field):
image = getattr(self.instance, field_name)
if image:
fltr, _ = Filter.objects.get_or_create(spec='max-400x400')
rendition = image.get_rendition(fltr)
return rendition.img_tag
return self.model_admin.get_empty_value_display()
|
get_image_field_display
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, field):\n image = getattr(self.instance, field_name)\n if image:\n fltr, _ = Filter.objects.get_or_create(spec='max-400x400')\n rendition = image.get_rendition(fltr)\n return rendition.img_tag\n return self.model_admin.get_empty_value_display()\n",
"role": "user"
},
{
"content": "get_image_field_display",
"role": "assistant"
}
] |
def x(self, field_name, field):
document = getattr(self.instance, field_name)
if document:
return mark_safe(
'<a href="%s">%s <span class="meta">(%s, %s)</span></a>' % (
document.url, document.title, document.file_extension.upper(),
filesizeformat(document.file.size)))
return self.model_admin.get_empty_value_display()
|
get_document_field_display
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name, field):\n document = getattr(self.instance, field_name)\n if document:\n return mark_safe(\n '<a href=\"%s\">%s <span class=\"meta\">(%s, %s)</span></a>' % (\n document.url, document.title, document.file_extension.upper(),\n filesizeformat(document.file.size)))\n return self.model_admin.get_empty_value_display()\n",
"role": "user"
},
{
"content": "get_document_field_display",
"role": "assistant"
}
] |
def x(self, field_name):
try:
field = self.model._meta.get_field(field_name)
except FieldDoesNotExist:
field = None
return {'label': self.get_field_label(field_name, field), 'value': self
.get_field_display_value(field_name, field)}
|
get_dict_for_field
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field_name):\n try:\n field = self.model._meta.get_field(field_name)\n except FieldDoesNotExist:\n field = None\n return {'label': self.get_field_label(field_name, field), 'value': self\n .get_field_display_value(field_name, field)}\n",
"role": "user"
},
{
"content": "get_dict_for_field",
"role": "assistant"
}
] |
def x(self):
fields = []
for field_name in self.model_admin.get_inspect_view_fields():
fields.append(self.get_dict_for_field(field_name))
return fields
|
get_fields_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fields = []\n for field_name in self.model_admin.get_inspect_view_fields():\n fields.append(self.get_dict_for_field(field_name))\n return fields\n",
"role": "user"
},
{
"content": "get_fields_dict",
"role": "assistant"
}
] |
def x(view, result):
model_admin = view.model_admin
for field_name in view.list_display:
empty_value_display = model_admin.get_empty_value_display()
row_classes = ['field-%s' % field_name]
try:
f, attr, value = lookup_field(field_name, result, model_admin)
except ObjectDoesNotExist:
result_repr = empty_value_display
else:
empty_value_display = getattr(attr, 'empty_value_display',
empty_value_display)
if f is None or f.auto_created:
allow_tags = getattr(attr, 'allow_tags', False)
boolean = getattr(attr, 'boolean', False)
if boolean or not value:
allow_tags = True
if django.VERSION >= (1, 9):
result_repr = display_for_value(value,
empty_value_display, boolean)
else:
result_repr = display_for_value(value, boolean)
if allow_tags:
result_repr = mark_safe(result_repr)
if isinstance(value, (datetime.date, datetime.time)):
row_classes.append('nowrap')
else:
if isinstance(f, models.ManyToOneRel):
field_val = getattr(result, f.name)
if field_val is None:
result_repr = empty_value_display
else:
result_repr = field_val
elif django.VERSION >= (1, 9):
result_repr = display_for_field(value, f,
empty_value_display)
else:
result_repr = display_for_field(value, f)
if isinstance(f, (models.DateField, models.TimeField,
models.ForeignKey)):
row_classes.append('nowrap')
if force_text(result_repr) == '':
result_repr = mark_safe(' ')
row_classes.extend(model_admin.get_extra_class_names_for_field_col(
field_name, result))
row_attributes_dict = model_admin.get_extra_attrs_for_field_col(
field_name, result)
row_attributes_dict['class'] = ' '.join(row_classes)
row_attributes = ''.join(' %s="%s"' % (key, val) for key, val in
row_attributes_dict.items())
row_attributes_safe = mark_safe(row_attributes)
yield format_html('<td{}>{}</td>', row_attributes_safe, result_repr)
|
items_for_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(view, result):\n model_admin = view.model_admin\n for field_name in view.list_display:\n empty_value_display = model_admin.get_empty_value_display()\n row_classes = ['field-%s' % field_name]\n try:\n f, attr, value = lookup_field(field_name, result, model_admin)\n except ObjectDoesNotExist:\n result_repr = empty_value_display\n else:\n empty_value_display = getattr(attr, 'empty_value_display',\n empty_value_display)\n if f is None or f.auto_created:\n allow_tags = getattr(attr, 'allow_tags', False)\n boolean = getattr(attr, 'boolean', False)\n if boolean or not value:\n allow_tags = True\n if django.VERSION >= (1, 9):\n result_repr = display_for_value(value,\n empty_value_display, boolean)\n else:\n result_repr = display_for_value(value, boolean)\n if allow_tags:\n result_repr = mark_safe(result_repr)\n if isinstance(value, (datetime.date, datetime.time)):\n row_classes.append('nowrap')\n else:\n if isinstance(f, models.ManyToOneRel):\n field_val = getattr(result, f.name)\n if field_val is None:\n result_repr = empty_value_display\n else:\n result_repr = field_val\n elif django.VERSION >= (1, 9):\n result_repr = display_for_field(value, f,\n empty_value_display)\n else:\n result_repr = display_for_field(value, f)\n if isinstance(f, (models.DateField, models.TimeField,\n models.ForeignKey)):\n row_classes.append('nowrap')\n if force_text(result_repr) == '':\n result_repr = mark_safe(' ')\n row_classes.extend(model_admin.get_extra_class_names_for_field_col(\n field_name, result))\n row_attributes_dict = model_admin.get_extra_attrs_for_field_col(\n field_name, result)\n row_attributes_dict['class'] = ' '.join(row_classes)\n row_attributes = ''.join(' %s=\"%s\"' % (key, val) for key, val in\n row_attributes_dict.items())\n row_attributes_safe = mark_safe(row_attributes)\n yield format_html('<td{}>{}</td>', row_attributes_safe, result_repr)\n",
"role": "user"
},
{
"content": "items_for_result",
"role": "assistant"
}
] |
def x(context):
view = context['view']
object_list = context['object_list']
headers = list(result_headers(view))
num_sorted_fields = 0
for h in headers:
if h['sortable'] and h['sorted']:
num_sorted_fields += 1
context.update({'result_headers': headers, 'num_sorted_fields':
num_sorted_fields, 'results': list(results(view, object_list))})
return context
|
result_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n view = context['view']\n object_list = context['object_list']\n headers = list(result_headers(view))\n num_sorted_fields = 0\n for h in headers:\n if h['sortable'] and h['sorted']:\n num_sorted_fields += 1\n context.update({'result_headers': headers, 'num_sorted_fields':\n num_sorted_fields, 'results': list(results(view, object_list))})\n return context\n",
"role": "user"
},
{
"content": "result_list",
"role": "assistant"
}
] |
def x(configobj=None):
acssum(configobj['input'], configobj['output'], exec_path=configobj[
'exec_path'], time_stamps=configobj['time_stamps'], verbose=
configobj['verbose'], quiet=configobj['quiet'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n acssum(configobj['input'], configobj['output'], exec_path=configobj[\n 'exec_path'], time_stamps=configobj['time_stamps'], verbose=\n configobj['verbose'], quiet=configobj['quiet'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(shape, ix0, ix1, iy0, iy1):
ymax, xmax = shape
if ix0 < 0:
ix0 = 0
if ix1 > xmax:
ix1 = xmax
if iy0 < 0:
iy0 = 0
if iy1 > ymax:
iy1 = ymax
if iy1 <= iy0 or ix1 <= ix0:
raise IndexError('array[{0}:{1},{2}:{3}] is invalid'.format(iy0,
iy1, ix0, ix1))
return list(map(int, [ix0, ix1, iy0, iy1]))
|
get_valid_indices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(shape, ix0, ix1, iy0, iy1):\n ymax, xmax = shape\n if ix0 < 0:\n ix0 = 0\n if ix1 > xmax:\n ix1 = xmax\n if iy0 < 0:\n iy0 = 0\n if iy1 > ymax:\n iy1 = ymax\n if iy1 <= iy0 or ix1 <= ix0:\n raise IndexError('array[{0}:{1},{2}:{3}] is invalid'.format(iy0,\n iy1, ix0, ix1))\n return list(map(int, [ix0, ix1, iy0, iy1]))\n",
"role": "user"
},
{
"content": "get_valid_indices",
"role": "assistant"
}
] |
def x(point, angle, ishape, rshape, reverse=False):
if reverse:
angle = angle * -1
temp = ishape
ishape = rshape
rshape = temp
yhalf, xhalf = ishape
yrhalf, xrhalf = rshape
yhalf = yhalf / 2
xhalf = xhalf / 2
yrhalf = yrhalf / 2
xrhalf = xrhalf / 2
startx = point[0] - xhalf
starty = point[1] - yhalf
newx = startx * np.cos(angle) - starty * np.sin(angle)
newy = startx * np.sin(angle) + starty * np.cos(angle)
newx = newx + xrhalf
newy = newy + yrhalf
return newx, newy
|
rotate_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(point, angle, ishape, rshape, reverse=False):\n if reverse:\n angle = angle * -1\n temp = ishape\n ishape = rshape\n rshape = temp\n yhalf, xhalf = ishape\n yrhalf, xrhalf = rshape\n yhalf = yhalf / 2\n xhalf = xhalf / 2\n yrhalf = yrhalf / 2\n xrhalf = xrhalf / 2\n startx = point[0] - xhalf\n starty = point[1] - yhalf\n newx = startx * np.cos(angle) - starty * np.sin(angle)\n newy = startx * np.sin(angle) + starty * np.cos(angle)\n newx = newx + xrhalf\n newy = newy + yrhalf\n return newx, newy\n",
"role": "user"
},
{
"content": "rotate_point",
"role": "assistant"
}
] |
def x(filename, ext, mask, dqval=16384, verbose=True):
with fits.open(filename, mode='update') as pf:
dqarr = pf[ext].data
old_mask = dqval & dqarr != 0
new_mask = mask & ~old_mask
npix_updated = np.count_nonzero(new_mask)
if npix_updated > 0:
pf[ext].data[new_mask] += dqval
pf['PRIMARY'].header.add_history('{0} satdet v{1}({2})'.format(
time.ctime(), __version__, __vdate__))
pf['PRIMARY'].header.add_history(
' Updated {0} px in EXT {1} with DQ={2}'.format(
npix_updated, ext, dqval))
if verbose:
fname = '{0}[{1}]'.format(filename, ext)
print('DQ flag value is {0}'.format(dqval))
print('Input... flagged NPIX={0}'.format(np.count_nonzero(mask)))
print('Existing flagged NPIX={0}'.format(np.count_nonzero(old_mask)))
print('Newly... flagged NPIX={0}'.format(npix_updated))
if npix_updated > 0:
print('{0} updated'.format(fname))
else:
print('No updates necessary for {0}'.format(fname))
|
update_dq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, ext, mask, dqval=16384, verbose=True):\n with fits.open(filename, mode='update') as pf:\n dqarr = pf[ext].data\n old_mask = dqval & dqarr != 0\n new_mask = mask & ~old_mask\n npix_updated = np.count_nonzero(new_mask)\n if npix_updated > 0:\n pf[ext].data[new_mask] += dqval\n pf['PRIMARY'].header.add_history('{0} satdet v{1}({2})'.format(\n time.ctime(), __version__, __vdate__))\n pf['PRIMARY'].header.add_history(\n ' Updated {0} px in EXT {1} with DQ={2}'.format(\n npix_updated, ext, dqval))\n if verbose:\n fname = '{0}[{1}]'.format(filename, ext)\n print('DQ flag value is {0}'.format(dqval))\n print('Input... flagged NPIX={0}'.format(np.count_nonzero(mask)))\n print('Existing flagged NPIX={0}'.format(np.count_nonzero(old_mask)))\n print('Newly... flagged NPIX={0}'.format(npix_updated))\n if npix_updated > 0:\n print('{0} updated'.format(fname))\n else:\n print('No updates necessary for {0}'.format(fname))\n",
"role": "user"
},
{
"content": "update_dq",
"role": "assistant"
}
] |
def x(work_queue, done_queue, sigma=2.0, low_thresh=0.1, h_thresh=0.5,
small_edge=60, line_len=200, line_gap=75, percentile=(4.5, 93.0), buf=200):
for fil, chip in iter(work_queue.get, 'STOP'):
try:
result = _detsat_one(fil, chip, sigma=sigma, low_thresh=
low_thresh, h_thresh=h_thresh, small_edge=small_edge,
line_len=line_len, line_gap=line_gap, percentile=percentile,
buf=buf, plot=False, verbose=False)
except Exception as e:
retcode = False
result = '{0}: {1}'.format(type(e), str(e))
else:
retcode = True
done_queue.put((retcode, fil, chip, result))
return True
|
satdet_worker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(work_queue, done_queue, sigma=2.0, low_thresh=0.1, h_thresh=0.5,\n small_edge=60, line_len=200, line_gap=75, percentile=(4.5, 93.0), buf=200):\n for fil, chip in iter(work_queue.get, 'STOP'):\n try:\n result = _detsat_one(fil, chip, sigma=sigma, low_thresh=\n low_thresh, h_thresh=h_thresh, small_edge=small_edge,\n line_len=line_len, line_gap=line_gap, percentile=percentile,\n buf=buf, plot=False, verbose=False)\n except Exception as e:\n retcode = False\n result = '{0}: {1}'.format(type(e), str(e))\n else:\n retcode = True\n done_queue.put((retcode, fil, chip, result))\n return True\n",
"role": "user"
},
{
"content": "satdet_worker",
"role": "assistant"
}
] |
def x(searchpattern, chips=[1, 4], n_processes=4, sigma=2.0, low_thresh=0.1,
h_thresh=0.5, small_edge=60, line_len=200, line_gap=75, percentile=(4.5,
93.0), buf=200, plot=False, verbose=True):
if not HAS_OPDEP:
raise ImportError('Missing scipy or skimage>=0.11 packages')
if verbose:
t_beg = time.time()
files = glob.glob(searchpattern)
n_files = len(files)
n_chips = len(chips)
n_tot = n_files * n_chips
n_cpu = multiprocessing.cpu_count()
results = {}
errors = {}
if verbose:
print('{0} file(s) found...'.format(n_files))
if n_files < 1 or n_chips < 1:
return results, errors
if n_tot < n_processes:
n_processes = n_tot
if n_processes > n_cpu:
n_processes = n_cpu
if n_processes == 1:
for fil in files:
for chip in chips:
if verbose:
print('\nProcessing {0}[{1}]...'.format(fil, chip))
key = fil, chip
try:
result = _detsat_one(fil, chip, sigma=sigma, low_thresh
=low_thresh, h_thresh=h_thresh, small_edge=
small_edge, line_len=line_len, line_gap=line_gap,
percentile=percentile, buf=buf, plot=plot, verbose=
verbose)
except Exception as e:
errmsg = '{0}: {1}'.format(type(e), str(e))
errors[key] = errmsg
if verbose:
print(errmsg)
else:
results[key] = result
if verbose:
print()
else:
if verbose:
print('Using {0} processes'.format(n_processes))
work_queue = Queue()
done_queue = Queue()
processes = []
for fil in files:
for chip in chips:
work_queue.put((fil, chip))
for w in range(n_processes):
p = Process(target=_satdet_worker, args=(work_queue, done_queue
), kwargs={'sigma': sigma, 'low_thresh': low_thresh,
'h_thresh': h_thresh, 'small_edge': small_edge, 'line_len':
line_len, 'line_gap': line_gap, 'percentile': percentile,
'buf': buf})
p.start()
processes.append(p)
work_queue.put('STOP')
for p in processes:
p.join()
done_queue.put('STOP')
for status in iter(done_queue.get, 'STOP'):
key = status[1], status[2]
if status[0]:
results[key] = status[3]
else:
errors[key] = status[3]
if verbose:
if len(results) > 0:
print('Number of trail segment(s) found:')
for key in sorted(results):
print(' {0}[{1}]: {2}'.format(key[0], key[1], len(results[
key])))
if len(errors) > 0:
print('These have errors:')
for key in sorted(errors):
print(' {0}[{1}]'.format(key[0], key[1]))
if verbose:
t_end = time.time()
print('Total run time: {0} s'.format(t_end - t_beg))
return results, errors
|
detsat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(searchpattern, chips=[1, 4], n_processes=4, sigma=2.0, low_thresh=0.1,\n h_thresh=0.5, small_edge=60, line_len=200, line_gap=75, percentile=(4.5,\n 93.0), buf=200, plot=False, verbose=True):\n if not HAS_OPDEP:\n raise ImportError('Missing scipy or skimage>=0.11 packages')\n if verbose:\n t_beg = time.time()\n files = glob.glob(searchpattern)\n n_files = len(files)\n n_chips = len(chips)\n n_tot = n_files * n_chips\n n_cpu = multiprocessing.cpu_count()\n results = {}\n errors = {}\n if verbose:\n print('{0} file(s) found...'.format(n_files))\n if n_files < 1 or n_chips < 1:\n return results, errors\n if n_tot < n_processes:\n n_processes = n_tot\n if n_processes > n_cpu:\n n_processes = n_cpu\n if n_processes == 1:\n for fil in files:\n for chip in chips:\n if verbose:\n print('\\nProcessing {0}[{1}]...'.format(fil, chip))\n key = fil, chip\n try:\n result = _detsat_one(fil, chip, sigma=sigma, low_thresh\n =low_thresh, h_thresh=h_thresh, small_edge=\n small_edge, line_len=line_len, line_gap=line_gap,\n percentile=percentile, buf=buf, plot=plot, verbose=\n verbose)\n except Exception as e:\n errmsg = '{0}: {1}'.format(type(e), str(e))\n errors[key] = errmsg\n if verbose:\n print(errmsg)\n else:\n results[key] = result\n if verbose:\n print()\n else:\n if verbose:\n print('Using {0} processes'.format(n_processes))\n work_queue = Queue()\n done_queue = Queue()\n processes = []\n for fil in files:\n for chip in chips:\n work_queue.put((fil, chip))\n for w in range(n_processes):\n p = Process(target=_satdet_worker, args=(work_queue, done_queue\n ), kwargs={'sigma': sigma, 'low_thresh': low_thresh,\n 'h_thresh': h_thresh, 'small_edge': small_edge, 'line_len':\n line_len, 'line_gap': line_gap, 'percentile': percentile,\n 'buf': buf})\n p.start()\n processes.append(p)\n work_queue.put('STOP')\n for p in processes:\n p.join()\n done_queue.put('STOP')\n for status in iter(done_queue.get, 'STOP'):\n key = status[1], status[2]\n if status[0]:\n results[key] = status[3]\n else:\n errors[key] = status[3]\n if verbose:\n if len(results) > 0:\n print('Number of trail segment(s) found:')\n for key in sorted(results):\n print(' {0}[{1}]: {2}'.format(key[0], key[1], len(results[\n key])))\n if len(errors) > 0:\n print('These have errors:')\n for key in sorted(errors):\n print(' {0}[{1}]'.format(key[0], key[1]))\n if verbose:\n t_end = time.time()\n print('Total run time: {0} s'.format(t_end - t_beg))\n return results, errors\n",
"role": "user"
},
{
"content": "detsat",
"role": "assistant"
}
] |
def x(self, event: str) ->Callable:
def x(func):
self.add_event(func, event)
@wraps(func)
def x(*args, **kwargs):
return func(*args, **kwargs)
return wrapper
return outer
|
on
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: str) ->Callable:\n\n def x(func):\n self.add_event(func, event)\n\n @wraps(func)\n def x(*args, **kwargs):\n return func(*args, **kwargs)\n return wrapper\n return outer\n",
"role": "user"
},
{
"content": "on",
"role": "assistant"
}
] |
def x(self, func: Callable, event: str) ->None:
self._events[event].add(func)
|
add_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func: Callable, event: str) ->None:\n self._events[event].add(func)\n",
"role": "user"
},
{
"content": "add_event",
"role": "assistant"
}
] |
def x(self, event: str, *args, **kwargs) ->None:
threads = kwargs.pop('threads', None)
if threads:
events = [Thread(target=f, args=args, kwargs=kwargs) for f in self.
_event_funcs(event)]
for event in events:
event.start()
else:
for func in self._event_funcs(event):
func(*args, **kwargs)
|
emit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: str, *args, **kwargs) ->None:\n threads = kwargs.pop('threads', None)\n if threads:\n events = [Thread(target=f, args=args, kwargs=kwargs) for f in self.\n _event_funcs(event)]\n for event in events:\n event.start()\n else:\n for func in self._event_funcs(event):\n func(*args, **kwargs)\n",
"role": "user"
},
{
"content": "emit",
"role": "assistant"
}
] |
def x(self, event: str, func_names: Union[str, List[str]], *args, **kwargs
) ->None:
if isinstance(func_names, str):
func_names = [func_names]
for func in self._event_funcs(event):
if func.__name__ in func_names:
func(*args, **kwargs)
|
emit_only
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: str, func_names: Union[str, List[str]], *args, **kwargs\n ) ->None:\n if isinstance(func_names, str):\n func_names = [func_names]\n for func in self._event_funcs(event):\n if func.__name__ in func_names:\n func(*args, **kwargs)\n",
"role": "user"
},
{
"content": "emit_only",
"role": "assistant"
}
] |
def x(self, event: str) ->Callable:
def x(func):
@wraps(func)
def x(*args, **kwargs):
returned = func(*args, **kwargs)
self.emit(event)
return returned
return wrapper
return outer
|
emit_after
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: str) ->Callable:\n\n def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n returned = func(*args, **kwargs)\n self.emit(event)\n return returned\n return wrapper\n return outer\n",
"role": "user"
},
{
"content": "emit_after",
"role": "assistant"
}
] |
def x(self, func_name: str, event: str) ->None:
event_funcs_copy = self._events[event].copy()
for func in self._event_funcs(event):
if func.__name__ == func_name:
event_funcs_copy.remove(func)
if self._events[event] == event_funcs_copy:
err_msg = "function doesn't exist inside event {} ".format(event)
raise EventDoesntExist(err_msg)
else:
self._events[event] = event_funcs_copy
|
remove_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func_name: str, event: str) ->None:\n event_funcs_copy = self._events[event].copy()\n for func in self._event_funcs(event):\n if func.__name__ == func_name:\n event_funcs_copy.remove(func)\n if self._events[event] == event_funcs_copy:\n err_msg = \"function doesn't exist inside event {} \".format(event)\n raise EventDoesntExist(err_msg)\n else:\n self._events[event] = event_funcs_copy\n",
"role": "user"
},
{
"content": "remove_event",
"role": "assistant"
}
] |
def x(self, event: str) ->Iterable[Callable]:
for func in self._events[event]:
yield func
|
event_funcs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: str) ->Iterable[Callable]:\n for func in self._events[event]:\n yield func\n",
"role": "user"
},
{
"content": "event_funcs",
"role": "assistant"
}
] |
def x(self, event: str) ->List[str]:
return [func.__name__ for func in self._events[event]]
|
event_func_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event: str) ->List[str]:\n return [func.__name__ for func in self._events[event]]\n",
"role": "user"
},
{
"content": "event_func_names",
"role": "assistant"
}
] |
def x(self) ->int:
event_counter = Counter()
for key, values in self._events.items():
event_counter[key] = len(values)
return sum(event_counter.values())
|
subscribed_event_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->int:\n event_counter = Counter()\n for key, values in self._events.items():\n event_counter[key] = len(values)\n return sum(event_counter.values())\n",
"role": "user"
},
{
"content": "subscribed_event_count",
"role": "assistant"
}
] |
def x(input, suffix, stat='pmode1', maxiter=15, sigrej=2.0, lower=None,
upper=None, binwidth=0.3, mask1=None, mask2=None, dqbits=None,
rpt_clean=0, atol=0.01, clobber=False, verbose=True):
from stsci.tools import parseinput
flist = parseinput.parseinput(input)[0]
if isinstance(mask1, str):
mlist1 = parseinput.parseinput(mask1)[0]
elif isinstance(mask1, np.ndarray):
mlist1 = [mask1.copy()]
elif mask1 is None:
mlist1 = []
elif isinstance(mask1, list):
mlist1 = []
for m in mask1:
if isinstance(m, np.ndarray):
mlist1.append(m.copy())
elif isinstance(m, str):
mlist1 += parseinput.parseinput(m)[0]
else:
raise TypeError(
"'mask1' must be a list of str or numpy.ndarray values.")
else:
raise TypeError(
"'mask1' must be either a str, or a numpy.ndarray, or a list of the two type of values."
)
if isinstance(mask2, str):
mlist2 = parseinput.parseinput(mask2)[0]
elif isinstance(mask2, np.ndarray):
mlist2 = [mask2.copy()]
elif mask2 is None:
mlist2 = []
elif isinstance(mask2, list):
mlist2 = []
for m in mask2:
if isinstance(m, np.ndarray):
mlist2.append(m.copy())
elif isinstance(m, str):
mlist2 += parseinput.parseinput(m)[0]
else:
raise TypeError(
"'mask2' must be a list of str or numpy.ndarray values.")
else:
raise TypeError(
"'mask2' must be either a str or a numpy.ndarray, or a list of the two type of values."
)
n_input = len(flist)
n_mask1 = len(mlist1)
n_mask2 = len(mlist2)
if n_input == 0:
raise ValueError(
'No input file(s) provided or the file(s) do not exist')
if n_mask1 == 0:
mlist1 = [None] * n_input
elif n_mask1 != n_input:
raise ValueError('Insufficient masks for [SCI,1]')
if n_mask2 == 0:
mlist2 = [None] * n_input
elif n_mask2 != n_input:
raise ValueError('Insufficient masks for [SCI,2]')
for image, maskfile1, maskfile2 in zip(flist, mlist1, mlist2):
if fits.getval(image, 'EXPSTART') <= MJD_SM4:
LOG.warning('{0} is pre-SM4. Skipping...'.format(image))
continue
if fits.getval(image, 'BUNIT', ext=1) != 'ELECTRONS':
LOG.warning('{0} is not in ELECTRONS. Skipping...'.format(image))
continue
if fits.getval(image, 'PCTECORR') == 'COMPLETE':
LOG.warning('{0} already has PCTECORR applied. Skipping...'.
format(image))
continue
output = image.replace('.fits', '_' + suffix + '.fits')
LOG.info('Processing ' + image)
if fits.getval(image, 'CCDAMP') == 'ABCD' and (mask1 is not None and
mask2 is None or mask1 is None and mask2 is not None):
raise ValueError(
"Both 'mask1' and 'mask2' must be specified or not specified together."
)
maskdata = _read_mask(maskfile1, maskfile2)
perform_correction(image, output, stat=stat, maxiter=maxiter,
sigrej=sigrej, lower=lower, upper=upper, binwidth=binwidth,
mask=maskdata, dqbits=dqbits, rpt_clean=rpt_clean, atol=atol,
clobber=clobber, verbose=verbose)
LOG.info(output + ' created')
|
clean
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, suffix, stat='pmode1', maxiter=15, sigrej=2.0, lower=None,\n upper=None, binwidth=0.3, mask1=None, mask2=None, dqbits=None,\n rpt_clean=0, atol=0.01, clobber=False, verbose=True):\n from stsci.tools import parseinput\n flist = parseinput.parseinput(input)[0]\n if isinstance(mask1, str):\n mlist1 = parseinput.parseinput(mask1)[0]\n elif isinstance(mask1, np.ndarray):\n mlist1 = [mask1.copy()]\n elif mask1 is None:\n mlist1 = []\n elif isinstance(mask1, list):\n mlist1 = []\n for m in mask1:\n if isinstance(m, np.ndarray):\n mlist1.append(m.copy())\n elif isinstance(m, str):\n mlist1 += parseinput.parseinput(m)[0]\n else:\n raise TypeError(\n \"'mask1' must be a list of str or numpy.ndarray values.\")\n else:\n raise TypeError(\n \"'mask1' must be either a str, or a numpy.ndarray, or a list of the two type of values.\"\n )\n if isinstance(mask2, str):\n mlist2 = parseinput.parseinput(mask2)[0]\n elif isinstance(mask2, np.ndarray):\n mlist2 = [mask2.copy()]\n elif mask2 is None:\n mlist2 = []\n elif isinstance(mask2, list):\n mlist2 = []\n for m in mask2:\n if isinstance(m, np.ndarray):\n mlist2.append(m.copy())\n elif isinstance(m, str):\n mlist2 += parseinput.parseinput(m)[0]\n else:\n raise TypeError(\n \"'mask2' must be a list of str or numpy.ndarray values.\")\n else:\n raise TypeError(\n \"'mask2' must be either a str or a numpy.ndarray, or a list of the two type of values.\"\n )\n n_input = len(flist)\n n_mask1 = len(mlist1)\n n_mask2 = len(mlist2)\n if n_input == 0:\n raise ValueError(\n 'No input file(s) provided or the file(s) do not exist')\n if n_mask1 == 0:\n mlist1 = [None] * n_input\n elif n_mask1 != n_input:\n raise ValueError('Insufficient masks for [SCI,1]')\n if n_mask2 == 0:\n mlist2 = [None] * n_input\n elif n_mask2 != n_input:\n raise ValueError('Insufficient masks for [SCI,2]')\n for image, maskfile1, maskfile2 in zip(flist, mlist1, mlist2):\n if fits.getval(image, 'EXPSTART') <= MJD_SM4:\n LOG.warning('{0} is pre-SM4. Skipping...'.format(image))\n continue\n if fits.getval(image, 'BUNIT', ext=1) != 'ELECTRONS':\n LOG.warning('{0} is not in ELECTRONS. Skipping...'.format(image))\n continue\n if fits.getval(image, 'PCTECORR') == 'COMPLETE':\n LOG.warning('{0} already has PCTECORR applied. Skipping...'.\n format(image))\n continue\n output = image.replace('.fits', '_' + suffix + '.fits')\n LOG.info('Processing ' + image)\n if fits.getval(image, 'CCDAMP') == 'ABCD' and (mask1 is not None and\n mask2 is None or mask1 is None and mask2 is not None):\n raise ValueError(\n \"Both 'mask1' and 'mask2' must be specified or not specified together.\"\n )\n maskdata = _read_mask(maskfile1, maskfile2)\n perform_correction(image, output, stat=stat, maxiter=maxiter,\n sigrej=sigrej, lower=lower, upper=upper, binwidth=binwidth,\n mask=maskdata, dqbits=dqbits, rpt_clean=rpt_clean, atol=atol,\n clobber=clobber, verbose=verbose)\n LOG.info(output + ' created')\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(image, output, stat='pmode1', maxiter=15, sigrej=2.0, lower=None,
upper=None, binwidth=0.3, mask=None, dqbits=None, rpt_clean=0, atol=
0.01, clobber=False, verbose=True):
frame = StripeArray(image)
mask = _mergeUserMaskAndDQ(frame.dq, mask, dqbits)
Success, NUpdRows, NMaxIter, Bkgrnd, STDDEVCorr, MaxCorr, Nrpt = (
clean_streak(frame, stat=stat, maxiter=maxiter, sigrej=sigrej,
lower=lower, upper=upper, binwidth=binwidth, mask=mask, rpt_clean=
rpt_clean, atol=atol, verbose=verbose))
if Success:
if verbose:
LOG.info(
'perform_correction - ===== Overall statistics for de-stripe corrections: ====='
)
if STDDEVCorr > 1.5 * 0.9:
LOG.warning(
"""perform_correction - STDDEV of applied de-stripe corrections ({:.3g}) exceeds
known bias striping STDDEV of 0.9e (see ISR ACS 2011-05) more than 1.5 times."""
.format(STDDEVCorr))
elif verbose:
LOG.info(
'perform_correction - STDDEV of applied de-stripe corrections {:.3g}.'
.format(STDDEVCorr))
if verbose:
LOG.info('perform_correction - Estimated background: {:.5g}.'.
format(Bkgrnd))
LOG.info('perform_correction - Maximum applied correction: {:.3g}.'
.format(MaxCorr))
LOG.info(
'perform_correction - Effective number of clipping iterations: {}.'
.format(NMaxIter))
LOG.info(
'perform_correction - Effective number of additional (repeated) cleanings: {}.'
.format(Nrpt))
LOG.info('perform_correction - Total number of corrected rows: {}.'
.format(NUpdRows))
frame.write_corrected(output, clobber=clobber)
frame.close()
|
perform_correction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(image, output, stat='pmode1', maxiter=15, sigrej=2.0, lower=None,\n upper=None, binwidth=0.3, mask=None, dqbits=None, rpt_clean=0, atol=\n 0.01, clobber=False, verbose=True):\n frame = StripeArray(image)\n mask = _mergeUserMaskAndDQ(frame.dq, mask, dqbits)\n Success, NUpdRows, NMaxIter, Bkgrnd, STDDEVCorr, MaxCorr, Nrpt = (\n clean_streak(frame, stat=stat, maxiter=maxiter, sigrej=sigrej,\n lower=lower, upper=upper, binwidth=binwidth, mask=mask, rpt_clean=\n rpt_clean, atol=atol, verbose=verbose))\n if Success:\n if verbose:\n LOG.info(\n 'perform_correction - ===== Overall statistics for de-stripe corrections: ====='\n )\n if STDDEVCorr > 1.5 * 0.9:\n LOG.warning(\n \"\"\"perform_correction - STDDEV of applied de-stripe corrections ({:.3g}) exceeds\nknown bias striping STDDEV of 0.9e (see ISR ACS 2011-05) more than 1.5 times.\"\"\"\n .format(STDDEVCorr))\n elif verbose:\n LOG.info(\n 'perform_correction - STDDEV of applied de-stripe corrections {:.3g}.'\n .format(STDDEVCorr))\n if verbose:\n LOG.info('perform_correction - Estimated background: {:.5g}.'.\n format(Bkgrnd))\n LOG.info('perform_correction - Maximum applied correction: {:.3g}.'\n .format(MaxCorr))\n LOG.info(\n 'perform_correction - Effective number of clipping iterations: {}.'\n .format(NMaxIter))\n LOG.info(\n 'perform_correction - Effective number of additional (repeated) cleanings: {}.'\n .format(Nrpt))\n LOG.info('perform_correction - Total number of corrected rows: {}.'\n .format(NUpdRows))\n frame.write_corrected(output, clobber=clobber)\n frame.close()\n",
"role": "user"
},
{
"content": "perform_correction",
"role": "assistant"
}
] |
def x(InputArr, MaxIter=10, SigRej=3.0, Max=None, Min=None, Mask=None,
lineno=None):
NGood = InputArr.size
ArrShape = InputArr.shape
if NGood == 0:
imrow = _write_row_number(lineno=lineno, offset=0, pad=1)
LOG.warning('djs_iterstat - No data points given' + imrow)
return 0, 0, 0, 0, 0, None
if NGood == 1:
imrow = _write_row_number(lineno=lineno, offset=0, pad=1)
LOG.warning(
'djs_iterstat - Only one data point; cannot compute stats{0}'.
format(imrow))
return 0, 0, 0, 0, 0, None
if np.unique(InputArr).size == 1:
imrow = _write_row_number(lineno=lineno, offset=0, pad=1)
LOG.warning(
'djs_iterstat - Only one value in data; cannot compute stats{0}'
.format(imrow))
return 0, 0, 0, 0, 0, None
if Max is None:
Max = InputArr.max()
if Min is None:
Min = InputArr.min()
if Mask is None:
Mask = np.ones(ArrShape, dtype=np.byte)
else:
Mask = Mask.copy()
Mask[InputArr > Max] = 0
Mask[InputArr < Min] = 0
FMean = np.sum(1.0 * InputArr * Mask) / NGood
FSig = np.sqrt(np.sum((1.0 * InputArr - FMean) ** 2 * Mask) / (NGood - 1))
NLast = -1
Iter = 0
NGood = np.sum(Mask)
if NGood < 2:
imrow = _write_row_number(lineno=lineno, offset=0, pad=1)
LOG.warning(
'djs_iterstat - No good data points; cannot compute stats{0}'.
format(imrow))
return 0, 0, 0, 0, 0, None
SaveMask = Mask.copy()
if Iter >= MaxIter:
NLast = NGood
while Iter < MaxIter and NLast != NGood and NGood >= 2:
LoVal = FMean - SigRej * FSig
HiVal = FMean + SigRej * FSig
Mask[InputArr < LoVal] = 0
Mask[InputArr > HiVal] = 0
NLast = NGood
npix = np.sum(Mask)
if npix >= 2:
FMean = np.sum(1.0 * InputArr * Mask) / npix
FSig = np.sqrt(np.sum((1.0 * InputArr - FMean) ** 2 * Mask) / (
npix - 1))
SaveMask = Mask.copy()
NGood = npix
Iter += 1
else:
break
logical_mask = SaveMask.astype(np.bool)
if NLast > 1:
FMedian = np.median(InputArr[logical_mask])
NLast = NGood
else:
FMedian = FMean
return FMean, FSig, FMedian, NLast, Iter, logical_mask
|
djs_iterstat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(InputArr, MaxIter=10, SigRej=3.0, Max=None, Min=None, Mask=None,\n lineno=None):\n NGood = InputArr.size\n ArrShape = InputArr.shape\n if NGood == 0:\n imrow = _write_row_number(lineno=lineno, offset=0, pad=1)\n LOG.warning('djs_iterstat - No data points given' + imrow)\n return 0, 0, 0, 0, 0, None\n if NGood == 1:\n imrow = _write_row_number(lineno=lineno, offset=0, pad=1)\n LOG.warning(\n 'djs_iterstat - Only one data point; cannot compute stats{0}'.\n format(imrow))\n return 0, 0, 0, 0, 0, None\n if np.unique(InputArr).size == 1:\n imrow = _write_row_number(lineno=lineno, offset=0, pad=1)\n LOG.warning(\n 'djs_iterstat - Only one value in data; cannot compute stats{0}'\n .format(imrow))\n return 0, 0, 0, 0, 0, None\n if Max is None:\n Max = InputArr.max()\n if Min is None:\n Min = InputArr.min()\n if Mask is None:\n Mask = np.ones(ArrShape, dtype=np.byte)\n else:\n Mask = Mask.copy()\n Mask[InputArr > Max] = 0\n Mask[InputArr < Min] = 0\n FMean = np.sum(1.0 * InputArr * Mask) / NGood\n FSig = np.sqrt(np.sum((1.0 * InputArr - FMean) ** 2 * Mask) / (NGood - 1))\n NLast = -1\n Iter = 0\n NGood = np.sum(Mask)\n if NGood < 2:\n imrow = _write_row_number(lineno=lineno, offset=0, pad=1)\n LOG.warning(\n 'djs_iterstat - No good data points; cannot compute stats{0}'.\n format(imrow))\n return 0, 0, 0, 0, 0, None\n SaveMask = Mask.copy()\n if Iter >= MaxIter:\n NLast = NGood\n while Iter < MaxIter and NLast != NGood and NGood >= 2:\n LoVal = FMean - SigRej * FSig\n HiVal = FMean + SigRej * FSig\n Mask[InputArr < LoVal] = 0\n Mask[InputArr > HiVal] = 0\n NLast = NGood\n npix = np.sum(Mask)\n if npix >= 2:\n FMean = np.sum(1.0 * InputArr * Mask) / npix\n FSig = np.sqrt(np.sum((1.0 * InputArr - FMean) ** 2 * Mask) / (\n npix - 1))\n SaveMask = Mask.copy()\n NGood = npix\n Iter += 1\n else:\n break\n logical_mask = SaveMask.astype(np.bool)\n if NLast > 1:\n FMedian = np.median(InputArr[logical_mask])\n NLast = NGood\n else:\n FMedian = FMean\n return FMean, FSig, FMedian, NLast, Iter, logical_mask\n",
"role": "user"
},
{
"content": "djs_iterstat",
"role": "assistant"
}
] |
def x(configobj=None):
clean(configobj['input'], suffix=configobj['suffix'], stat=configobj[
'stat'], maxiter=configobj['maxiter'], sigrej=configobj['sigrej'],
lower=configobj['lower'], upper=configobj['upper'], binwidth=
configobj['binwidth'], mask1=configobj['mask1'], mask2=configobj[
'mask2'], dqbits=configobj['dqbits'], rpt_clean=configobj[
'rpt_clean'], atol=configobj['atol'], cte_correct=configobj[
'cte_correct'], clobber=configobj['clobber'], verbose=configobj[
'verbose'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n clean(configobj['input'], suffix=configobj['suffix'], stat=configobj[\n 'stat'], maxiter=configobj['maxiter'], sigrej=configobj['sigrej'],\n lower=configobj['lower'], upper=configobj['upper'], binwidth=\n configobj['binwidth'], mask1=configobj['mask1'], mask2=configobj[\n 'mask2'], dqbits=configobj['dqbits'], rpt_clean=configobj[\n 'rpt_clean'], atol=configobj['atol'], cte_correct=configobj[\n 'cte_correct'], clobber=configobj['clobber'], verbose=configobj[\n 'verbose'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x():
import argparse
parser = argparse.ArgumentParser(prog=__taskname__, description=
'Remove horizontal stripes from ACS WFC post-SM4 data.')
parser.add_argument('arg0', metavar='input', type=str, help='Input file')
parser.add_argument('arg1', metavar='suffix', type=str, help=
'Output suffix')
parser.add_argument('maxiter', nargs='?', type=int, default=15, help=
'Max #iterations')
parser.add_argument('sigrej', nargs='?', type=float, default=2.0, help=
'Rejection sigma')
parser.add_argument('--stat', type=str, default='pmode1', help=
'Background statistics')
parser.add_argument('--lower', nargs='?', type=float, default=None,
help='Lower limit for "good" pixels.')
parser.add_argument('--upper', nargs='?', type=float, default=None,
help='Upper limit for "good" pixels.')
parser.add_argument('--binwidth', type=float, default=0.1, help=
'Bin width for distribution sampling.')
parser.add_argument('--mask1', nargs=1, type=str, default=None, help=
'Mask image for [SCI,1]')
parser.add_argument('--mask2', nargs=1, type=str, default=None, help=
'Mask image for [SCI,2]')
parser.add_argument('--dqbits', nargs='?', type=str, default=None, help
='DQ bits to be considered "good".')
parser.add_argument('--rpt_clean', type=int, default=0, help=
'Number of *repeated* bias de-stripes to perform.')
parser.add_argument('--atol', nargs='?', type=float, default=0.01, help
='Absolute tolerance to stop *repeated* bias de-stripes.')
parser.add_argument('-c', '--clobber', action='store_true', help=
'Clobber output')
parser.add_argument('-q', '--quiet', action='store_true', help=
'Do not print informational messages')
parser.add_argument('--version', action='version', version=
'{0} v{1} ({2})'.format(__taskname__, __version__, __vdate__))
args = parser.parse_args()
if args.mask1:
mask1 = args.mask1[0]
else:
mask1 = args.mask1
if args.mask2:
mask2 = args.mask2[0]
else:
mask2 = args.mask2
clean(args.arg0, args.arg1, stat=args.stat, maxiter=args.maxiter,
sigrej=args.sigrej, lower=args.lower, upper=args.upper, binwidth=
args.binwidth, mask1=mask1, mask2=mask2, dqbits=args.dqbits,
rpt_clean=args.rpt_clean, atol=args.atol, clobber=args.clobber,
verbose=not args.quiet)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import argparse\n parser = argparse.ArgumentParser(prog=__taskname__, description=\n 'Remove horizontal stripes from ACS WFC post-SM4 data.')\n parser.add_argument('arg0', metavar='input', type=str, help='Input file')\n parser.add_argument('arg1', metavar='suffix', type=str, help=\n 'Output suffix')\n parser.add_argument('maxiter', nargs='?', type=int, default=15, help=\n 'Max #iterations')\n parser.add_argument('sigrej', nargs='?', type=float, default=2.0, help=\n 'Rejection sigma')\n parser.add_argument('--stat', type=str, default='pmode1', help=\n 'Background statistics')\n parser.add_argument('--lower', nargs='?', type=float, default=None,\n help='Lower limit for \"good\" pixels.')\n parser.add_argument('--upper', nargs='?', type=float, default=None,\n help='Upper limit for \"good\" pixels.')\n parser.add_argument('--binwidth', type=float, default=0.1, help=\n 'Bin width for distribution sampling.')\n parser.add_argument('--mask1', nargs=1, type=str, default=None, help=\n 'Mask image for [SCI,1]')\n parser.add_argument('--mask2', nargs=1, type=str, default=None, help=\n 'Mask image for [SCI,2]')\n parser.add_argument('--dqbits', nargs='?', type=str, default=None, help\n ='DQ bits to be considered \"good\".')\n parser.add_argument('--rpt_clean', type=int, default=0, help=\n 'Number of *repeated* bias de-stripes to perform.')\n parser.add_argument('--atol', nargs='?', type=float, default=0.01, help\n ='Absolute tolerance to stop *repeated* bias de-stripes.')\n parser.add_argument('-c', '--clobber', action='store_true', help=\n 'Clobber output')\n parser.add_argument('-q', '--quiet', action='store_true', help=\n 'Do not print informational messages')\n parser.add_argument('--version', action='version', version=\n '{0} v{1} ({2})'.format(__taskname__, __version__, __vdate__))\n args = parser.parse_args()\n if args.mask1:\n mask1 = args.mask1[0]\n else:\n mask1 = args.mask1\n if args.mask2:\n mask2 = args.mask2[0]\n else:\n mask2 = args.mask2\n clean(args.arg0, args.arg1, stat=args.stat, maxiter=args.maxiter,\n sigrej=args.sigrej, lower=args.lower, upper=args.upper, binwidth=\n args.binwidth, mask1=mask1, mask2=mask2, dqbits=args.dqbits,\n rpt_clean=args.rpt_clean, atol=args.atol, clobber=args.clobber,\n verbose=not args.quiet)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
self.science = self.hdulist['sci', 1].data
self.err = self.hdulist['err', 1].data
self.dq = self.hdulist['dq', 1].data
if self.ampstring == 'ABCD':
self.science = np.concatenate((self.science, self.hdulist['sci', 2]
.data[::-1, :]), axis=1)
self.err = np.concatenate((self.err, self.hdulist['err', 2].data[::
-1, :]), axis=1)
self.dq = np.concatenate((self.dq, self.hdulist['dq', 2].data[::-1,
:]), axis=1)
self.ingest_dark()
self.ingest_flash()
self.ingest_flatfield()
|
configure_arrays
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.science = self.hdulist['sci', 1].data\n self.err = self.hdulist['err', 1].data\n self.dq = self.hdulist['dq', 1].data\n if self.ampstring == 'ABCD':\n self.science = np.concatenate((self.science, self.hdulist['sci', 2]\n .data[::-1, :]), axis=1)\n self.err = np.concatenate((self.err, self.hdulist['err', 2].data[::\n -1, :]), axis=1)\n self.dq = np.concatenate((self.dq, self.hdulist['dq', 2].data[::-1,\n :]), axis=1)\n self.ingest_dark()\n self.ingest_flash()\n self.ingest_flatfield()\n",
"role": "user"
},
{
"content": "configure_arrays",
"role": "assistant"
}
] |
def x(self):
self.invflat = extract_flatfield(self.hdulist[0].header, self.hdulist[1])
if self.invflat is None:
self.invflat = np.ones_like(self.science)
return
if self.flatcorr != 'COMPLETE':
self.science = self.science * self.invflat
self.err = self.err * self.invflat
|
ingest_flatfield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.invflat = extract_flatfield(self.hdulist[0].header, self.hdulist[1])\n if self.invflat is None:\n self.invflat = np.ones_like(self.science)\n return\n if self.flatcorr != 'COMPLETE':\n self.science = self.science * self.invflat\n self.err = self.err * self.invflat\n",
"role": "user"
},
{
"content": "ingest_flatfield",
"role": "assistant"
}
] |
def x(self):
self.flash = extract_flash(self.hdulist[0].header, self.hdulist[1])
if self.flash is None:
self.flash = np.zeros_like(self.science)
return
if self.flshcorr != 'COMPLETE':
self.science = self.science - self.flash
|
ingest_flash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.flash = extract_flash(self.hdulist[0].header, self.hdulist[1])\n if self.flash is None:\n self.flash = np.zeros_like(self.science)\n return\n if self.flshcorr != 'COMPLETE':\n self.science = self.science - self.flash\n",
"role": "user"
},
{
"content": "ingest_flash",
"role": "assistant"
}
] |
def x(self):
self.dark = extract_dark(self.hdulist[0].header, self.hdulist[1])
if self.dark is None:
self.dark = np.zeros_like(self.science)
return
if self.darkcorr != 'COMPLETE':
self.science = self.science - self.dark
|
ingest_dark
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.dark = extract_dark(self.hdulist[0].header, self.hdulist[1])\n if self.dark is None:\n self.dark = np.zeros_like(self.science)\n return\n if self.darkcorr != 'COMPLETE':\n self.science = self.science - self.dark\n",
"role": "user"
},
{
"content": "ingest_dark",
"role": "assistant"
}
] |
def x(self, output, clobber=False):
if self.flatcorr != 'COMPLETE':
self.science = self.science / self.invflat
self.err = self.err / self.invflat
if self.flshcorr != 'COMPLETE':
self.science = self.science + self.flash
if self.darkcorr != 'COMPLETE':
self.science = self.science + self.dark
if self.ampstring == 'ABCD':
tmp_1, tmp_2 = np.split(self.science, 2, axis=1)
self.hdulist['sci', 1].data = tmp_1.copy()
self.hdulist['sci', 2].data = tmp_2[::-1, :].copy()
tmp_1, tmp_2 = np.split(self.err, 2, axis=1)
self.hdulist['err', 1].data = tmp_1.copy()
self.hdulist['err', 2].data = tmp_2[::-1, :].copy()
else:
self.hdulist['sci', 1].data = self.science.copy()
self.hdulist['err', 1].data = self.err.copy()
self.hdulist.writeto(output, overwrite=clobber)
|
write_corrected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output, clobber=False):\n if self.flatcorr != 'COMPLETE':\n self.science = self.science / self.invflat\n self.err = self.err / self.invflat\n if self.flshcorr != 'COMPLETE':\n self.science = self.science + self.flash\n if self.darkcorr != 'COMPLETE':\n self.science = self.science + self.dark\n if self.ampstring == 'ABCD':\n tmp_1, tmp_2 = np.split(self.science, 2, axis=1)\n self.hdulist['sci', 1].data = tmp_1.copy()\n self.hdulist['sci', 2].data = tmp_2[::-1, :].copy()\n tmp_1, tmp_2 = np.split(self.err, 2, axis=1)\n self.hdulist['err', 1].data = tmp_1.copy()\n self.hdulist['err', 2].data = tmp_2[::-1, :].copy()\n else:\n self.hdulist['sci', 1].data = self.science.copy()\n self.hdulist['err', 1].data = self.err.copy()\n self.hdulist.writeto(output, overwrite=clobber)\n",
"role": "user"
},
{
"content": "write_corrected",
"role": "assistant"
}
] |
def x(input_file, exec_path=None, time_stamps=False, temp_files=False,
verbose=False, debug=False, quiet=False, single_core=False, exe_args=None):
if exec_path:
if not os.path.exists(exec_path):
raise OSError('Executable not found: ' + exec_path)
call_list = [exec_path]
else:
call_list = ['calacs.e']
if time_stamps:
call_list.append('-t')
if temp_files:
call_list.append('-s')
if verbose:
call_list.append('-v')
if debug:
call_list.append('-d')
if quiet:
call_list.append('-q')
if single_core:
call_list.append('-1')
if not os.path.exists(input_file):
raise IOError('Input file not found: ' + input_file)
call_list.append(input_file)
if exe_args:
call_list.extend(exe_args)
subprocess.check_call(call_list)
|
calacs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_file, exec_path=None, time_stamps=False, temp_files=False,\n verbose=False, debug=False, quiet=False, single_core=False, exe_args=None):\n if exec_path:\n if not os.path.exists(exec_path):\n raise OSError('Executable not found: ' + exec_path)\n call_list = [exec_path]\n else:\n call_list = ['calacs.e']\n if time_stamps:\n call_list.append('-t')\n if temp_files:\n call_list.append('-s')\n if verbose:\n call_list.append('-v')\n if debug:\n call_list.append('-d')\n if quiet:\n call_list.append('-q')\n if single_core:\n call_list.append('-1')\n if not os.path.exists(input_file):\n raise IOError('Input file not found: ' + input_file)\n call_list.append(input_file)\n if exe_args:\n call_list.extend(exe_args)\n subprocess.check_call(call_list)\n",
"role": "user"
},
{
"content": "calacs",
"role": "assistant"
}
] |
def x(configobj=None):
calacs(configobj['input_file'], exec_path=configobj['exec_path'],
time_stamps=configobj['time_stamps'], temp_files=configobj[
'temp_files'], verbose=configobj['verbose'], debug=configobj[
'debug'], quiet=configobj['quiet'], single_core=configobj[
'single_core'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n calacs(configobj['input_file'], exec_path=configobj['exec_path'],\n time_stamps=configobj['time_stamps'], temp_files=configobj[\n 'temp_files'], verbose=configobj['verbose'], debug=configobj[\n 'debug'], quiet=configobj['quiet'], single_core=configobj[\n 'single_core'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, user):
for perm in self.get_all_model_permissions():
if self.has_specific_permission(user, perm.codename):
return True
return False
|
has_any_permissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n for perm in self.get_all_model_permissions():\n if self.has_specific_permission(user, perm.codename):\n return True\n return False\n",
"role": "user"
},
{
"content": "has_any_permissions",
"role": "assistant"
}
] |
def x(self, user):
parents_qs = Page.objects.none()
for pt in self.model.allowed_parent_page_models():
pt_items = Page.objects.type(pt)
parents_qs = parents_qs | pt_items
for page in parents_qs.all():
if not page.permissions_for_user(user).can_add_subpage():
parents_qs = parents_qs.exclude(pk=page.pk)
return parents_qs
|
get_valid_parent_pages
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n parents_qs = Page.objects.none()\n for pt in self.model.allowed_parent_page_models():\n pt_items = Page.objects.type(pt)\n parents_qs = parents_qs | pt_items\n for page in parents_qs.all():\n if not page.permissions_for_user(user).can_add_subpage():\n parents_qs = parents_qs.exclude(pk=page.pk)\n return parents_qs\n",
"role": "user"
},
{
"content": "get_valid_parent_pages",
"role": "assistant"
}
] |
def x(input, output, exec_path='', time_stamps=False, verbose=False,
shadcorr=False, crrejtab='', crmask=False, scalense=None, initgues='',
skysub='', crsigmas='', crradius=None, crthresh=None, badinpdq=None,
newbias=False, readnoise_only=False, exe_args=None):
from stsci.tools import parseinput
if exec_path:
if not os.path.exists(exec_path):
raise OSError('Executable not found: ' + exec_path)
call_list = [exec_path]
else:
call_list = ['acsrej.e']
infiles, dummy_out = parseinput.parseinput(input)
call_list.append(','.join(infiles))
call_list.append(output)
if time_stamps:
call_list.append('-t')
if verbose:
call_list.append('-v')
if shadcorr:
call_list.append('-shadcorr')
if crrejtab:
call_list += ['-table', crrejtab]
if crmask:
call_list.append('-crmask')
if scalense is not None:
if scalense < 0 or scalense > 100:
raise ValueError('SCALENSE must be 0 to 100')
call_list += ['-scale', str(scalense)]
if initgues:
if initgues not in ('med', 'min'):
raise ValueError('INITGUES must be "med" or "min"')
call_list += ['-init', initgues]
if skysub:
if skysub not in ('none', 'mode'):
raise ValueError('SKYSUB must be "none" or "mode"')
call_list += ['-sky', skysub]
if crsigmas:
call_list += ['-sigmas', crsigmas]
if crradius is not None:
call_list += ['-radius', str(crradius)]
if crthresh is not None:
call_list += ['-thresh ', str(crthresh)]
if badinpdq is not None:
call_list += ['-pdq', str(badinpdq)]
if newbias:
warnings.warn('newbias is deprecated, use readnoise_only',
ACSREJDeprecationWarning)
readnoise_only = newbias
if readnoise_only:
call_list.append('-readnoise_only')
if exe_args:
call_list.extend(exe_args)
subprocess.check_call(call_list)
|
acsrej
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, output, exec_path='', time_stamps=False, verbose=False,\n shadcorr=False, crrejtab='', crmask=False, scalense=None, initgues='',\n skysub='', crsigmas='', crradius=None, crthresh=None, badinpdq=None,\n newbias=False, readnoise_only=False, exe_args=None):\n from stsci.tools import parseinput\n if exec_path:\n if not os.path.exists(exec_path):\n raise OSError('Executable not found: ' + exec_path)\n call_list = [exec_path]\n else:\n call_list = ['acsrej.e']\n infiles, dummy_out = parseinput.parseinput(input)\n call_list.append(','.join(infiles))\n call_list.append(output)\n if time_stamps:\n call_list.append('-t')\n if verbose:\n call_list.append('-v')\n if shadcorr:\n call_list.append('-shadcorr')\n if crrejtab:\n call_list += ['-table', crrejtab]\n if crmask:\n call_list.append('-crmask')\n if scalense is not None:\n if scalense < 0 or scalense > 100:\n raise ValueError('SCALENSE must be 0 to 100')\n call_list += ['-scale', str(scalense)]\n if initgues:\n if initgues not in ('med', 'min'):\n raise ValueError('INITGUES must be \"med\" or \"min\"')\n call_list += ['-init', initgues]\n if skysub:\n if skysub not in ('none', 'mode'):\n raise ValueError('SKYSUB must be \"none\" or \"mode\"')\n call_list += ['-sky', skysub]\n if crsigmas:\n call_list += ['-sigmas', crsigmas]\n if crradius is not None:\n call_list += ['-radius', str(crradius)]\n if crthresh is not None:\n call_list += ['-thresh ', str(crthresh)]\n if badinpdq is not None:\n call_list += ['-pdq', str(badinpdq)]\n if newbias:\n warnings.warn('newbias is deprecated, use readnoise_only',\n ACSREJDeprecationWarning)\n readnoise_only = newbias\n if readnoise_only:\n call_list.append('-readnoise_only')\n if exe_args:\n call_list.extend(exe_args)\n subprocess.check_call(call_list)\n",
"role": "user"
},
{
"content": "acsrej",
"role": "assistant"
}
] |
def x(configobj=None):
acsrej(configobj['input'], configobj['output'], exec_path=configobj[
'exec_path'], time_stamps=configobj['time_stamps'], verbose=
configobj['verbose'], shadcorr=configobj['shadcorr'], crrejtab=
configobj['crrejtab'], crmask=configobj['crmask'], scalense=
configobj['scalense'], initgues=configobj['initgues'], skysub=
configobj['skysub'], crsigmas=configobj['crsigmas'], crradius=
configobj['crradius'], crthresh=configobj['crthresh'], badinpdq=
configobj['badinpdq'], readnoise_only=configobj['readnoise_only'])
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configobj=None):\n acsrej(configobj['input'], configobj['output'], exec_path=configobj[\n 'exec_path'], time_stamps=configobj['time_stamps'], verbose=\n configobj['verbose'], shadcorr=configobj['shadcorr'], crrejtab=\n configobj['crrejtab'], crmask=configobj['crmask'], scalense=\n configobj['scalense'], initgues=configobj['initgues'], skysub=\n configobj['skysub'], crsigmas=configobj['crsigmas'], crradius=\n configobj['crradius'], crthresh=configobj['crthresh'], badinpdq=\n configobj['badinpdq'], readnoise_only=configobj['readnoise_only'])\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x():
builtin_function = type(''.join)
if hasattr(os, 'fork') and isinstance(os.fork, builtin_function):
global _orig_os_fork
_orig_os_fork = os.fork
os.fork = os_fork_wrapper
if hasattr(os, 'forkpty') and isinstance(os.forkpty, builtin_function):
global _orig_os_forkpty
_orig_os_forkpty = os.forkpty
os.forkpty = os_forkpty_wrapper
|
monkeypatch_os_fork_functions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n builtin_function = type(''.join)\n if hasattr(os, 'fork') and isinstance(os.fork, builtin_function):\n global _orig_os_fork\n _orig_os_fork = os.fork\n os.fork = os_fork_wrapper\n if hasattr(os, 'forkpty') and isinstance(os.forkpty, builtin_function):\n global _orig_os_forkpty\n _orig_os_forkpty = os.forkpty\n os.forkpty = os_forkpty_wrapper\n",
"role": "user"
},
{
"content": "monkeypatch_os_fork_functions",
"role": "assistant"
}
] |
def x(prepare=None, parent=None, child=None):
assert not prepare or callable(prepare)
assert not parent or callable(parent)
assert not child or callable(child)
_fork_lock.acquire()
try:
if prepare:
_prepare_call_list.append(prepare)
if parent:
_parent_call_list.append(parent)
if child:
_child_call_list.append(child)
finally:
_fork_lock.release()
|
atfork
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prepare=None, parent=None, child=None):\n assert not prepare or callable(prepare)\n assert not parent or callable(parent)\n assert not child or callable(child)\n _fork_lock.acquire()\n try:\n if prepare:\n _prepare_call_list.append(prepare)\n if parent:\n _parent_call_list.append(parent)\n if child:\n _child_call_list.append(child)\n finally:\n _fork_lock.release()\n",
"role": "user"
},
{
"content": "atfork",
"role": "assistant"
}
] |
def x(call_list):
exception_list = []
for func in call_list:
try:
func()
except:
exception_list.append(sys.exc_info())
return exception_list
|
call_atfork_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(call_list):\n exception_list = []\n for func in call_list:\n try:\n func()\n except:\n exception_list.append(sys.exc_info())\n return exception_list\n",
"role": "user"
},
{
"content": "call_atfork_list",
"role": "assistant"
}
] |
def x():
prepare_exceptions = list(_prepare_call_exceptions)
del _prepare_call_exceptions[:]
exceptions = _call_atfork_list(_parent_call_list)
_fork_lock.release()
_print_exception_list(prepare_exceptions, 'before fork')
_print_exception_list(exceptions, 'after fork from parent')
|
parent_after_fork_release
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n prepare_exceptions = list(_prepare_call_exceptions)\n del _prepare_call_exceptions[:]\n exceptions = _call_atfork_list(_parent_call_list)\n _fork_lock.release()\n _print_exception_list(prepare_exceptions, 'before fork')\n _print_exception_list(exceptions, 'after fork from parent')\n",
"role": "user"
},
{
"content": "parent_after_fork_release",
"role": "assistant"
}
] |
def x(exceptions, message, output_file=None):
output_file = output_file or sys.stderr
message = 'Exception %s:\n' % message
for exc_type, exc_value, exc_traceback in exceptions:
output_file.write(message)
traceback.print_exception(exc_type, exc_value, exc_traceback, file=
output_file)
output_file.write('\n')
|
print_exception_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exceptions, message, output_file=None):\n output_file = output_file or sys.stderr\n message = 'Exception %s:\\n' % message\n for exc_type, exc_value, exc_traceback in exceptions:\n output_file.write(message)\n traceback.print_exception(exc_type, exc_value, exc_traceback, file=\n output_file)\n output_file.write('\\n')\n",
"role": "user"
},
{
"content": "print_exception_list",
"role": "assistant"
}
] |
def x():
pid = None
prepare_to_fork_acquire()
try:
pid, fd = _orig_os_forkpty()
finally:
if pid == 0:
child_after_fork_release()
else:
parent_after_fork_release()
return pid, fd
|
os_forkpty_wrapper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pid = None\n prepare_to_fork_acquire()\n try:\n pid, fd = _orig_os_forkpty()\n finally:\n if pid == 0:\n child_after_fork_release()\n else:\n parent_after_fork_release()\n return pid, fd\n",
"role": "user"
},
{
"content": "os_forkpty_wrapper",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, Maybe):
return value
if value is not None:
return Something(value)
return Nothing()
|
maybe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, Maybe):\n return value\n if value is not None:\n return Something(value)\n return Nothing()\n",
"role": "user"
},
{
"content": "maybe",
"role": "assistant"
}
] |
def x(self):
TelnetHandlerBase.setup(self)
self.greenlet_ic = eventlet.spawn(self.inputcooker)
eventlet.sleep(0.5)
|
setup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n TelnetHandlerBase.setup(self)\n self.greenlet_ic = eventlet.spawn(self.inputcooker)\n eventlet.sleep(0.5)\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self, char):
if type(char) in [type(()), type([]), type('')]:
for v in char:
self.cookedq.put(v)
else:
self.cookedq.put(char)
|
inputcooker_store_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n if type(char) in [type(()), type([]), type('')]:\n for v in char:\n self.cookedq.put(v)\n else:\n self.cookedq.put(char)\n",
"role": "user"
},
{
"content": "inputcooker_store_queue",
"role": "assistant"
}
] |
def x(cls, socket, address):
request = cls.dummy_request()
request._sock = socket
server = None
cls(request, address, server)
|
streamserver_handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, socket, address):\n request = cls.dummy_request()\n request._sock = socket\n server = None\n cls(request, address, server)\n",
"role": "user"
},
{
"content": "streamserver_handle",
"role": "assistant"
}
] |
def x(self, channel):
try:
self.channels[channel].start()
except KeyError:
log.error(
'Requested to start a channel (%r) that was not previously set up.'
, channel)
return False
else:
return True
|
check_channel_shell_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n try:\n self.channels[channel].start()\n except KeyError:\n log.error(\n 'Requested to start a channel (%r) that was not previously set up.'\n , channel)\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "check_channel_shell_request",
"role": "assistant"
}
] |
def x(self, channel, term, width, height, pixelwidth, pixelheight, modes):
log.debug('PTY requested. Setting up %r.', self.telnet_handler)
pty_thread = Thread(target=self.start_pty_request, args=(channel, term,
modes))
self.channels[channel] = pty_thread
return True
|
check_channel_pty_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, term, width, height, pixelwidth, pixelheight, modes):\n log.debug('PTY requested. Setting up %r.', self.telnet_handler)\n pty_thread = Thread(target=self.start_pty_request, args=(channel, term,\n modes))\n self.channels[channel] = pty_thread\n return True\n",
"role": "user"
},
{
"content": "check_channel_pty_request",
"role": "assistant"
}
] |
def x(url, file_name):
r = requests.get(url, stream=True)
file_size = int(r.headers['Content-length'])
"""
if py3:
file_size = int(u.getheader("Content-Length")[0])
else:
file_size = int(u.info().getheaders("Content-Length")[0])
"""
file_exists = False
if os.path.isfile(file_name):
local_file_size = os.path.getsize(file_name)
if local_file_size == file_size:
sha1_file = file_name + '.sha1'
if os.path.isfile(sha1_file):
print('sha1 found')
with open(sha1_file) as f:
expected_sha1 = f.read()
BLOCKSIZE = 65536
sha1 = hashlib.sha1()
with open(file_name) as f:
buff = f.read(BLOCKSIZE)
while len(buff) > 0:
sha1.update(buff)
buff = f.read(BLOCKSIZE)
if expected_sha1 == sha1:
file_exists = True
else:
print('File corrupt. Downloading again.')
os.remove(file_name)
else:
file_exists = True
else:
print('File corrupt. Downloading again.')
os.remove(file_name)
if not file_exists:
factor = int(math.floor(math.log(file_size) / math.log(1024)))
display_file_size = str(file_size / 1024 ** factor) + ['B', 'KB',
'MB', 'GB', 'TB', 'PB'][factor]
print('Source: ' + url)
print('Destination ' + file_name)
print('Size: ' + display_file_size)
file_size_dl = 0
block_sz = 8192
f = open(file_name, 'wb')
pbar = ProgressBar(file_size)
for chunk in r.iter_content(chunk_size=block_sz):
if not chunk:
continue
chunk_size = len(chunk)
file_size_dl += chunk_size
f.write(chunk)
pbar.update(chunk_size)
f.close()
else:
print('File already exists - ' + file_name)
return True
|
download
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, file_name):\n r = requests.get(url, stream=True)\n file_size = int(r.headers['Content-length'])\n \"\"\"\n if py3:\n file_size = int(u.getheader(\"Content-Length\")[0])\n else:\n file_size = int(u.info().getheaders(\"Content-Length\")[0])\n \"\"\"\n file_exists = False\n if os.path.isfile(file_name):\n local_file_size = os.path.getsize(file_name)\n if local_file_size == file_size:\n sha1_file = file_name + '.sha1'\n if os.path.isfile(sha1_file):\n print('sha1 found')\n with open(sha1_file) as f:\n expected_sha1 = f.read()\n BLOCKSIZE = 65536\n sha1 = hashlib.sha1()\n with open(file_name) as f:\n buff = f.read(BLOCKSIZE)\n while len(buff) > 0:\n sha1.update(buff)\n buff = f.read(BLOCKSIZE)\n if expected_sha1 == sha1:\n file_exists = True\n else:\n print('File corrupt. Downloading again.')\n os.remove(file_name)\n else:\n file_exists = True\n else:\n print('File corrupt. Downloading again.')\n os.remove(file_name)\n if not file_exists:\n factor = int(math.floor(math.log(file_size) / math.log(1024)))\n display_file_size = str(file_size / 1024 ** factor) + ['B', 'KB',\n 'MB', 'GB', 'TB', 'PB'][factor]\n print('Source: ' + url)\n print('Destination ' + file_name)\n print('Size: ' + display_file_size)\n file_size_dl = 0\n block_sz = 8192\n f = open(file_name, 'wb')\n pbar = ProgressBar(file_size)\n for chunk in r.iter_content(chunk_size=block_sz):\n if not chunk:\n continue\n chunk_size = len(chunk)\n file_size_dl += chunk_size\n f.write(chunk)\n pbar.update(chunk_size)\n f.close()\n else:\n print('File already exists - ' + file_name)\n return True\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(self, end_user_ip, personal_number=None, requirement=None, **kwargs):
data = {'endUserIp': end_user_ip}
if personal_number:
data['personalNumber'] = personal_number
if requirement and isinstance(requirement, dict):
data['requirement'] = requirement
data.update(kwargs)
response = self.client.post(self._auth_endpoint, json=data)
if response.status_code == 200:
return response.json()
else:
raise get_json_error_class(response)
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, end_user_ip, personal_number=None, requirement=None, **kwargs):\n data = {'endUserIp': end_user_ip}\n if personal_number:\n data['personalNumber'] = personal_number\n if requirement and isinstance(requirement, dict):\n data['requirement'] = requirement\n data.update(kwargs)\n response = self.client.post(self._auth_endpoint, json=data)\n if response.status_code == 200:\n return response.json()\n else:\n raise get_json_error_class(response)\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self, end_user_ip, user_visible_data, personal_number=None,
requirement=None, user_non_visible_data=None, **kwargs):
data = {'endUserIp': end_user_ip}
if personal_number:
data['personalNumber'] = personal_number
data['userVisibleData'] = self._encode_user_data(user_visible_data)
if user_non_visible_data:
data['userNonVisibleData'] = self._encode_user_data(
user_non_visible_data)
if requirement and isinstance(requirement, dict):
data['requirement'] = requirement
data.update(kwargs)
response = self.client.post(self._sign_endpoint, json=data)
if response.status_code == 200:
return response.json()
else:
raise get_json_error_class(response)
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, end_user_ip, user_visible_data, personal_number=None,\n requirement=None, user_non_visible_data=None, **kwargs):\n data = {'endUserIp': end_user_ip}\n if personal_number:\n data['personalNumber'] = personal_number\n data['userVisibleData'] = self._encode_user_data(user_visible_data)\n if user_non_visible_data:\n data['userNonVisibleData'] = self._encode_user_data(\n user_non_visible_data)\n if requirement and isinstance(requirement, dict):\n data['requirement'] = requirement\n data.update(kwargs)\n response = self.client.post(self._sign_endpoint, json=data)\n if response.status_code == 200:\n return response.json()\n else:\n raise get_json_error_class(response)\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, order_ref):
response = self.client.post(self._collect_endpoint, json={'orderRef':
order_ref})
if response.status_code == 200:
return response.json()
else:
raise get_json_error_class(response)
|
collect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, order_ref):\n response = self.client.post(self._collect_endpoint, json={'orderRef':\n order_ref})\n if response.status_code == 200:\n return response.json()\n else:\n raise get_json_error_class(response)\n",
"role": "user"
},
{
"content": "collect",
"role": "assistant"
}
] |
def x(self, order_ref):
response = self.client.post(self._cancel_endpoint, json={'orderRef':
order_ref})
if response.status_code == 200:
return response.json() == {}
else:
raise get_json_error_class(response)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, order_ref):\n response = self.client.post(self._cancel_endpoint, json={'orderRef':\n order_ref})\n if response.status_code == 200:\n return response.json() == {}\n else:\n raise get_json_error_class(response)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self):
TelnetHandlerBase.setup(self)
self.thread_ic = threading.Thread(target=self.inputcooker)
self.thread_ic.setDaemon(True)
self.thread_ic.start()
time.sleep(0.5)
|
setup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n TelnetHandlerBase.setup(self)\n self.thread_ic = threading.Thread(target=self.inputcooker)\n self.thread_ic.setDaemon(True)\n self.thread_ic.start()\n time.sleep(0.5)\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self, block=True):
if not block:
if not len(self.cookedq):
return ''
while not len(self.cookedq):
time.sleep(0.05)
self.IQUEUELOCK.acquire()
ret = self.cookedq[0]
self.cookedq = self.cookedq[1:]
self.IQUEUELOCK.release()
return ret
|
getc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block=True):\n if not block:\n if not len(self.cookedq):\n return ''\n while not len(self.cookedq):\n time.sleep(0.05)\n self.IQUEUELOCK.acquire()\n ret = self.cookedq[0]\n self.cookedq = self.cookedq[1:]\n self.IQUEUELOCK.release()\n return ret\n",
"role": "user"
},
{
"content": "getc",
"role": "assistant"
}
] |
def x(self, char):
self.IQUEUELOCK.acquire()
if type(char) in [type(()), type([]), type('')]:
for v in char:
self.cookedq.append(v)
else:
self.cookedq.append(char)
self.IQUEUELOCK.release()
|
inputcooker_store_queue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n self.IQUEUELOCK.acquire()\n if type(char) in [type(()), type([]), type('')]:\n for v in char:\n self.cookedq.append(v)\n else:\n self.cookedq.append(char)\n self.IQUEUELOCK.release()\n",
"role": "user"
},
{
"content": "inputcooker_store_queue",
"role": "assistant"
}
] |
def x(self, text):
self.IQUEUELOCK.acquire()
TelnetHandlerBase.writemessage(self, text)
self.IQUEUELOCK.release()
|
writemessage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n self.IQUEUELOCK.acquire()\n TelnetHandlerBase.writemessage(self, text)\n self.IQUEUELOCK.release()\n",
"role": "user"
},
{
"content": "writemessage",
"role": "assistant"
}
] |
def x(self, text):
self.OQUEUELOCK.acquire()
TelnetHandlerBase.writecooked(self, text)
self.OQUEUELOCK.release()
|
writecooked
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n self.OQUEUELOCK.acquire()\n TelnetHandlerBase.writecooked(self, text)\n self.OQUEUELOCK.release()\n",
"role": "user"
},
{
"content": "writecooked",
"role": "assistant"
}
] |
def x(certificate_path, destination_folder, password=None):
try:
p = subprocess.Popen(['openssl', 'version'], stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
sout, serr = p.communicate()
openssl_executable_version = sout.decode().lower()
if not (openssl_executable_version.startswith('openssl') or
openssl_executable_version.startswith('libressl')):
raise BankIDError(
'OpenSSL executable could not be found. Splitting cannot be performed.'
)
openssl_executable = 'openssl'
except Exception:
p = subprocess.Popen([
'C:\\Program Files\\Git\\mingw64\\bin\\openssl.exe', 'version'],
stdout=subprocess.PIPE, stderr=subprocess.PIPE)
sout, serr = p.communicate()
if not sout.decode().lower().startswith('openssl'):
raise BankIDError(
'OpenSSL executable could not be found. Splitting cannot be performed.'
)
openssl_executable = (
'C:\\Program Files\\Git\\mingw64\\bin\\openssl.exe')
if not os.path.exists(os.path.abspath(os.path.expanduser(
destination_folder))):
os.makedirs(os.path.abspath(os.path.expanduser(destination_folder)))
out_cert_path = os.path.join(os.path.abspath(os.path.expanduser(
destination_folder)), 'certificate.pem')
out_key_path = os.path.join(os.path.abspath(os.path.expanduser(
destination_folder)), 'key.pem')
pipeline_1 = [openssl_executable, 'pkcs12', '-in', '{0}'.format(
certificate_path), '-passin' if password is not None else '',
'pass:{0}'.format(password) if password is not None else '', '-out',
'{0}'.format(out_cert_path), '-clcerts', '-nokeys']
p = subprocess.Popen(list(filter(None, pipeline_1)), stdout=subprocess.
PIPE, stderr=subprocess.PIPE)
p.communicate()
pipeline_2 = [openssl_executable, 'pkcs12', '-in', '{0}'.format(
certificate_path), '-passin' if password is not None else '',
'pass:{0}'.format(password) if password is not None else '', '-out',
'{0}'.format(out_key_path), '-nocerts', '-nodes']
p = subprocess.Popen(list(filter(None, pipeline_2)), stdout=subprocess.
PIPE, stderr=subprocess.PIPE)
p.communicate()
return out_cert_path, out_key_path
|
split_certificate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(certificate_path, destination_folder, password=None):\n try:\n p = subprocess.Popen(['openssl', 'version'], stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n sout, serr = p.communicate()\n openssl_executable_version = sout.decode().lower()\n if not (openssl_executable_version.startswith('openssl') or\n openssl_executable_version.startswith('libressl')):\n raise BankIDError(\n 'OpenSSL executable could not be found. Splitting cannot be performed.'\n )\n openssl_executable = 'openssl'\n except Exception:\n p = subprocess.Popen([\n 'C:\\\\Program Files\\\\Git\\\\mingw64\\\\bin\\\\openssl.exe', 'version'],\n stdout=subprocess.PIPE, stderr=subprocess.PIPE)\n sout, serr = p.communicate()\n if not sout.decode().lower().startswith('openssl'):\n raise BankIDError(\n 'OpenSSL executable could not be found. Splitting cannot be performed.'\n )\n openssl_executable = (\n 'C:\\\\Program Files\\\\Git\\\\mingw64\\\\bin\\\\openssl.exe')\n if not os.path.exists(os.path.abspath(os.path.expanduser(\n destination_folder))):\n os.makedirs(os.path.abspath(os.path.expanduser(destination_folder)))\n out_cert_path = os.path.join(os.path.abspath(os.path.expanduser(\n destination_folder)), 'certificate.pem')\n out_key_path = os.path.join(os.path.abspath(os.path.expanduser(\n destination_folder)), 'key.pem')\n pipeline_1 = [openssl_executable, 'pkcs12', '-in', '{0}'.format(\n certificate_path), '-passin' if password is not None else '', \n 'pass:{0}'.format(password) if password is not None else '', '-out',\n '{0}'.format(out_cert_path), '-clcerts', '-nokeys']\n p = subprocess.Popen(list(filter(None, pipeline_1)), stdout=subprocess.\n PIPE, stderr=subprocess.PIPE)\n p.communicate()\n pipeline_2 = [openssl_executable, 'pkcs12', '-in', '{0}'.format(\n certificate_path), '-passin' if password is not None else '', \n 'pass:{0}'.format(password) if password is not None else '', '-out',\n '{0}'.format(out_key_path), '-nocerts', '-nodes']\n p = subprocess.Popen(list(filter(None, pipeline_2)), stdout=subprocess.\n PIPE, stderr=subprocess.PIPE)\n p.communicate()\n return out_cert_path, out_key_path\n",
"role": "user"
},
{
"content": "split_certificate",
"role": "assistant"
}
] |
def x(self, char):
if char in self.whitespace:
return
if char in self.quote_chars:
self.inquote = char
self.process_char = self.process_quote
return
if char == self.eol_char:
self.complete = True
return
self.process_char = self.process_part
self.process_char(char)
|
process_delimiter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n if char in self.whitespace:\n return\n if char in self.quote_chars:\n self.inquote = char\n self.process_char = self.process_quote\n return\n if char == self.eol_char:\n self.complete = True\n return\n self.process_char = self.process_part\n self.process_char(char)\n",
"role": "user"
},
{
"content": "process_delimiter",
"role": "assistant"
}
] |
def x(self, char):
if char in self.whitespace or char == self.eol_char:
self.parts.append(''.join(self.part))
self.part = []
self.process_char = self.process_delimiter
if char == self.eol_char:
self.complete = True
return
if char in self.quote_chars:
self.inquote = char
self.process_char = self.process_quote
return
self.part.append(char)
|
process_part
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n if char in self.whitespace or char == self.eol_char:\n self.parts.append(''.join(self.part))\n self.part = []\n self.process_char = self.process_delimiter\n if char == self.eol_char:\n self.complete = True\n return\n if char in self.quote_chars:\n self.inquote = char\n self.process_char = self.process_quote\n return\n self.part.append(char)\n",
"role": "user"
},
{
"content": "process_part",
"role": "assistant"
}
] |
def x(self, char):
if char == self.inquote:
self.process_char = self.process_part
return
try:
self.part.append(char)
except:
self.part = [char]
|
process_quote
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n if char == self.inquote:\n self.process_char = self.process_part\n return\n try:\n self.part.append(char)\n except:\n self.part = [char]\n",
"role": "user"
},
{
"content": "process_quote",
"role": "assistant"
}
] |
def x(self, char):
self.process_char = self.last_process_char
if self.part == [] and char in self.whitespace:
self.parts.append(self.escape_char)
return
if char == self.eol_char:
return
unescaped = self.escape_results.get(char, self.escape_char + char)
self.part.append(unescaped)
|
process_escape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char):\n self.process_char = self.last_process_char\n if self.part == [] and char in self.whitespace:\n self.parts.append(self.escape_char)\n return\n if char == self.eol_char:\n return\n unescaped = self.escape_results.get(char, self.escape_char + char)\n self.part.append(unescaped)\n",
"role": "user"
},
{
"content": "process_escape",
"role": "assistant"
}
] |
def x(self, line):
self.raw = self.raw + line
try:
if not line[-1] == self.eol_char:
line = line + self.eol_char
except IndexError:
line = self.eol_char
for char in line:
if char == self.escape_char:
self.last_process_char = self.process_char
self.process_char = self.process_escape
continue
self.process_char(char)
if not self.complete:
self.process(self.handler.readline(prompt=self.handler.CONTINUE_PROMPT)
)
|
process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n self.raw = self.raw + line\n try:\n if not line[-1] == self.eol_char:\n line = line + self.eol_char\n except IndexError:\n line = self.eol_char\n for char in line:\n if char == self.escape_char:\n self.last_process_char = self.process_char\n self.process_char = self.process_escape\n continue\n self.process_char(char)\n if not self.complete:\n self.process(self.handler.readline(prompt=self.handler.CONTINUE_PROMPT)\n )\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(cls, sock, address):
request = cls.false_request()
request._sock = sock
server = None
log.debug('Accepted connection, starting telnet session.')
try:
cls(request, address, server)
except socket.error:
pass
|
streamserver_handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, sock, address):\n request = cls.false_request()\n request._sock = sock\n server = None\n log.debug('Accepted connection, starting telnet session.')\n try:\n cls(request, address, server)\n except socket.error:\n pass\n",
"role": "user"
},
{
"content": "streamserver_handle",
"role": "assistant"
}
] |
def x(self, term):
log.debug('Setting termtype to %s' % (term,))
curses.setupterm(term)
self.TERM = term
self.ESCSEQ = {}
for k in self.KEYS.keys():
str = curses.tigetstr(curses.has_key._capability_names[k])
if str:
self.ESCSEQ[str] = k
self.CODES = self.CODES.copy()
self.CODES['DEOL'] = curses.tigetstr('el')
self.CODES['DEL'] = curses.tigetstr('dch1')
self.CODES['INS'] = curses.tigetstr('ich1')
self.CODES['CSRLEFT'] = curses.tigetstr('cub1')
self.CODES['CSRRIGHT'] = curses.tigetstr('cuf1')
|
setterm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term):\n log.debug('Setting termtype to %s' % (term,))\n curses.setupterm(term)\n self.TERM = term\n self.ESCSEQ = {}\n for k in self.KEYS.keys():\n str = curses.tigetstr(curses.has_key._capability_names[k])\n if str:\n self.ESCSEQ[str] = k\n self.CODES = self.CODES.copy()\n self.CODES['DEOL'] = curses.tigetstr('el')\n self.CODES['DEL'] = curses.tigetstr('dch1')\n self.CODES['INS'] = curses.tigetstr('ich1')\n self.CODES['CSRLEFT'] = curses.tigetstr('cub1')\n self.CODES['CSRRIGHT'] = curses.tigetstr('cuf1')\n",
"role": "user"
},
{
"content": "setterm",
"role": "assistant"
}
] |
def x(self):
try:
self.TERM = self.request.term
except:
pass
self.setterm(self.TERM)
self.sock = self.request._sock
for k in self.DOACK.keys():
self.sendcommand(self.DOACK[k], k)
for k in self.WILLACK.keys():
self.sendcommand(self.WILLACK[k], k)
|
setup
|
[
{
"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.TERM = self.request.term\n except:\n pass\n self.setterm(self.TERM)\n self.sock = self.request._sock\n for k in self.DOACK.keys():\n self.sendcommand(self.DOACK[k], k)\n for k in self.WILLACK.keys():\n self.sendcommand(self.WILLACK[k], k)\n",
"role": "user"
},
{
"content": "setup",
"role": "assistant"
}
] |
def x(self):
log.debug('Session disconnected.')
try:
self.sock.shutdown(socket.SHUT_RDWR)
except:
pass
self.session_end()
|
finish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.debug('Session disconnected.')\n try:\n self.sock.shutdown(socket.SHUT_RDWR)\n except:\n pass\n self.session_end()\n",
"role": "user"
},
{
"content": "finish",
"role": "assistant"
}
] |
def x(self, sock, cmd, opt):
if cmd == NOP:
self.sendcommand(NOP)
elif cmd == WILL or cmd == WONT:
if self.WILLACK.has_key(opt):
self.sendcommand(self.WILLACK[opt], opt)
else:
self.sendcommand(DONT, opt)
if cmd == WILL and opt == TTYPE:
self.writecooked(IAC + SB + TTYPE + SEND + IAC + SE)
elif cmd == DO or cmd == DONT:
if self.DOACK.has_key(opt):
self.sendcommand(self.DOACK[opt], opt)
else:
self.sendcommand(WONT, opt)
if opt == ECHO:
self.DOECHO = cmd == DO
elif cmd == SE:
subreq = self.read_sb_data()
if subreq[0] == TTYPE and subreq[1] == IS:
try:
self.setterm(subreq[2:])
except:
log.debug('Terminal type not known')
elif subreq[0] == NAWS:
self.setnaws(subreq[1:])
elif cmd == SB:
pass
else:
log.debug('Unhandled option: %s %s' % (cmdtxt, opttxt))
|
options_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sock, cmd, opt):\n if cmd == NOP:\n self.sendcommand(NOP)\n elif cmd == WILL or cmd == WONT:\n if self.WILLACK.has_key(opt):\n self.sendcommand(self.WILLACK[opt], opt)\n else:\n self.sendcommand(DONT, opt)\n if cmd == WILL and opt == TTYPE:\n self.writecooked(IAC + SB + TTYPE + SEND + IAC + SE)\n elif cmd == DO or cmd == DONT:\n if self.DOACK.has_key(opt):\n self.sendcommand(self.DOACK[opt], opt)\n else:\n self.sendcommand(WONT, opt)\n if opt == ECHO:\n self.DOECHO = cmd == DO\n elif cmd == SE:\n subreq = self.read_sb_data()\n if subreq[0] == TTYPE and subreq[1] == IS:\n try:\n self.setterm(subreq[2:])\n except:\n log.debug('Terminal type not known')\n elif subreq[0] == NAWS:\n self.setnaws(subreq[1:])\n elif cmd == SB:\n pass\n else:\n log.debug('Unhandled option: %s %s' % (cmdtxt, opttxt))\n",
"role": "user"
},
{
"content": "options_handler",
"role": "assistant"
}
] |
def x(self, cmd, opt=None):
if cmd in [DO, DONT]:
if not self.DOOPTS.has_key(opt):
self.DOOPTS[opt] = None
if cmd == DO and self.DOOPTS[opt
] != True or cmd == DONT and self.DOOPTS[opt] != False:
self.DOOPTS[opt] = cmd == DO
self.writecooked(IAC + cmd + opt)
elif cmd in [WILL, WONT]:
if not self.WILLOPTS.has_key(opt):
self.WILLOPTS[opt] = ''
if cmd == WILL and self.WILLOPTS[opt
] != True or cmd == WONT and self.WILLOPTS[opt] != False:
self.WILLOPTS[opt] = cmd == WILL
self.writecooked(IAC + cmd + opt)
else:
self.writecooked(IAC + cmd)
|
sendcommand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, opt=None):\n if cmd in [DO, DONT]:\n if not self.DOOPTS.has_key(opt):\n self.DOOPTS[opt] = None\n if cmd == DO and self.DOOPTS[opt\n ] != True or cmd == DONT and self.DOOPTS[opt] != False:\n self.DOOPTS[opt] = cmd == DO\n self.writecooked(IAC + cmd + opt)\n elif cmd in [WILL, WONT]:\n if not self.WILLOPTS.has_key(opt):\n self.WILLOPTS[opt] = ''\n if cmd == WILL and self.WILLOPTS[opt\n ] != True or cmd == WONT and self.WILLOPTS[opt] != False:\n self.WILLOPTS[opt] = cmd == WILL\n self.writecooked(IAC + cmd + opt)\n else:\n self.writecooked(IAC + cmd)\n",
"role": "user"
},
{
"content": "sendcommand",
"role": "assistant"
}
] |
def x(self, char, echo):
if self._readline_do_echo(echo):
self.write(char)
|
readline_echo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, char, echo):\n if self._readline_do_echo(echo):\n self.write(char)\n",
"role": "user"
},
{
"content": "readline_echo",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.