source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(name):
as_list = []
length = len(name)
for index, i in enumerate(name):
if index != 0 and index != length - 1 and i.isupper():
as_list.append('_%s' % i.lower())
else:
as_list.append(i.lower())
return ''.join(as_list)
|
camel_to_underscore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n as_list = []\n length = len(name)\n for index, i in enumerate(name):\n if index != 0 and index != length - 1 and i.isupper():\n as_list.append('_%s' % i.lower())\n else:\n as_list.append(i.lower())\n return ''.join(as_list)\n",
"role": "user"
},
{
"content": "camel_to_underscore",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, _BASESTRING_TYPES):
return value
if not isinstance(value, bytes):
raise TypeError('Expected bytes, unicode, or None; got %r' % type(
value))
return value.decode('utf-8')
|
to_basestring
|
[
{
"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, _BASESTRING_TYPES):\n return value\n if not isinstance(value, bytes):\n raise TypeError('Expected bytes, unicode, or None; got %r' % type(\n value))\n return value.decode('utf-8')\n",
"role": "user"
},
{
"content": "to_basestring",
"role": "assistant"
}
] |
def x(**kw):
try:
_fo = lambda k, v: '{name}={value}'.format(name=k, value=
to_basestring(quote(v)))
except:
_fo = lambda k, v: '%s=%s' % (k, to_basestring(quote(v)))
_en = utf8
return '&'.join([_fo(k, _en(v)) for k, v in kw.items() if not is_empty(v)])
|
encode_http_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kw):\n try:\n _fo = lambda k, v: '{name}={value}'.format(name=k, value=\n to_basestring(quote(v)))\n except:\n _fo = lambda k, v: '%s=%s' % (k, to_basestring(quote(v)))\n _en = utf8\n return '&'.join([_fo(k, _en(v)) for k, v in kw.items() if not is_empty(v)])\n",
"role": "user"
},
{
"content": "encode_http_params",
"role": "assistant"
}
] |
def x(logger, level, log_path, log_size, log_count):
if level not in [logging.NOTSET, logging.DEBUG, logging.INFO, logging.
WARNING, logging.ERROR, logging.CRITICAL]:
level = logging.DEBUG
for h in logger.handlers:
if isinstance(h, logging.handlers.RotatingFileHandler):
if h.level == level:
return
fh = logging.handlers.RotatingFileHandler(log_path, maxBytes=log_size,
backupCount=log_count)
fh.setLevel(level)
fh.setFormatter(_formatter)
logger.addHandler(fh)
|
init_file_logger
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger, level, log_path, log_size, log_count):\n if level not in [logging.NOTSET, logging.DEBUG, logging.INFO, logging.\n WARNING, logging.ERROR, logging.CRITICAL]:\n level = logging.DEBUG\n for h in logger.handlers:\n if isinstance(h, logging.handlers.RotatingFileHandler):\n if h.level == level:\n return\n fh = logging.handlers.RotatingFileHandler(log_path, maxBytes=log_size,\n backupCount=log_count)\n fh.setLevel(level)\n fh.setFormatter(_formatter)\n logger.addHandler(fh)\n",
"role": "user"
},
{
"content": "init_file_logger",
"role": "assistant"
}
] |
def x(self):
self.store.cleanup(self._config.timeout)
self._load()
|
processor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.store.cleanup(self._config.timeout)\n self._load()\n",
"role": "user"
},
{
"content": "processor",
"role": "assistant"
}
] |
def x(self):
self.session_id = self._session_object.get_session_id()
if self.session_id and not self._valid_session_id(self.session_id):
self.session_id = None
if self.session_id:
d = self.store[self.session_id]
if isinstance(d, dict) and d:
self.update(d)
if not self.session_id:
self.session_id = self._session_object.generate_session_id()
if not self._data:
if self._initializer and isinstance(self._initializer, dict):
self.update(deepcopy(self._initializer))
self._session_object.set_session_id(self.session_id)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.session_id = self._session_object.get_session_id()\n if self.session_id and not self._valid_session_id(self.session_id):\n self.session_id = None\n if self.session_id:\n d = self.store[self.session_id]\n if isinstance(d, dict) and d:\n self.update(d)\n if not self.session_id:\n self.session_id = self._session_object.generate_session_id()\n if not self._data:\n if self._initializer and isinstance(self._initializer, dict):\n self.update(deepcopy(self._initializer))\n self._session_object.set_session_id(self.session_id)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
secret_key = self._config.secret_key
while True:
rand = os.urandom(16)
now = time.time()
session_id = sha1(utf8('%s%s%s%s' % (rand, now, self.handler.
request.remote_ip, secret_key)))
session_id = session_id.hexdigest()
if session_id not in self.store:
break
return session_id
|
generate_session_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n secret_key = self._config.secret_key\n while True:\n rand = os.urandom(16)\n now = time.time()\n session_id = sha1(utf8('%s%s%s%s' % (rand, now, self.handler.\n request.remote_ip, secret_key)))\n session_id = session_id.hexdigest()\n if session_id not in self.store:\n break\n return session_id\n",
"role": "user"
},
{
"content": "generate_session_id",
"role": "assistant"
}
] |
def x(self, session_data):
pickled = pickle.dumps(session_data)
return to_basestring(encodebytes(pickled))
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_data):\n pickled = pickle.dumps(session_data)\n return to_basestring(encodebytes(pickled))\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, session_data):
pickled = decodebytes(utf8(session_data))
return pickle.loads(pickled)
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session_data):\n pickled = decodebytes(utf8(session_data))\n return pickle.loads(pickled)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x():
from flask.globals import _app_ctx_stack
app = _app_ctx_stack.top.app
options = {key: app.config.get(key, DEFAULTS[key]) for key in DEFAULTS.
keys()}
base_context = {'app': app}
if options['KONCH_FLASK_IMPORTS']:
base_context.update(get_flask_imports())
context = dict(base_context)
if options['KONCH_FLASK_SHELL_CONTEXT']:
flask_context = app.make_shell_context()
context.update(flask_context)
context.update(options['KONCH_CONTEXT'])
def x(ctx):
formatted_base = ', '.join(sorted(base_context.keys()))
ret = '\n{FLASK}\n{base_context}\n'.format(FLASK=click.style(
'Flask:', bold=True), base_context=formatted_base)
if options['KONCH_FLASK_SHELL_CONTEXT']:
variables = ', '.join(sorted(flask_context.keys()))
ret += '\n{ADDITIONAL}\n{variables}\n'.format(ADDITIONAL=click.
style(
'Flask shell context (see shell_context_processor()):',
bold=True), variables=variables)
if options['KONCH_CONTEXT']:
variables = ', '.join(sorted(options['KONCH_CONTEXT'].keys()))
ret += '\n{ADDITIONAL}\n{variables}'.format(ADDITIONAL=click.
style('Additional variables (see KONCH_CONTEXT):', bold=
True), variables=variables)
return ret
context_format = options['KONCH_CONTEXT_FORMAT'] or context_formatter
konch.start(context=context, shell=options['KONCH_SHELL'], banner=
options['KONCH_BANNER'], prompt=options['KONCH_PROMPT'], output=
options['KONCH_OUTPUT'], ptpy_vi_mode=options['KONCH_PTPY_VI_MODE'],
context_format=context_format, ipy_extensions=options[
'KONCH_IPY_EXTENSIONS'], ipy_autoreload=options[
'KONCH_IPY_AUTORELOAD'], ipy_colors=options['KONCH_IPY_COLORS'],
ipy_highlighting_style=options['KONCH_IPY_HIGHLIGHTING_STYLE'])
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from flask.globals import _app_ctx_stack\n app = _app_ctx_stack.top.app\n options = {key: app.config.get(key, DEFAULTS[key]) for key in DEFAULTS.\n keys()}\n base_context = {'app': app}\n if options['KONCH_FLASK_IMPORTS']:\n base_context.update(get_flask_imports())\n context = dict(base_context)\n if options['KONCH_FLASK_SHELL_CONTEXT']:\n flask_context = app.make_shell_context()\n context.update(flask_context)\n context.update(options['KONCH_CONTEXT'])\n\n def x(ctx):\n formatted_base = ', '.join(sorted(base_context.keys()))\n ret = '\\n{FLASK}\\n{base_context}\\n'.format(FLASK=click.style(\n 'Flask:', bold=True), base_context=formatted_base)\n if options['KONCH_FLASK_SHELL_CONTEXT']:\n variables = ', '.join(sorted(flask_context.keys()))\n ret += '\\n{ADDITIONAL}\\n{variables}\\n'.format(ADDITIONAL=click.\n style(\n 'Flask shell context (see shell_context_processor()):',\n bold=True), variables=variables)\n if options['KONCH_CONTEXT']:\n variables = ', '.join(sorted(options['KONCH_CONTEXT'].keys()))\n ret += '\\n{ADDITIONAL}\\n{variables}'.format(ADDITIONAL=click.\n style('Additional variables (see KONCH_CONTEXT):', bold=\n True), variables=variables)\n return ret\n context_format = options['KONCH_CONTEXT_FORMAT'] or context_formatter\n konch.start(context=context, shell=options['KONCH_SHELL'], banner=\n options['KONCH_BANNER'], prompt=options['KONCH_PROMPT'], output=\n options['KONCH_OUTPUT'], ptpy_vi_mode=options['KONCH_PTPY_VI_MODE'],\n context_format=context_format, ipy_extensions=options[\n 'KONCH_IPY_EXTENSIONS'], ipy_autoreload=options[\n 'KONCH_IPY_AUTORELOAD'], ipy_colors=options['KONCH_IPY_COLORS'],\n ipy_highlighting_style=options['KONCH_IPY_HIGHLIGHTING_STYLE'])\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(self):
replacement = self._tw.tasks.get(uuid=self._uuid)
self.__class__ = replacement.__class__
self.__dict__ = replacement.__dict__
|
replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n replacement = self._tw.tasks.get(uuid=self._uuid)\n self.__class__ = replacement.__class__\n self.__dict__ = replacement.__dict__\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self):
replacement = self._tw.tasks.filter(' '.join(self._uuids))
self.__class__ = replacement.__class__
self.__dict__ = replacement.__dict__
|
replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n replacement = self._tw.tasks.filter(' '.join(self._uuids))\n self.__class__ = replacement.__class__\n self.__dict__ = replacement.__dict__\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self, task):
args = [task['uuid'], 'modify'] if task.saved else ['add']
args.extend(self._get_modified_task_fields_as_args(task))
output = self.execute_command(args)
if not task.saved:
id_lines = [l for l in output if l.startswith('Created task ')]
if len(id_lines) != 1 or len(id_lines[0].split(' ')) not in (3, 5):
raise TaskWarriorException(
'Unexpected output when creating task: %s' % '\n'.join(
id_lines))
identifier = id_lines[0].split(' ')[2].rstrip('.')
try:
task._data['id'] = int(identifier)
except ValueError:
task._data['uuid'] = identifier
task.refresh(after_save=True)
|
save_task
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, task):\n args = [task['uuid'], 'modify'] if task.saved else ['add']\n args.extend(self._get_modified_task_fields_as_args(task))\n output = self.execute_command(args)\n if not task.saved:\n id_lines = [l for l in output if l.startswith('Created task ')]\n if len(id_lines) != 1 or len(id_lines[0].split(' ')) not in (3, 5):\n raise TaskWarriorException(\n 'Unexpected output when creating task: %s' % '\\n'.join(\n id_lines))\n identifier = id_lines[0].split(' ')[2].rstrip('.')\n try:\n task._data['id'] = int(identifier)\n except ValueError:\n task._data['uuid'] = identifier\n task.refresh(after_save=True)\n",
"role": "user"
},
{
"content": "save_task",
"role": "assistant"
}
] |
def x(self, key, value):
if value is None:
return None
normalize_func = getattr(self, 'normalize_{0}'.format(key), lambda x: x)
return normalize_func(value)
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n if value is None:\n return None\n normalize_func = getattr(self, 'normalize_{0}'.format(key), lambda x: x)\n return normalize_func(value)\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(self, value):
if isinstance(value, datetime.date) and not isinstance(value, datetime.
datetime):
value_full = datetime.datetime.combine(value, datetime.time.min)
localized = local_zone.localize(value_full)
elif isinstance(value, datetime.datetime):
if value.tzinfo is None:
localized = local_zone.localize(value)
else:
localized = value
elif isinstance(value, six.string_types):
localized = self.backend.convert_datetime_string(value)
else:
raise ValueError(
'Provided value could not be converted to datetime, its type is not supported: {}'
.format(type(value)))
return localized
|
datetime_normalizer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if isinstance(value, datetime.date) and not isinstance(value, datetime.\n datetime):\n value_full = datetime.datetime.combine(value, datetime.time.min)\n localized = local_zone.localize(value_full)\n elif isinstance(value, datetime.datetime):\n if value.tzinfo is None:\n localized = local_zone.localize(value)\n else:\n localized = value\n elif isinstance(value, six.string_types):\n localized = self.backend.convert_datetime_string(value)\n else:\n raise ValueError(\n 'Provided value could not be converted to datetime, its type is not supported: {}'\n .format(type(value)))\n return localized\n",
"role": "user"
},
{
"content": "datetime_normalizer",
"role": "assistant"
}
] |
def x(self, data, update_original=False, remove_missing=False):
self._data.update(dict((key, self._deserialize(key, value)) for key,
value in data.items()))
if remove_missing:
for key in (set(self._data.keys()) - set(data.keys())):
self._data[key] = None
if update_original:
self._original_data = copy.deepcopy(self._data)
|
update_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, update_original=False, remove_missing=False):\n self._data.update(dict((key, self._deserialize(key, value)) for key,\n value in data.items()))\n if remove_missing:\n for key in (set(self._data.keys()) - set(data.keys())):\n self._data[key] = None\n if update_original:\n self._original_data = copy.deepcopy(self._data)\n",
"role": "user"
},
{
"content": "update_data",
"role": "assistant"
}
] |
def x(self):
data_tuples = ((key, self._serialize(key, value)) for key, value in six
.iteritems(self._data))
data_tuples = filter(lambda t: t[1] is not '', data_tuples)
data = dict(data_tuples)
return json.dumps(data, separators=(',', ':'))
|
export_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data_tuples = ((key, self._serialize(key, value)) for key, value in six\n .iteritems(self._data))\n data_tuples = filter(lambda t: t[1] is not '', data_tuples)\n data = dict(data_tuples)\n return json.dumps(data, separators=(',', ':'))\n",
"role": "user"
},
{
"content": "export_data",
"role": "assistant"
}
] |
def x(cls, input_file=sys.stdin, modify=None, backend=None):
name = os.path.basename(sys.argv[0])
modify = name.startswith('on-modify') if modify is None else modify
if backend is None:
backends = importlib.import_module('tasklib.backends')
hook_parent_dir = os.path.dirname(os.path.dirname(sys.argv[0]))
backend = backends.TaskWarrior(data_location=hook_parent_dir)
task = cls(backend)
task._load_data(json.loads(input_file.readline().strip()))
if modify:
task._update_data(json.loads(input_file.readline().strip()),
remove_missing=True)
return task
|
from_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, input_file=sys.stdin, modify=None, backend=None):\n name = os.path.basename(sys.argv[0])\n modify = name.startswith('on-modify') if modify is None else modify\n if backend is None:\n backends = importlib.import_module('tasklib.backends')\n hook_parent_dir = os.path.dirname(os.path.dirname(sys.argv[0]))\n backend = backends.TaskWarrior(data_location=hook_parent_dir)\n task = cls(backend)\n task._load_data(json.loads(input_file.readline().strip()))\n if modify:\n task._update_data(json.loads(input_file.readline().strip()),\n remove_missing=True)\n return task\n",
"role": "user"
},
{
"content": "from_input",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
clone = self._clone()
for f in args:
clone.filter_obj.add_filter(f)
for key, value in kwargs.items():
clone.filter_obj.add_filter_param(key, value)
return clone
|
filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n clone = self._clone()\n for f in args:\n clone.filter_obj.add_filter(f)\n for key, value in kwargs.items():\n clone.filter_obj.add_filter_param(key, value)\n return clone\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self, **kwargs):
clone = self.filter(**kwargs)
num = len(clone)
if num == 1:
return clone._result_cache[0]
if not num:
raise Task.DoesNotExist(
'Task matching query does not exist. Lookup parameters were {0}'
.format(kwargs))
raise ValueError(
'get() returned more than one Task -- it returned {0}! Lookup parameters were {1}'
.format(num, kwargs))
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n clone = self.filter(**kwargs)\n num = len(clone)\n if num == 1:\n return clone._result_cache[0]\n if not num:\n raise Task.DoesNotExist(\n 'Task matching query does not exist. Lookup parameters were {0}'\n .format(kwargs))\n raise ValueError(\n 'get() returned more than one Task -- it returned {0}! Lookup parameters were {1}'\n .format(num, kwargs))\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(filename, pathlist):
filename = os.path.abspath(filename)
for path_name in pathlist:
path_name = os.path.abspath(path_name)
if is_subpath(filename, path_name):
return True
return False
|
is_local
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, pathlist):\n filename = os.path.abspath(filename)\n for path_name in pathlist:\n path_name = os.path.abspath(path_name)\n if is_subpath(filename, path_name):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_local",
"role": "assistant"
}
] |
def x(path, parent):
try:
relpath = os.path.relpath(path, parent)
except ValueError:
return False
return relpath == os.curdir or not relpath.startswith(os.pardir)
|
is_subpath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, parent):\n try:\n relpath = os.path.relpath(path, parent)\n except ValueError:\n return False\n return relpath == os.curdir or not relpath.startswith(os.pardir)\n",
"role": "user"
},
{
"content": "is_subpath",
"role": "assistant"
}
] |
def x(filename, sitedir, dest=None, imports=None):
if dest is None:
dest = sys.path
if not os.path.isfile(filename):
return
with open(filename, 'r') as fp:
for index, line in enumerate(fp):
if line.startswith('import'):
if imports is None:
exec_pth_import(filename, index + 1, line)
else:
imports.append((filename, index + 1, line))
else:
index = line.find('#')
if index > 0:
line = line[:index]
line = line.strip()
if not os.path.isabs(line):
line = os.path.join(os.path.dirname(filename), line)
line = os.path.normpath(line)
if line and line not in dest:
dest.insert(0, line)
return dest
|
eval_pth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, sitedir, dest=None, imports=None):\n if dest is None:\n dest = sys.path\n if not os.path.isfile(filename):\n return\n with open(filename, 'r') as fp:\n for index, line in enumerate(fp):\n if line.startswith('import'):\n if imports is None:\n exec_pth_import(filename, index + 1, line)\n else:\n imports.append((filename, index + 1, line))\n else:\n index = line.find('#')\n if index > 0:\n line = line[:index]\n line = line.strip()\n if not os.path.isabs(line):\n line = os.path.join(os.path.dirname(filename), line)\n line = os.path.normpath(line)\n if line and line not in dest:\n dest.insert(0, line)\n return dest\n",
"role": "user"
},
{
"content": "eval_pth",
"role": "assistant"
}
] |
def x(pth, name):
def x(z, name):
name.rstrip('/')
return name in z.namelist()
pname = os.path.join(*name.split('.'))
zname = '/'.join(name.split('.'))
init_py = '__init__' + os.extsep + 'py'
init_pyc = '__init__' + os.extsep + 'pyc'
init_pyo = '__init__' + os.extsep + 'pyo'
mod_path = list(pth)
for path in sys.path:
if zipfile.is_zipfile(path):
try:
egg = zipfile.ZipFile(path, 'r')
addpath = zip_isfile(egg, zname + '/__init__.py'
) or zip_isfile(egg, zname + '/__init__.pyc'
) or zip_isfile(egg, zname + '/__init__.pyo')
fpath = os.path.join(path, path, zname)
if addpath and fpath not in mod_path:
mod_path.append(fpath)
except (zipfile.BadZipfile, zipfile.LargeZipFile):
pass
else:
path = os.path.join(path, pname)
if os.path.isdir(path) and path not in mod_path:
addpath = os.path.isfile(os.path.join(path, init_py)
) or os.path.isfile(os.path.join(path, init_pyc)
) or os.path.isfile(os.path.join(path, init_pyo))
if addpath and path not in mod_path:
mod_path.append(path)
return [os.path.normpath(x) for x in mod_path]
|
extend_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pth, name):\n\n def x(z, name):\n name.rstrip('/')\n return name in z.namelist()\n pname = os.path.join(*name.split('.'))\n zname = '/'.join(name.split('.'))\n init_py = '__init__' + os.extsep + 'py'\n init_pyc = '__init__' + os.extsep + 'pyc'\n init_pyo = '__init__' + os.extsep + 'pyo'\n mod_path = list(pth)\n for path in sys.path:\n if zipfile.is_zipfile(path):\n try:\n egg = zipfile.ZipFile(path, 'r')\n addpath = zip_isfile(egg, zname + '/__init__.py'\n ) or zip_isfile(egg, zname + '/__init__.pyc'\n ) or zip_isfile(egg, zname + '/__init__.pyo')\n fpath = os.path.join(path, path, zname)\n if addpath and fpath not in mod_path:\n mod_path.append(fpath)\n except (zipfile.BadZipfile, zipfile.LargeZipFile):\n pass\n else:\n path = os.path.join(path, pname)\n if os.path.isdir(path) and path not in mod_path:\n addpath = os.path.isfile(os.path.join(path, init_py)\n ) or os.path.isfile(os.path.join(path, init_pyc)\n ) or os.path.isfile(os.path.join(path, init_pyo))\n if addpath and path not in mod_path:\n mod_path.append(path)\n return [os.path.normpath(x) for x in mod_path]\n",
"role": "user"
},
{
"content": "extend_path",
"role": "assistant"
}
] |
def x(self, package_name):
self.state['declare_namespace'](package_name)
mod = sys.modules[package_name]
mod.__path__ = pkgutil.extend_path(mod.__path__, package_name)
|
declare_namespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package_name):\n self.state['declare_namespace'](package_name)\n mod = sys.modules[package_name]\n mod.__path__ = pkgutil.extend_path(mod.__path__, package_name)\n",
"role": "user"
},
{
"content": "declare_namespace",
"role": "assistant"
}
] |
def x(packet):
return (packet.frag_off & IP_OFFMASK and IP_FRAG_LATER) | (packet.
frag_off & (IP_OFFMASK | IP_MF) and IP_FRAG_ANY)
|
ip_frag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packet):\n return (packet.frag_off & IP_OFFMASK and IP_FRAG_LATER) | (packet.\n frag_off & (IP_OFFMASK | IP_MF) and IP_FRAG_ANY)\n",
"role": "user"
},
{
"content": "ip_frag",
"role": "assistant"
}
] |
def x(self, alo, ahi, blo, bhi):
besti, bestj, bestsize = _cdifflib.find_longest_match(self, alo, ahi,
blo, bhi)
return _Match(besti, bestj, bestsize)
|
find_longest_match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alo, ahi, blo, bhi):\n besti, bestj, bestsize = _cdifflib.find_longest_match(self, alo, ahi,\n blo, bhi)\n return _Match(besti, bestj, bestsize)\n",
"role": "user"
},
{
"content": "find_longest_match",
"role": "assistant"
}
] |
def x(self, a):
if a is self.a:
return
self.a = a
if not isinstance(self.a, list):
self.a = list(self.a)
[hash(x) for x in self.a]
|
set_seq1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, a):\n if a is self.a:\n return\n self.a = a\n if not isinstance(self.a, list):\n self.a = list(self.a)\n [hash(x) for x in self.a]\n",
"role": "user"
},
{
"content": "set_seq1",
"role": "assistant"
}
] |
def x(self, b):
if b is self.b and hasattr(self, 'isbjunk'):
return
self.b = b
if not isinstance(self.a, list):
self.a = list(self.a)
if not isinstance(self.b, list):
self.b = list(self.b)
[hash(x) for x in self.a]
[hash(x) for x in self.b]
self.matching_blocks = self.opcodes = None
self.fullbcount = None
junk, popular = _cdifflib.chain_b(self)
assert hasattr(junk, '__contains__')
assert hasattr(popular, '__contains__')
self.isbjunk = junk.__contains__
self.isbpopular = popular.__contains__
|
set_seq2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, b):\n if b is self.b and hasattr(self, 'isbjunk'):\n return\n self.b = b\n if not isinstance(self.a, list):\n self.a = list(self.a)\n if not isinstance(self.b, list):\n self.b = list(self.b)\n [hash(x) for x in self.a]\n [hash(x) for x in self.b]\n self.matching_blocks = self.opcodes = None\n self.fullbcount = None\n junk, popular = _cdifflib.chain_b(self)\n assert hasattr(junk, '__contains__')\n assert hasattr(popular, '__contains__')\n self.isbjunk = junk.__contains__\n self.isbpopular = popular.__contains__\n",
"role": "user"
},
{
"content": "set_seq2",
"role": "assistant"
}
] |
def x(self):
if self.matching_blocks is not None:
return self.matching_blocks
matching_blocks = _cdifflib.matching_blocks(self)
matching_blocks.append((len(self.a), len(self.b), 0))
self.matching_blocks = matching_blocks
return map(_Match._make, self.matching_blocks)
|
get_matching_blocks
|
[
{
"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.matching_blocks is not None:\n return self.matching_blocks\n matching_blocks = _cdifflib.matching_blocks(self)\n matching_blocks.append((len(self.a), len(self.b), 0))\n self.matching_blocks = matching_blocks\n return map(_Match._make, self.matching_blocks)\n",
"role": "user"
},
{
"content": "get_matching_blocks",
"role": "assistant"
}
] |
def x(parser, obj, stream, skipprepack=False):
if hasattr(parser, 'tostream'):
return parser.tostream(obj, stream, skipprepack)
else:
data = parser.tobytes(obj, skipprepack)
cls = type(parser)
if cls not in _deprecated_parsers:
_deprecated_parsers.add(cls)
warnings.warn("Parser %r does not have 'tostream' interfaces" %
(cls,), UserWarning)
return stream.write(data)
|
tostream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parser, obj, stream, skipprepack=False):\n if hasattr(parser, 'tostream'):\n return parser.tostream(obj, stream, skipprepack)\n else:\n data = parser.tobytes(obj, skipprepack)\n cls = type(parser)\n if cls not in _deprecated_parsers:\n _deprecated_parsers.add(cls)\n warnings.warn(\"Parser %r does not have 'tostream' interfaces\" %\n (cls,), UserWarning)\n return stream.write(data)\n",
"role": "user"
},
{
"content": "tostream",
"role": "assistant"
}
] |
def x(dumped_val, encoding='utf-8', ordered=True):
_dict = OrderedDict if ordered else dict
if isinstance(dumped_val, dict):
return OrderedDict((k, _to_str(v, encoding)) for k, v in dumped_val
.items())
elif isinstance(dumped_val, (list, tuple)):
return [_to_str(v, encoding) for v in dumped_val]
elif isinstance(dumped_val, bytes):
try:
d = dumped_val.decode('utf-8')
except Exception:
d = repr(dumped_val)
return d
else:
return dumped_val
|
to_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dumped_val, encoding='utf-8', ordered=True):\n _dict = OrderedDict if ordered else dict\n if isinstance(dumped_val, dict):\n return OrderedDict((k, _to_str(v, encoding)) for k, v in dumped_val\n .items())\n elif isinstance(dumped_val, (list, tuple)):\n return [_to_str(v, encoding) for v in dumped_val]\n elif isinstance(dumped_val, bytes):\n try:\n d = dumped_val.decode('utf-8')\n except Exception:\n d = repr(dumped_val)\n return d\n else:\n return dumped_val\n",
"role": "user"
},
{
"content": "to_str",
"role": "assistant"
}
] |
def x(val, humanread=True, dumpextra=False, typeinfo=DUMPTYPE_FLAT, ordered
=True, tostr=False, encoding='utf-8'):
dumped = _dump(val, humanread, dumpextra, typeinfo, ordered)
if tostr:
dumped = _to_str(dumped, encoding, ordered)
return dumped
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, humanread=True, dumpextra=False, typeinfo=DUMPTYPE_FLAT, ordered\n =True, tostr=False, encoding='utf-8'):\n dumped = _dump(val, humanread, dumpextra, typeinfo, ordered)\n if tostr:\n dumped = _to_str(dumped, encoding, ordered)\n return dumped\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(limit, *properties):
def x(namedstruct):
v = namedstruct._target
for p in properties:
v = getattr(v, p)
if v > limit:
raise BadLenError('Struct length exceeds limit ' + str(limit))
return v
return func
|
sizefromlen
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(limit, *properties):\n\n def x(namedstruct):\n v = namedstruct._target\n for p in properties:\n v = getattr(v, p)\n if v > limit:\n raise BadLenError('Struct length exceeds limit ' + str(limit))\n return v\n return func\n",
"role": "user"
},
{
"content": "sizefromlen",
"role": "assistant"
}
] |
def x(*properties):
def x(namedstruct):
v = namedstruct._target
for p in properties[:-1]:
v = getattr(v, p)
setattr(v, properties[-1], len(namedstruct))
return func
|
packsize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*properties):\n\n def x(namedstruct):\n v = namedstruct._target\n for p in properties[:-1]:\n v = getattr(v, p)\n setattr(v, properties[-1], len(namedstruct))\n return func\n",
"role": "user"
},
{
"content": "packsize",
"role": "assistant"
}
] |
def x(*properties):
def x(namedstruct):
v = namedstruct._target
for p in properties[:-1]:
v = getattr(v, p)
setattr(v, properties[-1], namedstruct._realsize())
return func
|
packrealsize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*properties):\n\n def x(namedstruct):\n v = namedstruct._target\n for p in properties[:-1]:\n v = getattr(v, p)\n setattr(v, properties[-1], namedstruct._realsize())\n return func\n",
"role": "user"
},
{
"content": "packrealsize",
"role": "assistant"
}
] |
def x(value, *properties):
def x(namedstruct):
v = namedstruct._target
for p in properties[:-1]:
v = getattr(v, p)
setattr(v, properties[-1], value)
return func
|
packvalue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, *properties):\n\n def x(namedstruct):\n v = namedstruct._target\n for p in properties[:-1]:\n v = getattr(v, p)\n setattr(v, properties[-1], value)\n return func\n",
"role": "user"
},
{
"content": "packvalue",
"role": "assistant"
}
] |
def x(func, *properties):
def x(namedstruct):
v = namedstruct._target
for p in properties[:-1]:
v = getattr(v, p)
setattr(v, properties[-1], func(namedstruct))
return func2
|
packexpr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *properties):\n\n def x(namedstruct):\n v = namedstruct._target\n for p in properties[:-1]:\n v = getattr(v, p)\n setattr(v, properties[-1], func(namedstruct))\n return func2\n",
"role": "user"
},
{
"content": "packexpr",
"role": "assistant"
}
] |
def x(self):
try:
_set(self, '_embedded_indices', dict((k, (self, v)) for k, v in
getattr(self._parser.typedef, 'inline_names', {}).items()))
except AttributeError:
_set(self, '_embedded_indices', {})
|
create_embedded_indices
|
[
{
"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 _set(self, '_embedded_indices', dict((k, (self, v)) for k, v in\n getattr(self._parser.typedef, 'inline_names', {}).items()))\n except AttributeError:\n _set(self, '_embedded_indices', {})\n",
"role": "user"
},
{
"content": "create_embedded_indices",
"role": "assistant"
}
] |
def x(self, data):
current = self
while current is not None:
data = current._parser.unpack(data, current)
last = current
current = getattr(current, '_sub', None)
_set(last, '_extra', data)
|
unpack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n current = self\n while current is not None:\n data = current._parser.unpack(data, current)\n last = current\n current = getattr(current, '_sub', None)\n _set(last, '_extra', data)\n",
"role": "user"
},
{
"content": "unpack",
"role": "assistant"
}
] |
def x(self, stream):
total_size = 0
current = self
while current is not None:
total_size += current._parser.packto(current, stream)
last = current
current = getattr(current, '_sub', None)
if hasattr(last, '_extra'):
_extra = last._extra
total_size += stream.write(_extra)
return total_size
|
packto
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n total_size = 0\n current = self\n while current is not None:\n total_size += current._parser.packto(current, stream)\n last = current\n current = getattr(current, '_sub', None)\n if hasattr(last, '_extra'):\n _extra = last._extra\n total_size += stream.write(_extra)\n return total_size\n",
"role": "user"
},
{
"content": "packto",
"role": "assistant"
}
] |
def x(self):
current = self
while current is not None:
current._parser.prepack(current, skip_self=True)
current = getattr(current, '_sub', None)
current = self
while current is not None:
current._parser.prepack(current, skip_sub=True)
current = getattr(current, '_sub', None)
|
prepack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current = self\n while current is not None:\n current._parser.prepack(current, skip_self=True)\n current = getattr(current, '_sub', None)\n current = self\n while current is not None:\n current._parser.prepack(current, skip_sub=True)\n current = getattr(current, '_sub', None)\n",
"role": "user"
},
{
"content": "prepack",
"role": "assistant"
}
] |
def x(self, skipprepack=False):
stream = BytesIO()
self._tostream(stream, skipprepack)
return stream.getvalue()
|
tobytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, skipprepack=False):\n stream = BytesIO()\n self._tostream(stream, skipprepack)\n return stream.getvalue()\n",
"role": "user"
},
{
"content": "tobytes",
"role": "assistant"
}
] |
def x(self, stream, skipprepack=False):
if not skipprepack:
self._prepack()
datasize = self._packto(stream)
paddingSize = self._parser.paddingsize2(datasize)
if paddingSize > datasize:
stream.write(b'\x00' * (paddingSize - datasize))
return paddingSize
|
tostream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, skipprepack=False):\n if not skipprepack:\n self._prepack()\n datasize = self._packto(stream)\n paddingSize = self._parser.paddingsize2(datasize)\n if paddingSize > datasize:\n stream.write(b'\\x00' * (paddingSize - datasize))\n return paddingSize\n",
"role": "user"
},
{
"content": "tostream",
"role": "assistant"
}
] |
def x(self):
current = self
size = 0
while current is not None:
size += current._parser.sizeof(current)
last = current
current = getattr(current, '_sub', None)
size += len(getattr(last, '_extra', b''))
return size
|
realsize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current = self\n size = 0\n while current is not None:\n size += current._parser.sizeof(current)\n last = current\n current = getattr(current, '_sub', None)\n size += len(getattr(last, '_extra', b''))\n return size\n",
"role": "user"
},
{
"content": "realsize",
"role": "assistant"
}
] |
def x(self, parser):
_set(self, '_sub', parser._create(memoryview(getattr(self, '_extra',
b'')), self._target))
try:
object.__delattr__(self, '_extra')
except:
pass
|
subclass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser):\n _set(self, '_sub', parser._create(memoryview(getattr(self, '_extra',\n b'')), self._target))\n try:\n object.__delattr__(self, '_extra')\n except:\n pass\n",
"role": "user"
},
{
"content": "subclass",
"role": "assistant"
}
] |
def x(self, newsub):
current = self
while hasattr(current, '_sub'):
current = current._sub
_set(current, '_sub', newsub)
try:
object.__delattr__(self, '_extra')
except:
pass
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newsub):\n current = self\n while hasattr(current, '_sub'):\n current = current._sub\n _set(current, '_sub', newsub)\n try:\n object.__delattr__(self, '_extra')\n except:\n pass\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self):
current = self
lastname = getattr(current._parser, 'typedef', None)
while hasattr(current, '_sub'):
current = current._sub
tn = getattr(current._parser, 'typedef', None)
if tn is not None:
lastname = tn
return lastname
|
gettype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current = self\n lastname = getattr(current._parser, 'typedef', None)\n while hasattr(current, '_sub'):\n current = current._sub\n tn = getattr(current._parser, 'typedef', None)\n if tn is not None:\n lastname = tn\n return lastname\n",
"role": "user"
},
{
"content": "gettype",
"role": "assistant"
}
] |
def x(self, extradata):
current = self
while hasattr(current, '_sub'):
current = current._sub
_set(current, '_extra', extradata)
|
setextra
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, extradata):\n current = self\n while hasattr(current, '_sub'):\n current = current._sub\n _set(current, '_extra', extradata)\n",
"role": "user"
},
{
"content": "setextra",
"role": "assistant"
}
] |
def x(self):
current = self
while hasattr(current, '_sub'):
current = current._sub
return getattr(current, '_extra', None)
|
getextra
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current = self\n while hasattr(current, '_sub'):\n current = current._sub\n return getattr(current, '_extra', None)\n",
"role": "user"
},
{
"content": "getextra",
"role": "assistant"
}
] |
def x(self, name, newtype):
if hasattr(name, 'readablename'):
name = name.readablename
t, i = self._target._embedded_indices[name]
t._seqs[i] = newtype.parser().new(self._target)
|
replace_embedded_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, newtype):\n if hasattr(name, 'readablename'):\n name = name.readablename\n t, i = self._target._embedded_indices[name]\n t._seqs[i] = newtype.parser().new(self._target)\n",
"role": "user"
},
{
"content": "replace_embedded_type",
"role": "assistant"
}
] |
def x(self, name):
if hasattr(name, 'readablename'):
name = name.readablename
t, i = self._target._embedded_indices[name]
return t._seqs[i]
|
get_embedded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if hasattr(name, 'readablename'):\n name = name.readablename\n t, i = self._target._embedded_indices[name]\n return t._seqs[i]\n",
"role": "user"
},
{
"content": "get_embedded",
"role": "assistant"
}
] |
def x(name, typedef):
NamedStruct._pickleNames[typedef] = name
NamedStruct._pickleTypes[name] = typedef
|
registerPickleType
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, typedef):\n NamedStruct._pickleNames[typedef] = name\n NamedStruct._pickleTypes[name] = typedef\n",
"role": "user"
},
{
"content": "registerPickleType",
"role": "assistant"
}
] |
def x(self):
try:
self._target._embedded_indices.update((k, (self, v)) for k, v in
getattr(self._parser.typedef, 'inline_names', {}).items())
except AttributeError:
pass
|
create_embedded_indices
|
[
{
"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._target._embedded_indices.update((k, (self, v)) for k, v in\n getattr(self._parser.typedef, 'inline_names', {}).items())\n except AttributeError:\n pass\n",
"role": "user"
},
{
"content": "create_embedded_indices",
"role": "assistant"
}
] |
def x(self, buffer, inlineparent=None):
if self.base is not None:
return self.base.parse(buffer, inlineparent)
r = self._parse(buffer, inlineparent)
if r is None:
return None
s, size = r
self.subclass(s)
return s, (size + self.padding - 1) // self.padding * self.padding
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buffer, inlineparent=None):\n if self.base is not None:\n return self.base.parse(buffer, inlineparent)\n r = self._parse(buffer, inlineparent)\n if r is None:\n return None\n s, size = r\n self.subclass(s)\n return s, (size + self.padding - 1) // self.padding * self.padding\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, namedstruct):
cp = self
cs = namedstruct
while True:
if hasattr(cs, '_sub'):
cs = cs._sub
cp = cs._parser
continue
subp = None
clsfr = getattr(cp, 'classifier', None)
if clsfr is not None:
clsvalue = clsfr(namedstruct)
subp = cp.subindices.get(clsvalue)
if subp is None:
for sc in cp.subclasses:
if sc.isinstance(namedstruct):
subp = sc
break
if subp is None:
break
cs._subclass(subp)
cs = cs._sub
cp = subp
|
subclass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct):\n cp = self\n cs = namedstruct\n while True:\n if hasattr(cs, '_sub'):\n cs = cs._sub\n cp = cs._parser\n continue\n subp = None\n clsfr = getattr(cp, 'classifier', None)\n if clsfr is not None:\n clsvalue = clsfr(namedstruct)\n subp = cp.subindices.get(clsvalue)\n if subp is None:\n for sc in cp.subclasses:\n if sc.isinstance(namedstruct):\n subp = sc\n break\n if subp is None:\n break\n cs._subclass(subp)\n cs = cs._sub\n cp = subp\n",
"role": "user"
},
{
"content": "subclass",
"role": "assistant"
}
] |
def x(self, inlineparent=None):
if self.base is not None:
s = self.base.new(inlineparent)
s._extend(self._new(s._target))
else:
s = self._new(inlineparent)
if self.initfunc is not None:
self.initfunc(s)
return s
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inlineparent=None):\n if self.base is not None:\n s = self.base.new(inlineparent)\n s._extend(self._new(s._target))\n else:\n s = self._new(inlineparent)\n if self.initfunc is not None:\n self.initfunc(s)\n return s\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, data, inlineparent=None):
if self.base is not None:
return self.base.create(data, inlineparent)
c = self._create(data, inlineparent)
self.subclass(c)
return c
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, inlineparent=None):\n if self.base is not None:\n return self.base.create(data, inlineparent)\n c = self._create(data, inlineparent)\n self.subclass(c)\n return c\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, namedstruct):
if self.base is not None:
return self.base.paddingsize(namedstruct)
realsize = namedstruct._realsize()
return (realsize + self.padding - 1) // self.padding * self.padding
|
paddingsize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct):\n if self.base is not None:\n return self.base.paddingsize(namedstruct)\n realsize = namedstruct._realsize()\n return (realsize + self.padding - 1) // self.padding * self.padding\n",
"role": "user"
},
{
"content": "paddingsize",
"role": "assistant"
}
] |
def x(self, realsize):
if self.base is not None:
return self.base.paddingsize2(realsize)
return (realsize + self.padding - 1) // self.padding * self.padding
|
paddingsize2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, realsize):\n if self.base is not None:\n return self.base.paddingsize2(realsize)\n return (realsize + self.padding - 1) // self.padding * self.padding\n",
"role": "user"
},
{
"content": "paddingsize2",
"role": "assistant"
}
] |
def x(self, namedstruct, stream, skipprepack=False):
return namedstruct._tostream(stream, skipprepack)
|
tostream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, stream, skipprepack=False):\n return namedstruct._tostream(stream, skipprepack)\n",
"role": "user"
},
{
"content": "tostream",
"role": "assistant"
}
] |
def x(self, namedstruct, skip_self=False, skip_sub=False):
if not skip_self and self.prepackfunc is not None:
self.prepackfunc(namedstruct)
|
prepack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, skip_self=False, skip_sub=False):\n if not skip_self and self.prepackfunc is not None:\n self.prepackfunc(namedstruct)\n",
"role": "user"
},
{
"content": "prepack",
"role": "assistant"
}
] |
def x(self, namedstruct, stream):
data = self.pack(namedstruct)
return stream.write(data)
|
packto
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, stream):\n data = self.pack(namedstruct)\n return stream.write(data)\n",
"role": "user"
},
{
"content": "packto",
"role": "assistant"
}
] |
def x(self, data, namedstruct):
try:
result = self.struct.unpack(data[0:self.struct.size])
except struct.error as exc:
raise BadFormatError(exc)
start = 0
t = namedstruct._target
for p in self.properties:
if len(p) > 1:
if isinstance(result[start], bytes):
v = [r.rstrip(b'\x00') for r in result[start:start + p[1]]]
else:
v = list(result[start:start + p[1]])
start += p[1]
else:
v = result[start]
if isinstance(v, bytes):
v = v.rstrip(b'\x00')
start += 1
setin = t
for sp in p[0][0:-1]:
if not hasattr(setin, sp):
setin2 = InlineStruct(namedstruct._target)
setattr(setin, sp, setin2)
setin = setin2
else:
setin = getattr(setin, sp)
setattr(setin, p[0][-1], v)
return data[self.struct.size:]
|
unpack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, namedstruct):\n try:\n result = self.struct.unpack(data[0:self.struct.size])\n except struct.error as exc:\n raise BadFormatError(exc)\n start = 0\n t = namedstruct._target\n for p in self.properties:\n if len(p) > 1:\n if isinstance(result[start], bytes):\n v = [r.rstrip(b'\\x00') for r in result[start:start + p[1]]]\n else:\n v = list(result[start:start + p[1]])\n start += p[1]\n else:\n v = result[start]\n if isinstance(v, bytes):\n v = v.rstrip(b'\\x00')\n start += 1\n setin = t\n for sp in p[0][0:-1]:\n if not hasattr(setin, sp):\n setin2 = InlineStruct(namedstruct._target)\n setattr(setin, sp, setin2)\n setin = setin2\n else:\n setin = getattr(setin, sp)\n setattr(setin, p[0][-1], v)\n return data[self.struct.size:]\n",
"role": "user"
},
{
"content": "unpack",
"role": "assistant"
}
] |
def x(self, namedstruct):
elements = []
t = namedstruct._target
for p in self.properties:
v = t
for sp in p[0]:
v = getattr(v, sp)
if len(p) > 1:
elements.extend(v[0:p[1]])
else:
elements.append(v)
return self.struct.pack(*elements)
|
pack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct):\n elements = []\n t = namedstruct._target\n for p in self.properties:\n v = t\n for sp in p[0]:\n v = getattr(v, sp)\n if len(p) > 1:\n elements.extend(v[0:p[1]])\n else:\n elements.append(v)\n return self.struct.pack(*elements)\n",
"role": "user"
},
{
"content": "pack",
"role": "assistant"
}
] |
def x(self, buffer, inlineparent=None):
if len(buffer) < self.struct.size:
return None
try:
return self.struct.unpack(buffer[:self.struct.size])[0
], self.struct.size
except struct.error as exc:
raise BadFormatError(exc)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buffer, inlineparent=None):\n if len(buffer) < self.struct.size:\n return None\n try:\n return self.struct.unpack(buffer[:self.struct.size])[0\n ], self.struct.size\n except struct.error as exc:\n raise BadFormatError(exc)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, data, inlineparent=None):
try:
return self.struct.unpack(data)[0]
except struct.error as exc:
raise BadFormatError(exc)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, inlineparent=None):\n try:\n return self.struct.unpack(data)[0]\n except struct.error as exc:\n raise BadFormatError(exc)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, buffer, inlineparent=None):
size = 0
v = []
for i in range(0, self.size):
r = self.innerparser.parse(buffer[size:], None)
if r is None:
return None
v.append(r[0])
size += r[1]
return v, size
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buffer, inlineparent=None):\n size = 0\n v = []\n for i in range(0, self.size):\n r = self.innerparser.parse(buffer[size:], None)\n if r is None:\n return None\n v.append(r[0])\n size += r[1]\n return v, size\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, inlineparent=None):
v = list(range(0, self.size))
for i in range(0, self.size):
v[i] = self.innerparser.new()
return v
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inlineparent=None):\n v = list(range(0, self.size))\n for i in range(0, self.size):\n v[i] = self.innerparser.new()\n return v\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, data, inlineparent=None):
if self.size > 0:
r = self.parse(data)
if r is None:
raise ParseError(
'data is not enough to create an array of size ' + self.size)
else:
return r[0]
else:
v = []
start = 0
while start < len(data):
r = self.innerparser.parse(data[start:], None)
if r is None:
break
v.append(r[0])
start += r[1]
return v
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, inlineparent=None):\n if self.size > 0:\n r = self.parse(data)\n if r is None:\n raise ParseError(\n 'data is not enough to create an array of size ' + self.size)\n else:\n return r[0]\n else:\n v = []\n start = 0\n while start < len(data):\n r = self.innerparser.parse(data[start:], None)\n if r is None:\n break\n v.append(r[0])\n start += r[1]\n return v\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, prim):
size = 0
arraysize = self.size
if arraysize == 0:
arraysize = len(prim)
for i in range(0, arraysize):
if i >= len(prim):
tp = self.innerparser.new()
if hasattr(self.innerparser, 'fullparse'):
self.innerparser.fullparse(tp)
size += self.innerparser.paddingsize(tp)
else:
size += self.innerparser.paddingsize(prim[i])
return size
|
sizeof
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prim):\n size = 0\n arraysize = self.size\n if arraysize == 0:\n arraysize = len(prim)\n for i in range(0, arraysize):\n if i >= len(prim):\n tp = self.innerparser.new()\n if hasattr(self.innerparser, 'fullparse'):\n self.innerparser.fullparse(tp)\n size += self.innerparser.paddingsize(tp)\n else:\n size += self.innerparser.paddingsize(prim[i])\n return size\n",
"role": "user"
},
{
"content": "sizeof",
"role": "assistant"
}
] |
def x(self, prim, skipprepack=False):
stream = BytesIO()
self.tostream(prim, stream, skipprepack=skipprepack)
return stream.getvalue()
|
tobytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prim, skipprepack=False):\n stream = BytesIO()\n self.tostream(prim, stream, skipprepack=skipprepack)\n return stream.getvalue()\n",
"role": "user"
},
{
"content": "tobytes",
"role": "assistant"
}
] |
def x(self, data, inlineparent=None):
if self.cstr:
return _copy(data).rstrip(b'\x00')
else:
return _copy(data)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, inlineparent=None):\n if self.cstr:\n return _copy(data).rstrip(b'\\x00')\n else:\n return _copy(data)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self):
if not hasattr(self, '_parser'):
self._parser = self._compile()
return self._parser
|
parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not hasattr(self, '_parser'):\n self._parser = self._compile()\n return self._parser\n",
"role": "user"
},
{
"content": "parser",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
obj = self.parser().new()
for k, v in args:
obj._replace_embedded_type(k, v)
for k, v in kwargs.items():
setattr(obj, k, v)
return obj
|
new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n obj = self.parser().new()\n for k, v in args:\n obj._replace_embedded_type(k, v)\n for k, v in kwargs.items():\n setattr(obj, k, v)\n return obj\n",
"role": "user"
},
{
"content": "new",
"role": "assistant"
}
] |
def x(self, value, defaultName=None):
for k, v in self._values.items():
if v == value:
return k
return defaultName
|
getName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, defaultName=None):\n for k, v in self._values.items():\n if v == value:\n return k\n return defaultName\n",
"role": "user"
},
{
"content": "getName",
"role": "assistant"
}
] |
def x(self, gs):
for k, v in self._values.items():
gs[k] = v
|
importAll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gs):\n for k, v in self._values.items():\n gs[k] = v\n",
"role": "user"
},
{
"content": "importAll",
"role": "assistant"
}
] |
def x(self, namespace=None, name=None, **kwargs):
if name is None:
name = self._readablename
d = dict(self._values)
d.update(kwargs)
return enum(name, namespace, self, self._bitwise, **d)
|
extend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace=None, name=None, **kwargs):\n if name is None:\n name = self._readablename\n d = dict(self._values)\n d.update(kwargs)\n return enum(name, namespace, self, self._bitwise, **d)\n",
"role": "user"
},
{
"content": "extend",
"role": "assistant"
}
] |
def x(self, value):
if not self._bitwise:
n = self.getName(value)
if n is None:
return value
else:
return n
else:
names = []
for k, v in sorted(self._values.items(), key=lambda x: x[1],
reverse=True):
if v & value == v:
names.append(k)
value = value ^ v
names.reverse()
if value != 0:
names.append(hex(value))
if not names:
return 0
return ' '.join(names)
|
formatter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if not self._bitwise:\n n = self.getName(value)\n if n is None:\n return value\n else:\n return n\n else:\n names = []\n for k, v in sorted(self._values.items(), key=lambda x: x[1],\n reverse=True):\n if v & value == v:\n names.append(k)\n value = value ^ v\n names.reverse()\n if value != 0:\n names.append(hex(value))\n if not names:\n return 0\n return ' '.join(names)\n",
"role": "user"
},
{
"content": "formatter",
"role": "assistant"
}
] |
def x(self, namedstruct, stream):
if hasattr(namedstruct, self.name):
return _tostream(self.basetypeparser, getattr(namedstruct, self.
name), stream, True)
else:
return 0
|
packto
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, stream):\n if hasattr(namedstruct, self.name):\n return _tostream(self.basetypeparser, getattr(namedstruct, self.\n name), stream, True)\n else:\n return 0\n",
"role": "user"
},
{
"content": "packto",
"role": "assistant"
}
] |
def x(self, namedstruct, skip_self=False, skip_sub=False):
if not skip_sub and hasattr(namedstruct, self.name) and hasattr(self.
basetypeparser, 'fullprepack'):
self.basetypeparser.fullprepack(getattr(namedstruct, self.name))
Parser.prepack(self, namedstruct, skip_self, skip_sub)
|
prepack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, skip_self=False, skip_sub=False):\n if not skip_sub and hasattr(namedstruct, self.name) and hasattr(self.\n basetypeparser, 'fullprepack'):\n self.basetypeparser.fullprepack(getattr(namedstruct, self.name))\n Parser.prepack(self, namedstruct, skip_self, skip_sub)\n",
"role": "user"
},
{
"content": "prepack",
"role": "assistant"
}
] |
def x(self, namedstruct, skip_self=False, skip_sub=False):
if not skip_sub and hasattr(self.innertypeparser, 'fullprepack'):
for v in getattr(namedstruct, self.name):
self.innertypeparser.fullprepack(v)
Parser.prepack(self, namedstruct, skip_self, skip_sub)
|
prepack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, skip_self=False, skip_sub=False):\n if not skip_sub and hasattr(self.innertypeparser, 'fullprepack'):\n for v in getattr(namedstruct, self.name):\n self.innertypeparser.fullprepack(v)\n Parser.prepack(self, namedstruct, skip_self, skip_sub)\n",
"role": "user"
},
{
"content": "prepack",
"role": "assistant"
}
] |
def x(self, namedstruct, skip_self=False, skip_sub=False):
if not skip_sub and self.header is not None and hasattr(self.header,
'fullprepack'):
self.header.fullprepack(namedstruct._seqs[0])
Parser.prepack(self, namedstruct, skip_self, skip_sub)
|
prepack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namedstruct, skip_self=False, skip_sub=False):\n if not skip_sub and self.header is not None and hasattr(self.header,\n 'fullprepack'):\n self.header.fullprepack(namedstruct._seqs[0])\n Parser.prepack(self, namedstruct, skip_self, skip_sub)\n",
"role": "user"
},
{
"content": "prepack",
"role": "assistant"
}
] |
def x(response):
results_error = 'No results were found matching your query'
auth_error = (
'The token or API key is not valid, please contact Josh Clark at joshua.m.clark@utah.edu to resolve this'
)
rule_error = (
'This request violates a rule of the API. Please check the guidelines for formatting a data request and try again'
)
catch_error = 'Something went wrong. Check all your calls and try again'
if response['SUMMARY']['RESPONSE_CODE'] == 1:
return response
elif response['SUMMARY']['RESPONSE_CODE'] == 2:
if response['SUMMARY']['NUMBER_OF_OBJECTS'] == 0:
return None
raise MesoPyError(results_error)
elif response['SUMMARY']['RESPONSE_CODE'] == 200:
raise MesoPyError(auth_error)
elif response['SUMMARY']['RESPONSE_CODE'] == 400:
raise MesoPyError(rule_error)
elif response['SUMMARY']['RESPONSE_CODE'] == -1:
format_error = response['SUMMARY']['RESPONSE_MESSAGE']
raise MesoPyError(format_error)
else:
raise MesoPyError(catch_error)
|
checkresponse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n results_error = 'No results were found matching your query'\n auth_error = (\n 'The token or API key is not valid, please contact Josh Clark at joshua.m.clark@utah.edu to resolve this'\n )\n rule_error = (\n 'This request violates a rule of the API. Please check the guidelines for formatting a data request and try again'\n )\n catch_error = 'Something went wrong. Check all your calls and try again'\n if response['SUMMARY']['RESPONSE_CODE'] == 1:\n return response\n elif response['SUMMARY']['RESPONSE_CODE'] == 2:\n if response['SUMMARY']['NUMBER_OF_OBJECTS'] == 0:\n return None\n raise MesoPyError(results_error)\n elif response['SUMMARY']['RESPONSE_CODE'] == 200:\n raise MesoPyError(auth_error)\n elif response['SUMMARY']['RESPONSE_CODE'] == 400:\n raise MesoPyError(rule_error)\n elif response['SUMMARY']['RESPONSE_CODE'] == -1:\n format_error = response['SUMMARY']['RESPONSE_MESSAGE']\n raise MesoPyError(format_error)\n else:\n raise MesoPyError(catch_error)\n",
"role": "user"
},
{
"content": "checkresponse",
"role": "assistant"
}
] |
def x(self, endpoint, request_dict):
http_error = (
'Could not connect to the API. This could be because you have no internet connection, a parameter was input incorrectly, or the API is currently down. Please try again.'
)
json_error = (
'Could not retrieve JSON values. Try again with a shorter date range.')
try:
qsp = urllib.parse.urlencode(request_dict, doseq=True)
resp = urllib.request.urlopen(self.base_url + endpoint + '?' + qsp
).read()
except (AttributeError or NameError):
try:
qsp = urllib.urlencode(request_dict, doseq=True)
resp = urllib2.urlopen(self.base_url + endpoint + '?' + qsp).read()
except urllib2.URLError:
raise MesoPyError(http_error)
except urllib.error.URLError:
raise MesoPyError(http_error)
try:
json_data = json.loads(resp.decode('utf-8'))
except ValueError:
raise MesoPyError(json_error)
return self._checkresponse(json_data)
|
get_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, request_dict):\n http_error = (\n 'Could not connect to the API. This could be because you have no internet connection, a parameter was input incorrectly, or the API is currently down. Please try again.'\n )\n json_error = (\n 'Could not retrieve JSON values. Try again with a shorter date range.')\n try:\n qsp = urllib.parse.urlencode(request_dict, doseq=True)\n resp = urllib.request.urlopen(self.base_url + endpoint + '?' + qsp\n ).read()\n except (AttributeError or NameError):\n try:\n qsp = urllib.urlencode(request_dict, doseq=True)\n resp = urllib2.urlopen(self.base_url + endpoint + '?' + qsp).read()\n except urllib2.URLError:\n raise MesoPyError(http_error)\n except urllib.error.URLError:\n raise MesoPyError(http_error)\n try:\n json_data = json.loads(resp.decode('utf-8'))\n except ValueError:\n raise MesoPyError(json_error)\n return self._checkresponse(json_data)\n",
"role": "user"
},
{
"content": "get_response",
"role": "assistant"
}
] |
def x(self, arg_list):
geo_func = lambda a, b: any(i in b for i in a)
check = geo_func(self.geo_criteria, arg_list)
if check is False:
raise MesoPyError(
'No stations or geographic search criteria specified. Please provide one of the following: stid, state, county, country, radius, bbox, cwa, nwsfirezone, gacc, subgacc'
)
|
check_geo_param
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg_list):\n geo_func = lambda a, b: any(i in b for i in a)\n check = geo_func(self.geo_criteria, arg_list)\n if check is False:\n raise MesoPyError(\n 'No stations or geographic search criteria specified. Please provide one of the following: stid, state, county, country, radius, bbox, cwa, nwsfirezone, gacc, subgacc'\n )\n",
"role": "user"
},
{
"content": "check_geo_param",
"role": "assistant"
}
] |
def x(self, **kwargs):
self._check_geo_param(kwargs)
kwargs['token'] = self.token
return self._get_response('stations/nearesttime', kwargs)
|
attime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['token'] = self.token\n return self._get_response('stations/nearesttime', kwargs)\n",
"role": "user"
},
{
"content": "attime",
"role": "assistant"
}
] |
def x(self, start, end, **kwargs):
self._check_geo_param(kwargs)
kwargs['start'] = start
kwargs['end'] = end
kwargs['token'] = self.token
return self._get_response('stations/precipitation', kwargs)
|
precip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['start'] = start\n kwargs['end'] = end\n kwargs['token'] = self.token\n return self._get_response('stations/precipitation', kwargs)\n",
"role": "user"
},
{
"content": "precip",
"role": "assistant"
}
] |
def x(self, start, end, **kwargs):
self._check_geo_param(kwargs)
kwargs['start'] = start
kwargs['end'] = end
kwargs['token'] = self.token
return self._get_response('stations/timeseries', kwargs)
|
timeseries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['start'] = start\n kwargs['end'] = end\n kwargs['token'] = self.token\n return self._get_response('stations/timeseries', kwargs)\n",
"role": "user"
},
{
"content": "timeseries",
"role": "assistant"
}
] |
def x(self, startclim, endclim, **kwargs):
self._check_geo_param(kwargs)
kwargs['startclim'] = startclim
kwargs['endclim'] = endclim
kwargs['token'] = self.token
return self._get_response('stations/climatology', kwargs)
|
climatology
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, startclim, endclim, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['startclim'] = startclim\n kwargs['endclim'] = endclim\n kwargs['token'] = self.token\n return self._get_response('stations/climatology', kwargs)\n",
"role": "user"
},
{
"content": "climatology",
"role": "assistant"
}
] |
def x(self, startclim, endclim, type, **kwargs):
self._check_geo_param(kwargs)
kwargs['type'] = type
kwargs['startclim'] = startclim
kwargs['endclim'] = endclim
kwargs['token'] = self.token
return self._get_response('stations/climatology', kwargs)
|
climate_stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, startclim, endclim, type, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['type'] = type\n kwargs['startclim'] = startclim\n kwargs['endclim'] = endclim\n kwargs['token'] = self.token\n return self._get_response('stations/climatology', kwargs)\n",
"role": "user"
},
{
"content": "climate_stats",
"role": "assistant"
}
] |
def x(self, start, end, type, **kwargs):
self._check_geo_param(kwargs)
kwargs['type'] = type
kwargs['start'] = start
kwargs['end'] = end
kwargs['token'] = self.token
return self._get_response('stations/statistics', kwargs)
|
time_stats
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, type, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['type'] = type\n kwargs['start'] = start\n kwargs['end'] = end\n kwargs['token'] = self.token\n return self._get_response('stations/statistics', kwargs)\n",
"role": "user"
},
{
"content": "time_stats",
"role": "assistant"
}
] |
def x(self, **kwargs):
self._check_geo_param(kwargs)
kwargs['token'] = self.token
return self._get_response('stations/metadata', kwargs)
|
metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['token'] = self.token\n return self._get_response('stations/metadata', kwargs)\n",
"role": "user"
},
{
"content": "metadata",
"role": "assistant"
}
] |
def x(self, start, end, **kwargs):
self._check_geo_param(kwargs)
kwargs['start'] = start
kwargs['end'] = end
kwargs['token'] = self.token
return self._get_response('stations/latency', kwargs)
|
latency
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end, **kwargs):\n self._check_geo_param(kwargs)\n kwargs['start'] = start\n kwargs['end'] = end\n kwargs['token'] = self.token\n return self._get_response('stations/latency', kwargs)\n",
"role": "user"
},
{
"content": "latency",
"role": "assistant"
}
] |
def x(self, key=None):
count = self.count()
if count:
return self.sum(key) / count
|
avg
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None):\n count = self.count()\n if count:\n return self.sum(key) / count\n",
"role": "user"
},
{
"content": "avg",
"role": "assistant"
}
] |
def x(self, size):
chunks = self._chunk(size)
return self.__class__(list(map(self.__class__, chunks)))
|
chunk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n chunks = self._chunk(size)\n return self.__class__(list(map(self.__class__, chunks)))\n",
"role": "user"
},
{
"content": "chunk",
"role": "assistant"
}
] |
def x(self, size):
items = self.items
return [items[i:i + size] for i in range(0, len(items), size)]
|
chunk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n items = self.items\n return [items[i:i + size] for i in range(0, len(items), size)]\n",
"role": "user"
},
{
"content": "chunk",
"role": "assistant"
}
] |
def x(self, key, value=None):
if value is not None:
return self.contains(lambda x: data_get(x, key) == value)
if self._use_as_callable(key):
return self.first(key) is not None
return key in self.items
|
contains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value=None):\n if value is not None:\n return self.contains(lambda x: data_get(x, key) == value)\n if self._use_as_callable(key):\n return self.first(key) is not None\n return key in self.items\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(self):
results = []
items = self.items
for values in items:
if isinstance(values, BaseCollection):
values = values.all()
results += values
return self.__class__(results)
|
collapse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = []\n items = self.items\n for values in items:\n if isinstance(values, BaseCollection):\n values = values.all()\n results += values\n return self.__class__(results)\n",
"role": "user"
},
{
"content": "collapse",
"role": "assistant"
}
] |
def x(self, items):
return self.__class__([i for i in self.items if i not in items])
|
diff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items):\n return self.__class__([i for i in self.items if i not in items])\n",
"role": "user"
},
{
"content": "diff",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.