source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(vcs, method):
def x(f):
if vcs not in HANDLERS:
HANDLERS[vcs] = {}
HANDLERS[vcs][method] = f
return f
return decorate
| register_vcs_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vcs, method):\n\n def x(f):\n if vcs not in HANDLERS:\n HANDLERS[vcs] = {}\n HANDLERS[vcs][method] = f\n return f\n retur... |
def x(tag_prefix, root, verbose, run_command=run_command):
GITS = ['git']
if sys.platform == 'win32':
GITS = ['git.cmd', 'git.exe']
out, rc = run_command(GITS, ['rev-parse', '--git-dir'], cwd=root,
hide_stderr=True)
if rc != 0:
if verbose:
print('Directory %s not under git control' % root)
raise NotThisMethod("'git rev-parse --git-dir' returned error")
describe_out, rc = run_command(GITS, ['describe', '--tags', '--dirty',
'--always', '--long', '--match', '%s*' % tag_prefix], cwd=root)
if describe_out is None:
raise NotThisMethod("'git describe' failed")
describe_out = describe_out.strip()
full_out, rc = run_command(GITS, ['rev-parse', 'HEAD'], cwd=root)
if full_out is None:
raise NotThisMethod("'git rev-parse' failed")
full_out = full_out.strip()
pieces = {}
pieces['long'] = full_out
pieces['short'] = full_out[:7]
pieces['error'] = None
git_describe = describe_out
dirty = git_describe.endswith('-dirty')
pieces['dirty'] = dirty
if dirty:
git_describe = git_describe[:git_describe.rindex('-dirty')]
if '-' in git_describe:
mo = re.search('^(.+)-(\\d+)-g([0-9a-f]+)$', git_describe)
if not mo:
pieces['error'
] = "unable to parse git-describe output: '%s'" % describe_out
return pieces
full_tag = mo.group(1)
if not full_tag.startswith(tag_prefix):
if verbose:
fmt = "tag '%s' doesn't start with prefix '%s'"
print(fmt % (full_tag, tag_prefix))
pieces['error'] = "tag '%s' doesn't start with prefix '%s'" % (
full_tag, tag_prefix)
return pieces
pieces['closest-tag'] = full_tag[len(tag_prefix):]
pieces['distance'] = int(mo.group(2))
pieces['short'] = mo.group(3)
else:
pieces['closest-tag'] = None
count_out, rc = run_command(GITS, ['rev-list', 'HEAD', '--count'],
cwd=root)
pieces['distance'] = int(count_out)
date = run_command(GITS, ['show', '-s', '--format=%ci', 'HEAD'], cwd=root)[
0].strip()
pieces['date'] = date.strip().replace(' ', 'T', 1).replace(' ', '', 1)
return pieces
| git_pieces_from_vcs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag_prefix, root, verbose, run_command=run_command):\n GITS = ['git']\n if sys.platform == 'win32':\n GITS = ['git.cmd', 'git.exe']\n out, rc =... |
def x():
cfg = get_config()
verbose = cfg.verbose
try:
return git_versions_from_keywords(get_keywords(), cfg.tag_prefix,
verbose)
except NotThisMethod:
pass
try:
root = os.path.realpath(__file__)
for i in cfg.versionfile_source.split('/'):
root = os.path.dirname(root)
except NameError:
return {'version': '0+unknown', 'full-revisionid': None, 'dirty':
None, 'error': 'unable to find root of source tree', 'date': None}
try:
pieces = git_pieces_from_vcs(cfg.tag_prefix, root, verbose)
return render(pieces, cfg.style)
except NotThisMethod:
pass
try:
if cfg.parentdir_prefix:
return versions_from_parentdir(cfg.parentdir_prefix, root, verbose)
except NotThisMethod:
pass
return {'version': '0+unknown', 'full-revisionid': None, 'dirty': None,
'error': 'unable to compute version', 'date': None}
| get_versions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cfg = get_config()\n verbose = cfg.verbose\n try:\n return git_versions_from_keywords(get_keywords(), cfg.tag_prefix,\n verbose... |
def x(ecu_or_glob, source_db, target_db):
if isinstance(ecu_or_glob, cm.Ecu):
ecu_list = [ecu_or_glob]
else:
ecu_list = source_db.glob_ecus(ecu_or_glob)
for ecu in ecu_list:
target_db.add_ecu(copy.deepcopy(ecu))
for attribute in ecu.attributes:
if attribute not in target_db.ecu_defines:
target_db.add_ecu_defines(copy.deepcopy(attribute), copy.
deepcopy(source_db.ecu_defines[attribute].definition))
target_db.add_define_default(copy.deepcopy(attribute), copy
.deepcopy(source_db.ecu_defines[attribute].defaultValue))
if source_db.ecu_defines[attribute].type == 'ENUM':
temp_attr = ecu.attribute(attribute, db=source_db)
if temp_attr not in target_db.ecu_defines[attribute].values:
target_db.ecu_defines[attribute].values.append(copy.
deepcopy(temp_attr))
target_db.ecu_defines[attribute].update()
| copy_ecu | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ecu_or_glob, source_db, target_db):\n if isinstance(ecu_or_glob, cm.Ecu):\n ecu_list = [ecu_or_glob]\n else:\n ecu_list = source_db.glob_ec... |
def x(ecu_or_glob, source_db, target_db):
if isinstance(ecu_or_glob, cm.Ecu):
ecu_list = [ecu_or_glob]
else:
ecu_list = source_db.glob_ecus(ecu_or_glob)
for ecu in ecu_list:
logger.info('Copying ECU ' + ecu.name)
target_db.add_ecu(copy.deepcopy(ecu))
for frame in source_db.frames:
if ecu.name in frame.transmitters:
copy_frame(frame.arbitration_id, source_db, target_db)
for frame in source_db.frames:
for signal in frame.signals:
if ecu.name in signal.receivers:
copy_frame(frame.arbitration_id, source_db, target_db)
break
for attribute in ecu.attributes:
if attribute not in target_db.ecu_defines:
target_db.add_ecu_defines(copy.deepcopy(attribute), copy.
deepcopy(source_db.ecu_defines[attribute].definition))
target_db.add_define_default(copy.deepcopy(attribute), copy
.deepcopy(source_db.ecu_defines[attribute].defaultValue))
if source_db.ecu_defines[attribute].type == 'ENUM':
temp_attr = ecu.attribute(attribute, db=source_db)
if temp_attr not in target_db.ecu_defines[attribute].values:
target_db.ecu_defines[attribute].values.append(copy.
deepcopy(temp_attr))
target_db.ecu_defines[attribute].update()
| copy_ecu_with_frames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ecu_or_glob, source_db, target_db):\n if isinstance(ecu_or_glob, cm.Ecu):\n ecu_list = [ecu_or_glob]\n else:\n ecu_list = source_db.glob_ec... |
def x(signal_glob, source_db, target_db):
for frame in source_db.frames:
for signal in frame.glob_signals(signal_glob):
target_db.add_signal(signal)
| copy_signal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signal_glob, source_db, target_db):\n for frame in source_db.frames:\n for signal in frame.glob_signals(signal_glob):\n target_db.add_sign... |
def x(frame_id, source_db, target_db):
frame_list = [source_db.frame_by_id(frame_id)]
for frame in frame_list:
logger.info('Copying Frame ' + frame.name)
if target_db.frame_by_id(frame.arbitration_id) is not None:
return False
target_db.add_frame(copy.deepcopy(frame))
for transmitter in frame.transmitters:
target_ecu = target_db.ecu_by_name(transmitter)
source_ecu = source_db.ecu_by_name(transmitter)
if source_ecu is not None and target_ecu is None:
copy_ecu(source_ecu, source_db, target_db)
for sig in frame.signals:
for receiver in sig.receivers:
target_ecu = target_db.ecu_by_name(receiver)
source_ecu = source_db.ecu_by_name(receiver)
if source_ecu is not None and target_ecu is None:
copy_ecu(source_ecu, source_db, target_db)
attributes = frame.attributes
for attribute in attributes:
if attribute not in target_db.frame_defines:
target_db.add_frame_defines(copy.deepcopy(attribute), copy.
deepcopy(source_db.frame_defines[attribute].definition))
target_db.add_define_default(copy.deepcopy(attribute), copy
.deepcopy(source_db.frame_defines[attribute].defaultValue))
if source_db.frame_defines[attribute].type == 'ENUM':
temp_attr = frame.attribute(attribute, db=source_db)
if temp_attr not in target_db.frame_defines[attribute].values:
target_db.frame_defines[attribute].values.append(copy.
deepcopy(temp_attr))
target_db.frame_defines[attribute].update()
for sig in frame.signals:
for attribute in sig.attributes:
target_db.add_signal_defines(copy.deepcopy(attribute), copy
.deepcopy(source_db.signal_defines[attribute].definition))
target_db.add_define_default(copy.deepcopy(attribute), copy
.deepcopy(source_db.signal_defines[attribute].defaultValue)
)
if source_db.signal_defines[attribute].type == 'ENUM':
temp_attr = sig.attribute(attribute, db=source_db)
if temp_attr not in target_db.signal_defines[attribute
].values:
target_db.signal_defines[attribute].values.append(copy
.deepcopy(temp_attr))
target_db.signal_defines[attribute].update()
return True
| copy_frame | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(frame_id, source_db, target_db):\n frame_list = [source_db.frame_by_id(frame_id)]\n for frame in frame_list:\n logger.info('Copying Frame ' + fram... |
def x():
global _yaml_initialized
if not _yaml_initialized:
_yaml_initialized = True
yaml.add_constructor(u'tag:yaml.org,2002:Frame', _frame_constructor)
yaml.add_constructor(u'tag:yaml.org,2002:Signal', _signal_constructor)
yaml.add_representer(canmatrix.Frame, _frame_representer)
| init_yaml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global _yaml_initialized\n if not _yaml_initialized:\n _yaml_initialized = True\n yaml.add_constructor(u'tag:yaml.org,2002:Frame', _fr... |
def x(self, name):
field = self._all_fields.get(name)
if field is not None:
return field
for field_name, field in self._all_fields.items():
if self._sanitize_field_name(name) == self._sanitize_field_name(
field_name):
return field
| get_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n field = self._all_fields.get(name)\n if field is not None:\n return field\n for field_name, field in self._all_fields.items():\n... |
def x(self, name, raw=False):
field = self.get_field(name)
if field is None:
return
if raw:
return field.raw_value
return field
| get_field_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, raw=False):\n field = self.get_field(name)\n if field is None:\n return\n if raw:\n return field.raw_value\n return field... |
def x(self, field_name):
field_name = field_name.replace(self._field_prefix, '')
return field_name.replace('.', '_').replace('-', '_').lower()
| sanitize_field_name | [
{
"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 field_name = field_name.replace(self._field_prefix, '')\n return field_name.replace('.', '_').replace('-', '_').lower()\n",
"rol... |
def x(self):
for field in self._get_all_fields_with_alternates():
for line in self._get_field_or_layer_repr(field):
yield line
| get_all_field_lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for field in self._get_all_fields_with_alternates():\n for line in self._get_field_or_layer_repr(field):\n yield line\n",
"ro... |
def x(self, showname):
for field in self._get_all_fields_with_alternates():
if field.showname_key == showname:
return field
| get_field_by_showname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, showname):\n for field in self._get_all_fields_with_alternates():\n if field.showname_key == showname:\n return field\n",
"role"... |
def x(self, name):
field = self._wrapped_fields.get(name)
if field is None:
is_fake = False
field = self._get_internal_field_by_name(name)
if field is None:
is_fake = self._is_fake_field(name)
if not is_fake:
raise AttributeError('No such field %s' % name)
field = self._make_wrapped_field(name, field, is_fake=is_fake)
self._wrapped_fields[name] = field
return field
| get_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n field = self._wrapped_fields.get(name)\n if field is None:\n is_fake = False\n field = self._get_internal_field_by_name(name... |
def x(self, name):
field = self._all_fields.get(name, self._all_fields.get('%s.%s' % (self
._full_name, name)))
if field is not None:
return field
for field_name in self._all_fields:
if field_name.endswith('.%s' % name):
return self._all_fields[field_name]
| get_internal_field_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n field = self._all_fields.get(name, self._all_fields.get('%s.%s' % (self\n ._full_name, name)))\n if field is not None:\n ret... |
def x(self, name, field, is_fake=False, full_name=None):
if not full_name:
full_name = '%s.%s' % (self._full_name, name)
if is_fake:
field = {key: value for key, value in self._all_fields.items() if
key.startswith(full_name)}
if isinstance(field, dict):
if name.endswith('_tree'):
name = name.replace('_tree', '')
full_name = '%s.%s' % (self._full_name, name)
return JsonLayer(name, field, full_name=full_name, is_intermediate=
is_fake)
elif isinstance(field, list):
return [self._make_wrapped_field(name, field_part, full_name=self.
_full_name.split('.')[0]) for field_part in field]
return LayerFieldsContainer(LayerField(name=name, value=field))
| make_wrapped_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, field, is_fake=False, full_name=None):\n if not full_name:\n full_name = '%s.%s' % (self._full_name, name)\n if is_fake:\n fiel... |
def x(self, dotted_name):
parts = dotted_name.split('.')
cur_layer = self
for part in parts:
if part in cur_layer.field_names:
cur_layer = cur_layer.get_field(part)
else:
return False
return True
| has_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dotted_name):\n parts = dotted_name.split('.')\n cur_layer = self\n for part in parts:\n if part in cur_layer.field_names:\n c... |
def x(self, packet_count=None):
params = super(InMemCapture, self).get_parameters(packet_count=packet_count
)
params += ['-i', '-']
return params
| get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=None):\n params = super(InMemCapture, self).get_parameters(packet_count=packet_count\n )\n params += ['-i', '-']\n return pa... |
def x(self, binary_packets):
if not binary_packets:
raise ValueError('Must supply at least one packet')
parsed_packets = []
if not self._current_tshark:
self.eventloop.run_until_complete(self._get_tshark_process())
for binary_packet in binary_packets:
self._write_packet(binary_packet)
def x(pkt):
parsed_packets.append(pkt)
if len(parsed_packets) == len(binary_packets):
raise StopCapture()
self.eventloop.run_until_complete(self._get_parsed_packet_from_tshark(
callback))
return parsed_packets
| parse_packets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, binary_packets):\n if not binary_packets:\n raise ValueError('Must supply at least one packet')\n parsed_packets = []\n if not self._curr... |
def x(self, binary_packet, linktype=LinkTypes.ETHERNET):
warnings.warn('Deprecated method. Use InMemCapture.parse_packet() instead.'
)
self._current_linktype = linktype
pkt = self.parse_packet(binary_packet)
self.close()
self._packets.append(pkt)
return pkt
| feed_packet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, binary_packet, linktype=LinkTypes.ETHERNET):\n warnings.warn('Deprecated method. Use InMemCapture.parse_packet() instead.'\n )\n self._curre... |
def x(self, binary_packets, linktype=LinkTypes.ETHERNET):
self._current_linktype = linktype
parsed_packets = self.parse_packets(binary_packets)
self._packets.extend(parsed_packets)
self.close()
return parsed_packets
| feed_packets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, binary_packets, linktype=LinkTypes.ETHERNET):\n self._current_linktype = linktype\n parsed_packets = self.parse_packets(binary_packets)\n self._... |
def x(tshark_path=None, process_name='tshark'):
config = get_config()
possible_paths = [config.get(process_name, '%s_path' % process_name)]
if tshark_path is not None:
possible_paths.insert(0, tshark_path)
if sys.platform.startswith('win'):
for env in ('ProgramFiles(x86)', 'ProgramFiles'):
program_files = os.getenv(env)
if program_files is not None:
possible_paths.append(os.path.join(program_files,
'Wireshark', '%s.exe' % process_name))
else:
os_path = os.getenv('PATH',
'/usr/bin:/usr/sbin:/usr/lib/tshark:/usr/local/bin')
for path in os_path.split(':'):
possible_paths.append(os.path.join(path, process_name))
for path in possible_paths:
if os.path.exists(path):
if sys.platform.startswith('win'):
path = path.replace('\\', '/')
return path
raise TSharkNotFoundException(
'TShark not found. Try adding its location to the configuration file. Searched these paths: {}'
.format(possible_paths))
| get_process_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tshark_path=None, process_name='tshark'):\n config = get_config()\n possible_paths = [config.get(process_name, '%s_path' % process_name)]\n if tshark_... |
def x(tshark_path=None):
parameters = [get_process_path(tshark_path), '-D']
with open(os.devnull, 'w') as null:
tshark_interfaces = subprocess.check_output(parameters, stderr=null
).decode('utf-8')
return [line.split('.')[0] for line in tshark_interfaces.splitlines()]
| get_tshark_interfaces | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tshark_path=None):\n parameters = [get_process_path(tshark_path), '-D']\n with open(os.devnull, 'w') as null:\n tshark_interfaces = subprocess.che... |
def x(self, packet_count=None):
params = super(PipeCapture, self).get_parameters(packet_count=packet_count)
params += ['-r', '-']
return params
| get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=None):\n params = super(PipeCapture, self).get_parameters(packet_count=packet_count)\n params += ['-r', '-']\n return params\n",
... |
def x(self, layer_name):
return [layer for layer in self.layers if layer.layer_name.lower() ==
layer_name.lower()]
| get_multiple_layers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, layer_name):\n return [layer for layer in self.layers if layer.layer_name.lower() ==\n layer_name.lower()]\n",
"role": "user"
},
{
... |
def x(ordered_pairs):
json_dict = {}
for key, val in ordered_pairs:
existing_val = json_dict.get(key)
if not existing_val:
json_dict[key] = val
elif isinstance(existing_val, list):
existing_val.append(val)
else:
json_dict[key] = [existing_val, val]
return json_dict
| duplicate_object_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ordered_pairs):\n json_dict = {}\n for key, val in ordered_pairs:\n existing_val = json_dict.get(key)\n if not existing_val:\n j... |
def x(self):
if not self.keep_packets:
return self._packet_generator.send(None)
elif self._current_packet >= len(self._packets):
packet = self._packet_generator.send(None)
self._packets += [packet]
return super(FileCapture, self).next_packet()
| next | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.keep_packets:\n return self._packet_generator.send(None)\n elif self._current_packet >= len(self._packets):\n packet =... |
def x(xml_pkt, psml_structure=None):
if not isinstance(xml_pkt, lxml.objectify.ObjectifiedElement):
parser = lxml.objectify.makeparser(huge_tree=True)
xml_pkt = lxml.objectify.fromstring(xml_pkt, parser)
if psml_structure:
return _packet_from_psml_packet(xml_pkt, psml_structure)
return _packet_from_pdml_packet(xml_pkt)
| packet_from_xml_packet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_pkt, psml_structure=None):\n if not isinstance(xml_pkt, lxml.objectify.ObjectifiedElement):\n parser = lxml.objectify.makeparser(huge_tree=True)\... |
def x(self, packet_count=None):
params = super(LiveRingCapture, self).get_parameters(packet_count=
packet_count)
params += ['-b', 'filesize:' + str(self.ring_file_size), '-b', 'files:' +
str(self.num_ring_files), '-w', self.ring_file_name, '-P']
return params
| get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=None):\n params = super(LiveRingCapture, self).get_parameters(packet_count=\n packet_count)\n params += ['-b', 'filesize:' + st... |
def x(self, packet_count=None):
params = super(LiveCapture, self).get_parameters(packet_count=packet_count)
params += ['-r', '-']
return params
| get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=None):\n params = super(LiveCapture, self).get_parameters(packet_count=packet_count)\n params += ['-r', '-']\n return params\n",
... |
def x(self, packet_count=0, timeout=None):
initial_packet_amount = len(self._packets)
def x(pkt):
self._packets.append(pkt)
if packet_count != 0 and len(self._packets
) - initial_packet_amount >= packet_count:
raise StopCapture()
try:
self.apply_on_packets(keep_packet, timeout=timeout)
self.loaded = True
except concurrent.futures.TimeoutError:
pass
| load_packets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=0, timeout=None):\n initial_packet_amount = len(self._packets)\n\n def x(pkt):\n self._packets.append(pkt)\n if packet_c... |
def x(self, set_to=True):
if set_to:
StreamHandler(sys.stdout).push_application()
self._log.level = logbook.DEBUG
self.debug = set_to
| set_debug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, set_to=True):\n if set_to:\n StreamHandler(sys.stdout).push_application()\n self._log.level = logbook.DEBUG\n self.debug = set_to\n",... |
def x(self):
if os.name == 'nt':
self.eventloop = asyncio.ProactorEventLoop()
else:
self.eventloop = asyncio.new_event_loop()
asyncio.set_event_loop(self.eventloop)
if os.name == 'posix' and isinstance(threading.current_thread(),
threading._MainThread):
asyncio.get_child_watcher().attach_loop(self.eventloop)
| setup_eventloop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.name == 'nt':\n self.eventloop = asyncio.ProactorEventLoop()\n else:\n self.eventloop = asyncio.new_event_loop()\n asynci... |
def x(self, data, tag_name=b'packet'):
opening_tag = b'<' + tag_name + b'>'
closing_tag = opening_tag.replace(b'<', b'</')
tag_end = data.find(closing_tag)
if tag_end != -1:
tag_end += len(closing_tag)
tag_start = data.find(opening_tag)
return data[tag_start:tag_end], data[tag_end:]
return None, data
| extract_tag_from_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, tag_name=b'packet'):\n opening_tag = b'<' + tag_name + b'>'\n closing_tag = opening_tag.replace(b'<', b'</')\n tag_end = data.find(closing... |
def x(self, packet_count=None, existing_process=None):
tshark_process = existing_process or self.eventloop.run_until_complete(self
._get_tshark_process())
psml_structure, data = self.eventloop.run_until_complete(self.
_get_psml_struct(tshark_process.stdout))
packets_captured = 0
data = b''
try:
while True:
try:
packet, data = self.eventloop.run_until_complete(self.
_get_packet_from_stream(tshark_process.stdout, data,
psml_structure=psml_structure, got_first_packet=
packets_captured > 0))
except EOFError:
self._log.debug('EOF reached (sync)')
break
if packet:
packets_captured += 1
yield packet
if packet_count and packets_captured >= packet_count:
break
finally:
self.eventloop.run_until_complete(self._cleanup_subprocess(
tshark_process))
| packets_from_tshark_sync | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=None, existing_process=None):\n tshark_process = existing_process or self.eventloop.run_until_complete(self\n ._get_tshark_process... |
def x(self, callback, timeout=None, packet_count=None):
coro = self.packets_from_tshark(callback, packet_count=packet_count)
if timeout is not None:
coro = asyncio.wait_for(coro, timeout)
return self.eventloop.run_until_complete(coro)
| apply_on_packets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, timeout=None, packet_count=None):\n coro = self.packets_from_tshark(callback, packet_count=packet_count)\n if timeout is not None:\n ... |
async def packets_from_tshark(self, packet_callback, packet_count=None,
close_tshark=True):
"""
A coroutine which creates a tshark process, runs the given callback on each packet that is received from it and
closes the process when it is done.
Do not use interactively. Can be used in order to insert packets into your own eventloop.
"""
tshark_process = await self._get_tshark_process(packet_count=packet_count)
try:
await self._go_through_packets_from_fd(tshark_process.stdout,
packet_callback, packet_count=packet_count)
except StopCapture:
pass
finally:
if close_tshark:
await self._close_async()
| packets_from_tshark | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def packets_from_tshark(self, packet_callback, packet_count=None,\n close_tshark=True):\n \"\"\"\n A coroutine which creates a tshark process, run... |
async def _go_through_packets_from_fd(self, fd, packet_callback,
packet_count=None):
"""A coroutine which goes through a stream and calls a given callback for each XML packet seen in it."""
packets_captured = 0
self._log.debug('Starting to go through packets')
psml_struct, data = await self._get_psml_struct(fd)
while True:
try:
packet, data = await self._get_packet_from_stream(fd, data,
got_first_packet=packets_captured > 0, psml_structure=
psml_struct)
except EOFError:
self._log.debug('EOF reached')
break
if packet:
packets_captured += 1
try:
packet_callback(packet)
except StopCapture:
self._log.debug('User-initiated capture stop in callback')
break
if packet_count and packets_captured >= packet_count:
break
| go_through_packets_from_fd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _go_through_packets_from_fd(self, fd, packet_callback,\n packet_count=None):\n \"\"\"A coroutine which goes through a stream and calls a given callba... |
async def _get_psml_struct(self, fd):
"""Gets the current PSML (packet summary xml) structure in a tuple ((None, leftover_data)),
only if the capture is configured to return it, else returns (None, leftover_data).
A coroutine.
"""
data = b''
psml_struct = None
if self._only_summaries:
while not psml_struct:
new_data = await fd.read(self.SUMMARIES_BATCH_SIZE)
data += new_data
psml_struct, data = self._extract_tag_from_data(data, b'structure')
if psml_struct:
psml_struct = psml_structure_from_xml(psml_struct)
elif not new_data:
return None, data
return psml_struct, data
else:
return None, data
| get_psml_struct | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _get_psml_struct(self, fd):\n \"\"\"Gets the current PSML (packet summary xml) structure in a tuple ((None, leftover_data)),\n only if the captur... |
async def _get_packet_from_stream(self, stream, existing_data,
got_first_packet=True, psml_structure=None):
"""A coroutine which returns a single packet if it can be read from the given StreamReader.
:return a tuple of (packet, remaining_data). The packet will be None if there was not enough XML data to create
a packet. remaining_data is the leftover data which was not enough to create a packet from.
:raises EOFError if EOF was reached.
"""
if self.use_json:
packet, existing_data = self._extract_packet_json_from_data(
existing_data, got_first_packet=got_first_packet)
else:
packet, existing_data = self._extract_tag_from_data(existing_data)
if packet:
if self.use_json:
packet = packet_from_json_packet(packet)
else:
packet = packet_from_xml_packet(packet, psml_structure=
psml_structure)
return packet, existing_data
new_data = await stream.read(self.DEFAULT_BATCH_SIZE)
existing_data += new_data
if not new_data:
raise EOFError()
return None, existing_data
| get_packet_from_stream | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _get_packet_from_stream(self, stream, existing_data,\n got_first_packet=True, psml_structure=None):\n \"\"\"A coroutine which returns a single packet... |
async def _get_tshark_process(self, packet_count=None, stdin=None):
"""
Returns a new tshark process with previously-set parameters.
"""
if self.use_json:
output_type = 'json'
if not tshark_supports_json(self.tshark_path):
raise TSharkVersionException(
'JSON only supported on Wireshark >= 2.2.0')
else:
output_type = 'psml' if self._only_summaries else 'pdml'
parameters = [self._get_tshark_path(), '-l', '-n', '-T', output_type
] + self.get_parameters(packet_count=packet_count)
self._log.debug('Creating TShark subprocess with parameters: ' + ' '.
join(parameters))
self._log.debug('Executable: %s' % parameters[0])
tshark_process = await asyncio.create_subprocess_exec(*parameters,
stdout=subprocess.PIPE, stderr=self._stderr_output(), stdin=stdin)
self._created_new_process(parameters, tshark_process)
return tshark_process
| get_tshark_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _get_tshark_process(self, packet_count=None, stdin=None):\n \"\"\"\n Returns a new tshark process with previously-set parameters.\n \"\"\"... |
async def _cleanup_subprocess(self, process):
"""
Kill the given process and properly closes any pipes connected to it.
"""
if process.returncode is None:
try:
process.kill()
return await asyncio.wait_for(process.wait(), 1)
except concurrent.futures.TimeoutError:
self._log.debug(
'Waiting for process to close failed, may have zombie process.'
)
except ProcessLookupError:
pass
except OSError:
if os.name != 'nt':
raise
elif process.returncode > 0:
raise TSharkCrashException(
'TShark seems to have crashed (retcode: %d). Try rerunning in debug mode [ capture_obj.set_debug() ] or try updating tshark.'
% process.returncode)
| cleanup_subprocess | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _cleanup_subprocess(self, process):\n \"\"\"\n Kill the given process and properly closes any pipes connected to it.\n \"\"\"\n if proc... |
def x(self, packet_count=None):
params = []
if self._capture_filter:
params += ['-f', self._capture_filter]
if self._display_filter:
params += [get_tshark_display_filter_flag(self.tshark_path), self.
_display_filter]
if self.include_raw:
params += ['-x']
if packet_count:
params += ['-c', str(packet_count)]
if self._custom_parameters:
for key, val in self._custom_parameters.items():
params += [key, val]
if all(self.encryption):
params += ['-o', 'wlan.enable_decryption:TRUE', '-o',
'uat:80211_keys:"' + self.encryption[1] + '","' + self.
encryption[0] + '"']
if self._override_prefs:
for preference_name, preference_value in self._override_prefs.items():
if all(self.encryption) and preference_name in (
'wlan.enable_decryption', 'uat:80211_keys'):
continue
params += ['-o', '{0}:{1}'.format(preference_name,
preference_value)]
if self._output_file:
params += ['-w', self._output_file]
if self._decode_as:
for criterion, decode_as_proto in self._decode_as.items():
params += ['-d', ','.join([criterion.strip(), decode_as_proto.
strip()])]
if self._disable_protocol:
params += ['--disable-protocol', self._disable_protocol.strip()]
return params
| get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, packet_count=None):\n params = []\n if self._capture_filter:\n params += ['-f', self._capture_filter]\n if self._display_filter:\n ... |
def x(self):
val = self.show
if not val:
val = self.raw_value
if not val:
val = self.showname
return val
| get_default_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n val = self.show\n if not val:\n val = self.raw_value\n if not val:\n val = self.showname\n return val\n",
"role": "user"... |
def x(self):
str_raw_value = str(self.raw_value)
if len(str_raw_value) % 2 == 1:
str_raw_value = '0' + str_raw_value
return binascii.unhexlify(str_raw_value)
| binary_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n str_raw_value = str(self.raw_value)\n if len(str_raw_value) % 2 == 1:\n str_raw_value = '0' + str_raw_value\n return binascii.unhexlif... |
def x(G, stmt_list):
func_list = []
for stmt in stmt_list:
try:
G.add_node(stmt.head.ident.name)
func_list.append(stmt)
except:
pass
for func in func_list:
assert isinstance(func, node.function)
func_name = func.head.ident.name
for s in node.postorder(func):
if (s.__class__ is node.funcall and s.func_expr.__class__ is
node.ident):
G.add_edge(func_name, s.func_expr.name)
| callgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G, stmt_list):\n func_list = []\n for stmt in stmt_list:\n try:\n G.add_node(stmt.head.ident.name)\n func_list.append(stmt)\... |
def x(typename, field_names, verbose=False, **default_kwds):
if isinstance(field_names, str):
field_names = field_names.replace(',', ' ').split()
field_names = tuple(map(str, field_names))
if not field_names:
raise ValueError('Records must have at least one field')
for name in ((typename,) + field_names):
if not min(c.isalnum() or c == '_' for c in name):
raise ValueError(
'Type names and field names can only contain alphanumeric characters and underscores: %r'
% name)
if iskeyword(name):
raise ValueError(
'Type names and field names cannot be a keyword: %r' % name)
if name[0].isdigit():
raise ValueError(
'Type names and field names cannot start with a number: %r' %
name)
seen_names = set()
for name in field_names:
if name.startswith('_'):
raise ValueError(
'Field names cannot start with an underscore: %r' % name)
if name in seen_names:
raise ValueError('Encountered duplicate field name: %r' % name)
seen_names.add(name)
field_defaults = default_kwds.pop('field_defaults', {})
if 'default' in default_kwds:
default = default_kwds.pop('default')
init_defaults = tuple(field_defaults.get(f, default) for f in
field_names)
elif not field_defaults:
init_defaults = None
else:
default_fields = field_names[-len(field_defaults):]
if set(default_fields) != set(field_defaults):
raise ValueError('Missing default parameter values')
init_defaults = tuple(field_defaults[f] for f in default_fields)
if default_kwds:
raise ValueError('Invalid keyword arguments: %s' % default_kwds)
numfields = len(field_names)
argtxt = ', '.join(field_names)
reprtxt = ', '.join('%s=%%r' % f for f in field_names)
dicttxt = ', '.join('%r: self.%s' % (f, f) for f in field_names)
tupletxt = repr(tuple('self.%s' % f for f in field_names)).replace("'", '')
inittxt = '; '.join('self.%s=%s' % (f, f) for f in field_names)
itertxt = '; '.join('yield self.%s' % f for f in field_names)
eqtxt = ' and '.join('self.%s==other.%s' % (f, f) for f in field_names)
template = dedent(
"""
class %(typename)s(object):
'%(typename)s(%(argtxt)s)'
__slots__ = %(field_names)r
def __init__(self, %(argtxt)s):
%(inittxt)s
def __len__(self):
return %(numfields)d
def __iter__(self):
%(itertxt)s
def __getitem__(self, index):
return getattr(self, self.__slots__[index])
def __setitem__(self, index, value):
return setattr(self, self.__slots__[index], value)
def todict(self):
'Return a new dict which maps field names to their values'
return {%(dicttxt)s}
def __repr__(self):
return '%(typename)s(%(reprtxt)s)' %% %(tupletxt)s
def __eq__(self, other):
return isinstance(other, self.__class__) and %(eqtxt)s
def __ne__(self, other):
return not self==other
def __getstate__(self):
return %(tupletxt)s
def __setstate__(self, state):
%(tupletxt)s = state
"""
) % locals()
namespace = {}
try:
exec(template, namespace)
if verbose:
print(template)
except SyntaxError as e:
raise SyntaxError(e.message + ':\n' + template)
cls = namespace[typename]
if sys.version_info.major == 3:
cls.__init__.__defaults__ = init_defaults
elif sys.version_info.major == 2:
cls.__init__.im_func.func_defaults = init_defaults
else:
assert 0
if hasattr(sys, '_getframe') and sys.platform != 'cli':
cls.__module__ = sys._getframe(1).f_globals['__name__']
return cls
| recordtype | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(typename, field_names, verbose=False, **default_kwds):\n if isinstance(field_names, str):\n field_names = field_names.replace(',', ' ').split()\n ... |
def x(a):
try:
return a.size and a.ndim - a.shape.count(1) <= 1
except:
return False
| isvector_or_scalar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a):\n try:\n return a.size and a.ndim - a.shape.count(1) <= 1\n except:\n return False\n",
"role": "user"
},
{
"content": "isve... |
def x(start, stop, step=1, **kwargs):
expand_value = 1 if step > 0 else -1
return matlabarray(np.arange(start, stop + expand_value, step, **kwargs
).reshape(1, -1), **kwargs)
| arange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, stop, step=1, **kwargs):\n expand_value = 1 if step > 0 else -1\n return matlabarray(np.arange(start, stop + expand_value, step, **kwargs\n ... |
def x(args):
import pdb
pdb.set_trace()
t = [matlabarray(a) for a in args]
return np.concatenate(t)
| concat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n import pdb\n pdb.set_trace()\n t = [matlabarray(a) for a in args]\n return np.concatenate(t)\n",
"role": "user"
},
{
"content"... |
def x(a, b=0, nargout=1):
s = np.asarray(a).shape
if s is ():
return 1 if b else (1,) * nargout
try:
if b:
return s[b - 1]
else:
return matlabarray(s) if nargout <= 1 else s
except IndexError:
return 1
| size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b=0, nargout=1):\n s = np.asarray(a).shape\n if s is ():\n return 1 if b else (1,) * nargout\n try:\n if b:\n return s[b -... |
def x(p):
if len(p) == 1:
p[0] = node.stmt_list()
else:
p[0] = p[1]
p[0].append(p[2])
| p_top | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 1:\n p[0] = node.stmt_list()\n else:\n p[0] = p[1]\n p[0].append(p[2])\n",
"role": "user"
},
{
"conte... |
def x(p):
p[0] = p[1]
p[0].append(node.return_stmt(ret=ret_expr))
p[0].append(node.comment_stmt("\nif __name__ == '__main__':\n pass"))
| p_end_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = p[1]\n p[0].append(node.return_stmt(ret=ret_expr))\n p[0].append(node.comment_stmt(\"\\nif __name__ == '__main__':\\n pass\"))\n",
... |
def x(p):
p[0] = node.string(value=str(p[1]), lineno=p.lineno(1), lexpos=p.lexpos(1))
| p_arg1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.string(value=str(p[1]), lineno=p.lineno(1), lexpos=p.lexpos(1))\n",
"role": "user"
},
{
"content": "p_arg1",
"role": "assi... |
def x(p):
if len(p) == 2:
p[0] = node.expr_list([p[1]])
else:
p[0] = p[1]
p[0].append(p[2])
| p_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 2:\n p[0] = node.expr_list([p[1]])\n else:\n p[0] = p[1]\n p[0].append(p[2])\n",
"role": "user"
},
{
... |
def x(p):
if len(p) == 1:
p[0] = node.stmt_list()
elif len(p) == 3:
assert isinstance(p[2], node.stmt_list)
p[0] = p[2]
elif len(p) == 6:
p[0] = node.if_stmt(cond_expr=node.expr(op='==', args=node.
expr_list([p[2]])), then_stmt=p[4], else_stmt=p[5])
p[0].cond_expr.args.append(None)
else:
assert 0
| p_case_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 1:\n p[0] = node.stmt_list()\n elif len(p) == 3:\n assert isinstance(p[2], node.stmt_list)\n p[0] = p[2]\n eli... |
def x(p):
if len(p) == 3:
p[0] = node.cellarray(op='{}', args=node.expr_list())
else:
p[0] = node.cellarray(op='{}', args=p[2])
| p_cellarray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 3:\n p[0] = node.cellarray(op='{}', args=node.expr_list())\n else:\n p[0] = node.cellarray(op='{}', args=p[2])\n",
"... |
def x(p):
args = node.expr_list() if len(p) == 4 else p[3]
assert isinstance(args, node.expr_list)
p[0] = node.cellarrayref(func_expr=p[1], args=args)
| p_cellarrayref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n args = node.expr_list() if len(p) == 4 else p[3]\n assert isinstance(args, node.expr_list)\n p[0] = node.cellarrayref(func_expr=p[1], args=args)... |
def x(p):
if p[1].__class__ == node.expr_list:
p[0] = node.concat_list([p[1], p[3]])
else:
p[0] = p[1]
p[0].append(p[3])
| p_concat_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if p[1].__class__ == node.expr_list:\n p[0] = node.concat_list([p[1], p[3]])\n else:\n p[0] = p[1]\n p[0].append(p[3])\n",
... |
def x(p):
if len(p) == 1:
p[0] = node.stmt_list()
elif len(p) == 3:
p[0] = p[2]
elif len(p) == 6:
p[0] = node.if_stmt(cond_expr=p[2], then_stmt=p[4], else_stmt=p[5])
elif len(p) == 7:
p[0] = node.if_stmt(cond_expr=p[3], then_stmt=p[5], else_stmt=p[6])
else:
assert 0
| p_elseif_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 1:\n p[0] = node.stmt_list()\n elif len(p) == 3:\n p[0] = p[2]\n elif len(p) == 6:\n p[0] = node.if_stmt(cond_... |
def x(p):
p[0] = node.expr(op=p[1], args=node.expr_list([p[2]]))
| p_expr1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.expr(op=p[1], args=node.expr_list([p[2]]))\n",
"role": "user"
},
{
"content": "p_expr1",
"role": "assistant"
}
] |
def x(p):
if p[2] == '=':
if p[1].__class__ is node.let:
raise_exception(SyntaxError,
'Not implemented assignment as expression', new_lexer)
if p[1].__class__ is node.funcall:
p[1].__class__ = node.arrayref
elif p[1].__class__ is node.matrix:
for e in p[1].args:
if e.__class__ is node.funcall:
e.__class__ = node.arrayref
if isinstance(p[1], node.getfield):
p[0] = node.setfield(p[1].args[0], p[1].args[1], p[3])
else:
ret = p[1].args if isinstance(p[1], node.matrix) else p[1]
p[0] = node.let(ret=ret, args=p[3], lineno=p.lineno(2), lexpos=
p.lexpos(2))
if isinstance(p[1], node.matrix):
if p[3].__class__ not in (node.ident, node.funcall):
raise_exception(SyntaxError, 'multi-assignment', new_lexer)
if p[3].__class__ is node.ident:
p[3] = node.funcall(func_expr=p[3], args=node.expr_list())
p[3].nargout = len(p[1].args[0])
elif p[2] == '*':
p[0] = node.funcall(func_expr=node.ident('dot'), args=node.
expr_list([p[1], p[3]]))
elif p[2] == '.*':
p[0] = node.funcall(func_expr=node.ident('multiply'), args=node.
expr_list([p[1], p[3]]))
elif p[2] == ':' and isinstance(p[1], node.expr) and p[1].op == ':':
p[0] = p[1]
p[0].args.insert(1, p[3])
else:
p[0] = node.expr(op=p[2], args=node.expr_list([p[1], p[3]]))
| p_expr2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if p[2] == '=':\n if p[1].__class__ is node.let:\n raise_exception(SyntaxError,\n 'Not implemented assignment as expr... |
def x(p):
p[0] = node.expr(op='end', args=node.expr_list([node.number(0), node.
number(0)]))
| p_expr_end | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.expr(op='end', args=node.expr_list([node.number(0), node.\n number(0)]))\n",
"role": "user"
},
{
"content": "p_expr_end... |
def x(p):
global use_nargin, use_varargin
if p[1] == 'varargin':
use_varargin = 1
if p[1] == 'nargin':
use_nargin = 1
p[0] = node.ident(name=p[1], lineno=p.lineno(1), column=p.lexpos(1) - p
.lexer.lexdata.rfind('\n', 0, p.lexpos(1)), lexpos=p.lexpos(1),
defs=None, props=None, init=None)
| p_expr_ident | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global use_nargin, use_varargin\n if p[1] == 'varargin':\n use_varargin = 1\n if p[1] == 'nargin':\n use_nargin = 1\n p[0] = no... |
def x(p):
if p[1] == '~':
p[0] = node.ident('__')
else:
p[0] = p[1]
if len(p) == 2:
p[0].init = node.ident(name='None')
else:
p[0].init = p[3]
| p_ident_init_opt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if p[1] == '~':\n p[0] = node.ident('__')\n else:\n p[0] = p[1]\n if len(p) == 2:\n p[0].init = node.ident(name='None')\n ... |
def x(p):
p[0] = node.number(p[1], lineno=p.lineno(1), lexpos=p.lexpos(1))
| p_expr_number | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.number(p[1], lineno=p.lineno(1), lexpos=p.lexpos(1))\n",
"role": "user"
},
{
"content": "p_expr_number",
"role": "assistan... |
def x(p):
assert isinstance(p[1], node.expr_list)
p[0] = node.expr_stmt(expr=p[1])
| p_expr_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n assert isinstance(p[1], node.expr_list)\n p[0] = node.expr_stmt(expr=p[1])\n",
"role": "user"
},
{
"content": "p_expr_stmt",
"role"... |
def x(p):
p[0] = node.string(p[1], lineno=p.lineno(1), lexpos=p.lexpos(1))
| p_expr_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.string(p[1], lineno=p.lineno(1), lexpos=p.lexpos(1))\n",
"role": "user"
},
{
"content": "p_expr_string",
"role": "assistan... |
def x(p):
if len(p) == 2:
p[0] = node.expr_list([p[1]])
elif len(p) == 4:
p[0] = p[1]
p[0].append(p[3])
else:
assert 0
assert isinstance(p[0], node.expr_list)
| p_exprs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 2:\n p[0] = node.expr_list([p[1]])\n elif len(p) == 4:\n p[0] = p[1]\n p[0].append(p[3])\n else:\n asse... |
def x(p):
p[0] = node.expr(op='.', args=node.expr_list([p[1], node.ident(name=p[2
], lineno=p.lineno(2), lexpos=p.lexpos(2))]))
| p_field_expr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.expr(op='.', args=node.expr_list([p[1], node.ident(name=p[2\n ], lineno=p.lineno(2), lexpos=p.lexpos(2))]))\n",
"role": "user"
... |
def x(p):
expr1 = p[1][1][0]
expr2 = p[3][1][0]
ident = expr1.ret
args1 = expr1.args
args2 = expr2.args
p[0] = node.let(ret=ident, args=node.expr('or', node.expr_list([args1,
args2])))
| p_foo_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n expr1 = p[1][1][0]\n expr2 = p[3][1][0]\n ident = expr1.ret\n args1 = expr1.args\n args2 = expr2.args\n p[0] = node.let(ret=ident, args... |
def x(p):
if len(p) == 8:
if not isinstance(p[2], node.ident):
raise_exception(SyntaxError, 'Not implemented: for loop', new_lexer
)
p[2].props = 'I'
p[0] = node.for_stmt(ident=p[2], expr=p[4], stmt_list=p[6])
| p_for_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 8:\n if not isinstance(p[2], node.ident):\n raise_exception(SyntaxError, 'Not implemented: for loop', new_lexer\n ... |
def x(p):
global ret_expr, use_nargin, use_varargin
ret_expr = node.expr_list()
use_varargin = use_nargin = 0
if len(p) == 5:
assert isinstance(p[3], node.expr_list)
p[0] = node.func_stmt(ident=p[2], ret=node.expr_list(), args=p[3],
stmt_list=node.stmt_list())
ret_expr = node.expr_list()
elif len(p) == 7:
assert isinstance(p[2], node.expr_list)
assert isinstance(p[5], node.expr_list)
p[0] = node.func_stmt(ident=p[4], ret=p[2], args=p[5], stmt_list=
node.stmt_list())
ret_expr = p[2]
else:
assert 0
| p_func_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n global ret_expr, use_nargin, use_varargin\n ret_expr = node.expr_list()\n use_varargin = use_nargin = 0\n if len(p) == 5:\n assert isi... |
def x(p):
if len(p) == 5 and len(p[3]) == 1 and p[3][0].__class__ is node.expr and p[
3][0].op == ':' and not p[3][0].args:
p[0] = node.funcall(func_expr=node.ident('ravel'), args=node.
expr_list([p[1]]))
else:
args = node.expr_list() if len(p) == 4 else p[3]
assert isinstance(args, node.expr_list)
p[0] = node.funcall(func_expr=p[1], args=args)
| p_funcall_expr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 5 and len(p[3]) == 1 and p[3][0].__class__ is node.expr and p[\n 3][0].op == ':' and not p[3][0].args:\n p[0] = node.funcal... |
def x(p):
if len(p) == 2:
p[0] = node.global_list([p[1]])
elif len(p) == 3:
p[0] = p[1]
p[0].append(p[2])
| p_global_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 2:\n p[0] = node.global_list([p[1]])\n elif len(p) == 3:\n p[0] = p[1]\n p[0].append(p[2])\n",
"role": "user"... |
def x(p):
p[0] = node.global_stmt(p[2])
for ident in p[0]:
ident.props = 'G'
| p_global_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.global_stmt(p[2])\n for ident in p[0]:\n ident.props = 'G'\n",
"role": "user"
},
{
"content": "p_global_stmt",
"... |
def x(p):
if len(p) == 7:
p[0] = node.if_stmt(cond_expr=p[2], then_stmt=p[4], else_stmt=p[5])
elif len(p) == 8:
p[0] = node.if_stmt(cond_expr=p[3], then_stmt=p[5], else_stmt=p[6])
else:
assert 0
| p_if_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 7:\n p[0] = node.if_stmt(cond_expr=p[2], then_stmt=p[4], else_stmt=p[5])\n elif len(p) == 8:\n p[0] = node.if_stmt(cond_... |
def x(p):
if len(p) == 3:
p[0] = node.matrix()
else:
p[0] = node.matrix(p[2])
| p_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 3:\n p[0] = node.matrix()\n else:\n p[0] = node.matrix(p[2])\n",
"role": "user"
},
{
"content": "p_matrix",
... |
def x(p):
p[0] = node.expr(op='parens', args=node.expr_list([p[2]]))
| p_parens_expr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.expr(op='parens', args=node.expr_list([p[2]]))\n",
"role": "user"
},
{
"content": "p_parens_expr",
"role": "assistant"
}... |
def x(p):
if len(p) == 2:
p[0] = node.expr_list([p[1]])
elif len(p) == 3:
p[0] = node.expr_list([])
elif len(p) == 4:
assert isinstance(p[2], node.expr_list)
p[0] = p[2]
else:
assert 0
for ident in p[0]:
ident.props = 'F'
| p_ret | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 2:\n p[0] = node.expr_list([p[1]])\n elif len(p) == 3:\n p[0] = node.expr_list([])\n elif len(p) == 4:\n asser... |
def x(p):
if len(p) == 2:
p[0] = node.stmt_list([p[1]] if p[1] else [])
elif len(p) == 3:
p[0] = p[1]
if p[2]:
p[0].append(p[2])
else:
assert 0
| p_stmt_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n if len(p) == 2:\n p[0] = node.stmt_list([p[1]] if p[1] else [])\n elif len(p) == 3:\n p[0] = p[1]\n if p[2]:\n p[0]... |
def x(p):
def x(expr, stmt):
if isinstance(stmt, node.if_stmt):
stmt.cond_expr.args[1] = expr
backpatch(expr, stmt.else_stmt)
backpatch(p[2], p[4])
p[0] = p[4]
| p_switch_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n\n def x(expr, stmt):\n if isinstance(stmt, node.if_stmt):\n stmt.cond_expr.args[1] = expr\n backpatch(expr, stmt.else_stm... |
def x(p):
assert isinstance(p[2], node.stmt_list)
p[0] = node.try_catch(try_stmt=p[2], catch_stmt=p[4], finally_stmt=node
.stmt_list())
| p_try_catch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n assert isinstance(p[2], node.stmt_list)\n p[0] = node.try_catch(try_stmt=p[2], catch_stmt=p[4], finally_stmt=node\n .stmt_list())\n",
"r... |
def x(p):
p[0] = node.try_catch(try_stmt=p[2], catch_stmt=node.expr_list(),
finally_stmt=p[4])
| p_unwind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p[0] = node.try_catch(try_stmt=p[2], catch_stmt=node.expr_list(),\n finally_stmt=p[4])\n",
"role": "user"
},
{
"content": "p_unwind... |
def x(p):
assert isinstance(p[4], node.stmt_list)
p[0] = node.while_stmt(cond_expr=p[2], stmt_list=p[4])
| p_while_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n assert isinstance(p[4], node.stmt_list)\n p[0] = node.while_stmt(cond_expr=p[2], stmt_list=p[4])\n",
"role": "user"
},
{
"content": "p_... |
def x(u):
if u.__class__ is node.funcall:
try:
if u.func_expr.props in 'UR':
u.__class__ = node.arrayref
except:
pass
| to_arrayref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u):\n if u.__class__ is node.funcall:\n try:\n if u.func_expr.props in 'UR':\n u.__class__ = node.arrayref\n except:... |
def x(u):
if u.__class__ in (node.arrayref, node.cellarrayref):
for w in u.args:
if w.__class__ is node.expr and w.op == ':':
w._replace(op='::')
| colon_subscripts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u):\n if u.__class__ in (node.arrayref, node.cellarrayref):\n for w in u.args:\n if w.__class__ is node.expr and w.op == ':':\n ... |
def x(u):
if u.__class__ is node.let:
if u.ret.__class__ is node.ident and u.args.__class__ is node.matrix:
u.args = node.funcall(func_expr=node.ident('matlabarray'), args
=node.expr_list([u.args]))
| let_statement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u):\n if u.__class__ is node.let:\n if u.ret.__class__ is node.ident and u.args.__class__ is node.matrix:\n u.args = node.funcall(func_exp... |
def x(data):
if data['Streak'].count() > 0:
data['Streak2'] = data['Streak'].str.len()
data.loc[data['Streak'].str[0] == '-', 'Streak2'] = -data['Streak2']
data['Streak'] = data['Streak2']
data = data.drop('Streak2', 1)
return data
| process_win_streak | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n if data['Streak'].count() > 0:\n data['Streak2'] = data['Streak'].str.len()\n data.loc[data['Streak'].str[0] == '-', 'Streak2'] = -da... |
def x(start_dt, end_dt, player_id, url):
current_dt = datetime.datetime.strptime(start_dt, '%Y-%m-%d')
end_dt = datetime.datetime.strptime(end_dt, '%Y-%m-%d')
results = []
player_id = str(player_id)
print('Gathering Player Data')
while current_dt < end_dt:
remaining = end_dt - current_dt
delta = min(remaining, datetime.timedelta(days=2190))
next_dt = current_dt + delta
start_str = current_dt.strftime('%Y-%m-%d')
end_str = next_dt.strftime('%Y-%m-%d')
data = requests.get(url.format(start_str, end_str, player_id))
df = pd.read_csv(io.StringIO(data.text))
results.append(df)
current_dt = next_dt + datetime.timedelta(days=1)
return pd.concat(results)
| split_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_dt, end_dt, player_id, url):\n current_dt = datetime.datetime.strptime(start_dt, '%Y-%m-%d')\n end_dt = datetime.datetime.strptime(end_dt, '%Y-%m-%... |
def x(url):
with requests.get(url, stream=True) as f:
z = zipfile.ZipFile(io.BytesIO(f.content))
return z
| get_zip_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n with requests.get(url, stream=True) as f:\n z = zipfile.ZipFile(io.BytesIO(f.content))\n return z\n",
"role": "user"
},
{
"con... |
def x(start_dt=None, end_dt=None, player_id=None):
start_dt, end_dt, player_id = sanitize_input(start_dt, end_dt, player_id)
if start_dt and end_dt:
url = (
'https://baseballsavant.mlb.com/statcast_search/csv?all=true&hfPT=&hfAB=&hfBBT=&hfPR=&hfZ=&stadium=&hfBBL=&hfNewZones=&hfGT=R%7CPO%7CS%7C=&hfSea=&hfSit=&player_type=pitcher&hfOuts=&opponent=&pitcher_throws=&batter_stands=&hfSA=&game_date_gt={}&game_date_lt={}&pitchers_lookup%5B%5D={}&team=&position=&hfRO=&home_road=&hfFlag=&metric_1=&hfInn=&min_pitches=0&min_results=0&group_by=name&sort_col=pitches&player_event_sort=h_launch_speed&sort_order=desc&min_abs=0&type=details&'
)
df = split_request(start_dt, end_dt, player_id, url)
return df
| statcast_pitcher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_dt=None, end_dt=None, player_id=None):\n start_dt, end_dt, player_id = sanitize_input(start_dt, end_dt, player_id)\n if start_dt and end_dt:\n ... |
def x(start_dt=None, end_dt=None):
start_dt, end_dt = sanitize_input(start_dt, end_dt)
if datetime.datetime.strptime(start_dt, '%Y-%m-%d').year < 2008:
raise ValueError('Year must be 2008 or later')
if datetime.datetime.strptime(end_dt, '%Y-%m-%d').year < 2008:
raise ValueError('Year must be 2008 or later')
soup = get_soup(start_dt, end_dt)
table = get_table(soup)
table = table.dropna(how='all')
for column in ['Age', '#days', 'G', 'PA', 'AB', 'R', 'H', '2B', '3B',
'HR', 'RBI', 'BB', 'IBB', 'SO', 'HBP', 'SH', 'SF', 'GDP', 'SB',
'CS', 'BA', 'OBP', 'SLG', 'OPS']:
table[column] = pd.to_numeric(table[column])
table = table.drop('', 1)
return table
| batting_stats_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_dt=None, end_dt=None):\n start_dt, end_dt = sanitize_input(start_dt, end_dt)\n if datetime.datetime.strptime(start_dt, '%Y-%m-%d').year < 2008:\n ... |
def x(season=None):
if season is None:
season = datetime.datetime.today().strftime('%Y')
season = str(season)
start_dt = season + '-03-01'
end_dt = season + '-11-01'
return batting_stats_range(start_dt, end_dt)
| batting_stats_bref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(season=None):\n if season is None:\n season = datetime.datetime.today().strftime('%Y')\n season = str(season)\n start_dt = season + '-03-01'\n ... |
def x(season):
max_year = int(datetime.now().year) - 1
if season > max_year or season < 1871:
raise ValueError('Season must be between 1871 and {}'.format(max_year))
file_name = 'GL{}.TXT'.format(season)
z = get_zip_file(gamelog_url.format(season))
data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='"')
data.columns = gamelog_columns
return data
| season_game_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(season):\n max_year = int(datetime.now().year) - 1\n if season > max_year or season < 1871:\n raise ValueError('Season must be between 1871 and {}... |
def x():
file_name = 'GLWS.TXT'
z = get_zip_file(world_series_url)
data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='"')
data.columns = gamelog_columns
return data
| world_series_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n file_name = 'GLWS.TXT'\n z = get_zip_file(world_series_url)\n data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='\"')\n da... |
def x():
file_name = 'GLAS.TXT'
z = get_zip_file(all_star_url)
data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='"')
data.columns = gamelog_columns
return data
| all_star_game_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n file_name = 'GLAS.TXT'\n z = get_zip_file(all_star_url)\n data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='\"')\n data.c... |
def x():
file_name = 'GLWC.TXT'
z = get_zip_file(wild_card_url)
data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='"')
data.columns = gamelog_columns
return data
| wild_card_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n file_name = 'GLWC.TXT'\n z = get_zip_file(wild_card_url)\n data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='\"')\n data.... |
def x():
file_name = 'GLDV.TXT'
z = get_zip_file(division_series_url)
data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='"')
data.columns = gamelog_columns
return data
| division_series_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n file_name = 'GLDV.TXT'\n z = get_zip_file(division_series_url)\n data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='\"')\n ... |
def x():
file_name = 'GLLC.TXT'
z = get_zip_file(lcs_url)
data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='"')
data.columns = gamelog_columns
return data
| lcs_logs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n file_name = 'GLLC.TXT'\n z = get_zip_file(lcs_url)\n data = pd.read_csv(z.open(file_name), header=None, sep=',', quotechar='\"')\n data.column... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.