source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, string='.*'):
for s, sa in self.strings.items():
if re.match(string, s):
yield sa
| find_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string='.*'):\n for s, sa in self.strings.items():\n if re.match(string, s):\n yield sa\n",
"role": "user"
},
{
"content": "find_strings",
"role": "assistant"
}
] |
def x(self, classname='.*', fieldname='.*', fieldtype='.*', accessflags='.*'):
for cname, c in self.classes.items():
if re.match(classname, cname):
for f in c.get_fields():
z = f.get_field()
if re.match(fieldname, z.get_name()) and re.match(fieldtype,
z.get_descriptor()) and re.match(accessflags, z.
get_access_flags_string()):
yield f
| find_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, classname='.*', fieldname='.*', fieldtype='.*', accessflags='.*'):\n for cname, c in self.classes.items():\n if re.match(classname, cname):\n for f in c.get_fields():\n z = f.get_field()\n if re.match(fieldname, z.get_name()) and re.match(fieldtype,\n z.get_descriptor()) and re.match(accessflags, z.\n get_access_flags_string()):\n yield f\n",
"role": "user"
},
{
"content": "find_fields",
"role": "assistant"
}
] |
def x(self, classname='.*', methodname='.*', descriptor='.*', accessflags=
'.*', no_isolated=False, entry_points=[]):
def x(G, method):
if method not in G.node:
G.add_node(method, external=isinstance(method, ExternalMethod),
entrypoint=method.get_class_name() in entry_points, native=
'native' in method.get_access_flags_string(), public=
'public' in method.get_access_flags_string(), static=
'static' in method.get_access_flags_string())
CG = nx.DiGraph()
for m in self.find_methods(classname=classname, methodname=methodname,
descriptor=descriptor, accessflags=accessflags):
orig_method = m.get_method()
log.info('Found Method --> {}'.format(orig_method))
if no_isolated and len(m.get_xref_to()) == 0:
log.info('Skipped {}, because if has no xrefs'.format(orig_method))
continue
_add_node(CG, orig_method)
for other_class, callee, offset in m.get_xref_to():
_add_node(CG, callee)
if not CG.has_edge(orig_method, callee):
CG.add_edge(orig_method, callee)
return CG
| get_call_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, classname='.*', methodname='.*', descriptor='.*', accessflags=\n '.*', no_isolated=False, entry_points=[]):\n\n def x(G, method):\n if method not in G.node:\n G.add_node(method, external=isinstance(method, ExternalMethod),\n entrypoint=method.get_class_name() in entry_points, native=\n 'native' in method.get_access_flags_string(), public=\n 'public' in method.get_access_flags_string(), static=\n 'static' in method.get_access_flags_string())\n CG = nx.DiGraph()\n for m in self.find_methods(classname=classname, methodname=methodname,\n descriptor=descriptor, accessflags=accessflags):\n orig_method = m.get_method()\n log.info('Found Method --> {}'.format(orig_method))\n if no_isolated and len(m.get_xref_to()) == 0:\n log.info('Skipped {}, because if has no xrefs'.format(orig_method))\n continue\n _add_node(CG, orig_method)\n for other_class, callee, offset in m.get_xref_to():\n _add_node(CG, callee)\n if not CG.has_edge(orig_method, callee):\n CG.add_edge(orig_method, callee)\n return CG\n",
"role": "user"
},
{
"content": "get_call_graph",
"role": "assistant"
}
] |
def x(self):
for cls in self.get_classes():
name = 'CLASS_' + bytecode.FormatClassToPython(cls.name)
if hasattr(self, name):
log.warning('Already existing class {}!'.format(name))
setattr(self, name, cls)
for meth in cls.get_methods():
method_name = meth.name
if method_name in ['<init>', '<clinit>']:
_, method_name = bytecode.get_package_class_name(cls.name)
mname = ('METH_' + method_name + '_' + bytecode.
FormatDescriptorToPython(meth.access) + '_' + bytecode.
FormatDescriptorToPython(meth.descriptor))
if hasattr(cls, mname):
log.warning('already existing method: {} at class {}'.
format(mname, name))
setattr(cls, mname, meth)
for field in cls.get_fields():
mname = 'FIELD_' + bytecode.FormatNameToPython(field.name)
if hasattr(cls, mname):
log.warning('already existing field: {} at class {}'.format
(mname, name))
setattr(cls, mname, field)
| create_ipython_exports | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for cls in self.get_classes():\n name = 'CLASS_' + bytecode.FormatClassToPython(cls.name)\n if hasattr(self, name):\n log.warning('Already existing class {}!'.format(name))\n setattr(self, name, cls)\n for meth in cls.get_methods():\n method_name = meth.name\n if method_name in ['<init>', '<clinit>']:\n _, method_name = bytecode.get_package_class_name(cls.name)\n mname = ('METH_' + method_name + '_' + bytecode.\n FormatDescriptorToPython(meth.access) + '_' + bytecode.\n FormatDescriptorToPython(meth.descriptor))\n if hasattr(cls, mname):\n log.warning('already existing method: {} at class {}'.\n format(mname, name))\n setattr(cls, mname, meth)\n for field in cls.get_fields():\n mname = 'FIELD_' + bytecode.FormatNameToPython(field.name)\n if hasattr(cls, mname):\n log.warning('already existing field: {} at class {}'.format\n (mname, name))\n setattr(cls, mname, field)\n",
"role": "user"
},
{
"content": "create_ipython_exports",
"role": "assistant"
}
] |
def x(self, apilevel=None):
permmap = load_api_specific_resource_module('api_permission_mappings',
apilevel)
if not permmap:
raise ValueError(
"No permission mapping found! Is one available? The requested API level was '{}'"
.format(apilevel))
for cls in self.get_external_classes():
for meth_analysis in cls.get_methods():
meth = meth_analysis.get_method()
if meth.permission_api_name in permmap:
yield meth_analysis, permmap[meth.permission_api_name]
| get_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, apilevel=None):\n permmap = load_api_specific_resource_module('api_permission_mappings',\n apilevel)\n if not permmap:\n raise ValueError(\n \"No permission mapping found! Is one available? The requested API level was '{}'\"\n .format(apilevel))\n for cls in self.get_external_classes():\n for meth_analysis in cls.get_methods():\n meth = meth_analysis.get_method()\n if meth.permission_api_name in permmap:\n yield meth_analysis, permmap[meth.permission_api_name]\n",
"role": "user"
},
{
"content": "get_permissions",
"role": "assistant"
}
] |
def x(self, permission, apilevel=None):
permmap = load_api_specific_resource_module('api_permission_mappings',
apilevel)
if not permmap:
raise ValueError(
"No permission mapping found! Is one available? The requested API level was '{}'"
.format(apilevel))
apis = {k for k, v in permmap.items() if permission in v}
if not apis:
raise ValueError(
"No API methods could be found which use the permission. Does the permission exists? You requested: '{}'"
.format(permission))
for cls in self.get_external_classes():
for meth_analysis in cls.get_methods():
meth = meth_analysis.get_method()
if meth.permission_api_name in apis:
yield meth_analysis
| get_permission_usage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permission, apilevel=None):\n permmap = load_api_specific_resource_module('api_permission_mappings',\n apilevel)\n if not permmap:\n raise ValueError(\n \"No permission mapping found! Is one available? The requested API level was '{}'\"\n .format(apilevel))\n apis = {k for k, v in permmap.items() if permission in v}\n if not apis:\n raise ValueError(\n \"No API methods could be found which use the permission. Does the permission exists? You requested: '{}'\"\n .format(permission))\n for cls in self.get_external_classes():\n for meth_analysis in cls.get_methods():\n meth = meth_analysis.get_method()\n if meth.permission_api_name in apis:\n yield meth_analysis\n",
"role": "user"
},
{
"content": "get_permission_usage",
"role": "assistant"
}
] |
def x(session, filename=None):
if not filename:
filename = 'androguard_session_{:%Y-%m-%d_%H%M%S}.ag'.format(datetime
.datetime.now())
if os.path.isfile(filename):
log.warning('{} already exists, overwriting!')
reclimit = sys.getrecursionlimit()
sys.setrecursionlimit(50000)
saved = False
try:
with open(filename, 'wb') as fd:
pickle.dump(session, fd)
saved = True
except RecursionError:
log.exception(
'Recursion Limit hit while saving. Current Recursion limit: {}. Please report this error!'
.format(sys.getrecursionlimit()))
os.unlink(filename)
sys.setrecursionlimit(reclimit)
return filename if saved else None
| Save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, filename=None):\n if not filename:\n filename = 'androguard_session_{:%Y-%m-%d_%H%M%S}.ag'.format(datetime\n .datetime.now())\n if os.path.isfile(filename):\n log.warning('{} already exists, overwriting!')\n reclimit = sys.getrecursionlimit()\n sys.setrecursionlimit(50000)\n saved = False\n try:\n with open(filename, 'wb') as fd:\n pickle.dump(session, fd)\n saved = True\n except RecursionError:\n log.exception(\n 'Recursion Limit hit while saving. Current Recursion limit: {}. Please report this error!'\n .format(sys.getrecursionlimit()))\n os.unlink(filename)\n sys.setrecursionlimit(reclimit)\n return filename if saved else None\n",
"role": "user"
},
{
"content": "Save",
"role": "assistant"
}
] |
def x(self):
print('APKs in Session: {}'.format(len(self.analyzed_apk)))
for d, a in self.analyzed_apk.items():
print('\t{}: {}'.format(d, a))
print('DEXs in Session: {}'.format(len(self.analyzed_dex)))
for d, dex in self.analyzed_dex.items():
print('\t{}: {}'.format(d, dex))
print('Analysis in Session: {}'.format(len(self.analyzed_vms)))
for d, a in self.analyzed_vms.items():
print('\t{}: {}'.format(d, a))
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print('APKs in Session: {}'.format(len(self.analyzed_apk)))\n for d, a in self.analyzed_apk.items():\n print('\\t{}: {}'.format(d, a))\n print('DEXs in Session: {}'.format(len(self.analyzed_dex)))\n for d, dex in self.analyzed_dex.items():\n print('\\t{}: {}'.format(d, dex))\n print('Analysis in Session: {}'.format(len(self.analyzed_vms)))\n for d, a in self.analyzed_vms.items():\n print('\\t{}: {}'.format(d, a))\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self, filename, data):
digest = hashlib.sha256(data).hexdigest()
log.debug('add APK:%s' % digest)
apk = APK(data, True)
self.analyzed_apk[digest] = [apk]
self.analyzed_files[filename].append(digest)
self.analyzed_digest[digest] = filename
dx = Analysis()
self.analyzed_vms[digest] = dx
for dex in apk.get_all_dex():
self.addDEX(filename, dex, dx)
log.debug('added APK:%s' % digest)
return digest, apk
| addAPK | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, data):\n digest = hashlib.sha256(data).hexdigest()\n log.debug('add APK:%s' % digest)\n apk = APK(data, True)\n self.analyzed_apk[digest] = [apk]\n self.analyzed_files[filename].append(digest)\n self.analyzed_digest[digest] = filename\n dx = Analysis()\n self.analyzed_vms[digest] = dx\n for dex in apk.get_all_dex():\n self.addDEX(filename, dex, dx)\n log.debug('added APK:%s' % digest)\n return digest, apk\n",
"role": "user"
},
{
"content": "addAPK",
"role": "assistant"
}
] |
def x(self, filename, data, dx=None):
digest = hashlib.sha256(data).hexdigest()
log.debug('add DEX:%s' % digest)
log.debug('Parsing format ...')
d = DalvikVMFormat(data)
log.debug('added DEX:%s' % digest)
self.analyzed_files[filename].append(digest)
self.analyzed_digest[digest] = filename
self.analyzed_dex[digest] = d
if dx is None:
dx = Analysis()
dx.add(d)
dx.create_xref()
for d in dx.vms:
d.set_decompiler(DecompilerDAD(d, dx))
d.set_vmanalysis(dx)
self.analyzed_vms[digest] = dx
if self.export_ipython:
log.debug('Exporting in ipython')
d.create_python_export()
return digest, d, dx
| addDEX | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, data, dx=None):\n digest = hashlib.sha256(data).hexdigest()\n log.debug('add DEX:%s' % digest)\n log.debug('Parsing format ...')\n d = DalvikVMFormat(data)\n log.debug('added DEX:%s' % digest)\n self.analyzed_files[filename].append(digest)\n self.analyzed_digest[digest] = filename\n self.analyzed_dex[digest] = d\n if dx is None:\n dx = Analysis()\n dx.add(d)\n dx.create_xref()\n for d in dx.vms:\n d.set_decompiler(DecompilerDAD(d, dx))\n d.set_vmanalysis(dx)\n self.analyzed_vms[digest] = dx\n if self.export_ipython:\n log.debug('Exporting in ipython')\n d.create_python_export()\n return digest, d, dx\n",
"role": "user"
},
{
"content": "addDEX",
"role": "assistant"
}
] |
def x(self, filename, raw_data=None, dx=None):
if not raw_data:
log.debug("Loading file from '{}'".format(filename))
with open(filename, 'rb') as fp:
raw_data = fp.read()
ret = androconf.is_android_raw(raw_data)
log.debug("Found filetype: '{}'".format(ret))
if not ret:
return None
if ret == 'APK':
digest, _ = self.addAPK(filename, raw_data)
elif ret == 'DEX':
digest, _, _ = self.addDEX(filename, raw_data, dx)
elif ret == 'DEY':
digest, _, _ = self.addDEY(filename, raw_data, dx)
else:
return None
return digest
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, raw_data=None, dx=None):\n if not raw_data:\n log.debug(\"Loading file from '{}'\".format(filename))\n with open(filename, 'rb') as fp:\n raw_data = fp.read()\n ret = androconf.is_android_raw(raw_data)\n log.debug(\"Found filetype: '{}'\".format(ret))\n if not ret:\n return None\n if ret == 'APK':\n digest, _ = self.addAPK(filename, raw_data)\n elif ret == 'DEX':\n digest, _, _ = self.addDEX(filename, raw_data, dx)\n elif ret == 'DEY':\n digest, _, _ = self.addDEY(filename, raw_data, dx)\n else:\n return None\n return digest\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self):
for idx, digest in enumerate(self.analyzed_vms):
dx = self.analyzed_vms[digest]
for vm in dx.vms:
filename = self.analyzed_digest[digest]
yield idx, filename, digest, vm.get_classes()
| get_classes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for idx, digest in enumerate(self.analyzed_vms):\n dx = self.analyzed_vms[digest]\n for vm in dx.vms:\n filename = self.analyzed_digest[digest]\n yield idx, filename, digest, vm.get_classes()\n",
"role": "user"
},
{
"content": "get_classes",
"role": "assistant"
}
] |
def x(self, current_class):
for digest in self.analyzed_vms:
dx = self.analyzed_vms[digest]
if dx.is_class_present(current_class.get_name()):
return dx
return None
| get_analysis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_class):\n for digest in self.analyzed_vms:\n dx = self.analyzed_vms[digest]\n if dx.is_class_present(current_class.get_name()):\n return dx\n return None\n",
"role": "user"
},
{
"content": "get_analysis",
"role": "assistant"
}
] |
def x(self, current_class):
for digest, dx in self.analyzed_vms.items():
if dx.is_class_present(current_class.get_name()):
return self.analyzed_digest[digest]
return None
| get_filename_by_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_class):\n for digest, dx in self.analyzed_vms.items():\n if dx.is_class_present(current_class.get_name()):\n return self.analyzed_digest[digest]\n return None\n",
"role": "user"
},
{
"content": "get_filename_by_class",
"role": "assistant"
}
] |
def x(self, current_class):
for digest, dx in self.analyzed_vms.items():
if dx.is_class_present(current_class.get_name()):
return digest
return None
| get_digest_by_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, current_class):\n for digest, dx in self.analyzed_vms.items():\n if dx.is_class_present(current_class.get_name()):\n return digest\n return None\n",
"role": "user"
},
{
"content": "get_digest_by_class",
"role": "assistant"
}
] |
def x(self):
seen = []
for digest, dx in self.analyzed_vms.items():
if dx in seen:
continue
seen.append(dx)
yield digest, self.analyzed_digest[digest], dx.get_strings_analysis()
| get_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n seen = []\n for digest, dx in self.analyzed_vms.items():\n if dx in seen:\n continue\n seen.append(dx)\n yield digest, self.analyzed_digest[digest], dx.get_strings_analysis()\n",
"role": "user"
},
{
"content": "get_strings",
"role": "assistant"
}
] |
def x(self):
nb = 0
seen = []
for digest, dx in self.analyzed_vms.items():
if dx in seen:
continue
seen.append(dx)
nb += len(dx.get_strings_analysis())
return nb
| get_nb_strings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n nb = 0\n seen = []\n for digest, dx in self.analyzed_vms.items():\n if dx in seen:\n continue\n seen.append(dx)\n nb += len(dx.get_strings_analysis())\n return nb\n",
"role": "user"
},
{
"content": "get_nb_strings",
"role": "assistant"
}
] |
def x(self, filename=None, digest=None):
if not filename and not digest:
raise ValueError('Must give at least filename or digest!')
if digest is None:
digests = self.analyzed_files.get(filename)
if not digests:
return None, None, None
digest = digests[0]
a = self.analyzed_apk[digest][0]
dx = self.analyzed_vms[digest]
return a, dx.vms, dx
| get_objects_apk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None, digest=None):\n if not filename and not digest:\n raise ValueError('Must give at least filename or digest!')\n if digest is None:\n digests = self.analyzed_files.get(filename)\n if not digests:\n return None, None, None\n digest = digests[0]\n a = self.analyzed_apk[digest][0]\n dx = self.analyzed_vms[digest]\n return a, dx.vms, dx\n",
"role": "user"
},
{
"content": "get_objects_apk",
"role": "assistant"
}
] |
def x(self):
for digest, d in self.analyzed_dex.items():
yield digest, d, self.analyzed_vms[digest]
| get_objects_dex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for digest, d in self.analyzed_dex.items():\n yield digest, d, self.analyzed_vms[digest]\n",
"role": "user"
},
{
"content": "get_objects_dex",
"role": "assistant"
}
] |
def x(self):
log.debug('Fill classes tree')
for idx, filename, digest, classes in self.session.get_classes():
for c in sorted(classes, key=lambda c: c.name):
sig = Signature(c)
path_node = self.root_path_node
path = None
if not sig.class_path:
path = '.'
if path not in path_node[0]:
path_node[0][path] = {}, HashableQTreeWidgetItem(path_node
[1])
path_node[0][path][1].setText(0, path)
path_node = path_node[0][path]
else:
for path in sig.class_path:
if path not in path_node[0]:
path_node[0][path] = {}, HashableQTreeWidgetItem(
path_node[1])
path_node[0][path][1].setText(0, path)
path_node = path_node[0][path]
path_node[0][path] = {}, HashableQTreeWidgetItem(path_node[1])
class_name = sig.class_name
if idx > 0:
class_name += '@%d' % idx
c.current_title = class_name
self._reverse_cache[path_node[0][path][1]] = c, filename, digest
path_node[0][path][1].setText(0, class_name)
| fill | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.debug('Fill classes tree')\n for idx, filename, digest, classes in self.session.get_classes():\n for c in sorted(classes, key=lambda c: c.name):\n sig = Signature(c)\n path_node = self.root_path_node\n path = None\n if not sig.class_path:\n path = '.'\n if path not in path_node[0]:\n path_node[0][path] = {}, HashableQTreeWidgetItem(path_node\n [1])\n path_node[0][path][1].setText(0, path)\n path_node = path_node[0][path]\n else:\n for path in sig.class_path:\n if path not in path_node[0]:\n path_node[0][path] = {}, HashableQTreeWidgetItem(\n path_node[1])\n path_node[0][path][1].setText(0, path)\n path_node = path_node[0][path]\n path_node[0][path] = {}, HashableQTreeWidgetItem(path_node[1])\n class_name = sig.class_name\n if idx > 0:\n class_name += '@%d' % idx\n c.current_title = class_name\n self._reverse_cache[path_node[0][path][1]] = c, filename, digest\n path_node[0][path][1].setText(0, class_name)\n",
"role": "user"
},
{
"content": "fill",
"role": "assistant"
}
] |
def x(additional_attributes):
attributes_raw = io.BytesIO(additional_attributes)
attributes_hex = binascii.hexlify(additional_attributes)
if not len(additional_attributes):
return attributes_hex
len_attribute, = unpack('<I', attributes_raw.read(4))
if len_attribute != 8:
return attributes_hex
attr_id, = unpack('<I', attributes_raw.read(4))
if attr_id != APK._APK_SIG_ATTR_V2_STRIPPING_PROTECTION:
return attributes_hex
scheme_id, = unpack('<I', attributes_raw.read(4))
return 'stripping protection set, scheme %d' % scheme_id
| dump_additional_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(additional_attributes):\n attributes_raw = io.BytesIO(additional_attributes)\n attributes_hex = binascii.hexlify(additional_attributes)\n if not len(additional_attributes):\n return attributes_hex\n len_attribute, = unpack('<I', attributes_raw.read(4))\n if len_attribute != 8:\n return attributes_hex\n attr_id, = unpack('<I', attributes_raw.read(4))\n if attr_id != APK._APK_SIG_ATTR_V2_STRIPPING_PROTECTION:\n return attributes_hex\n scheme_id, = unpack('<I', attributes_raw.read(4))\n return 'stripping protection set, scheme %d' % scheme_id\n",
"role": "user"
},
{
"content": "dump_additional_attributes",
"role": "assistant"
}
] |
def x(cert, short=False):
print('SHA1 Fingerprint: {}'.format(cert.sha1_fingerprint))
print('SHA256 Fingerprint: {}'.format(cert.sha256_fingerprint))
print('Issuer: {}'.format(get_certificate_name_string(cert.issuer.
native, short=short)))
print('Subject: {}'.format(get_certificate_name_string(cert.subject.
native, short=short)))
| show_Certificate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cert, short=False):\n print('SHA1 Fingerprint: {}'.format(cert.sha1_fingerprint))\n print('SHA256 Fingerprint: {}'.format(cert.sha256_fingerprint))\n print('Issuer: {}'.format(get_certificate_name_string(cert.issuer.\n native, short=short)))\n print('Subject: {}'.format(get_certificate_name_string(cert.subject.\n native, short=short)))\n",
"role": "user"
},
{
"content": "show_Certificate",
"role": "assistant"
}
] |
def x(packageName, arsc, value):
if value:
returnValue = value
if value[0] == '@':
try:
res_id = int('0x' + value[1:], 16)
res_id = arsc.get_id(packageName, res_id)[1]
returnValue = arsc.get_string(packageName, res_id)[1]
except (ValueError, TypeError):
pass
return returnValue
return ''
| ensure_final_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packageName, arsc, value):\n if value:\n returnValue = value\n if value[0] == '@':\n try:\n res_id = int('0x' + value[1:], 16)\n res_id = arsc.get_id(packageName, res_id)[1]\n returnValue = arsc.get_string(packageName, res_id)[1]\n except (ValueError, TypeError):\n pass\n return returnValue\n return ''\n",
"role": "user"
},
{
"content": "ensure_final_value",
"role": "assistant"
}
] |
def x(apkfile):
if not os.path.exists(apkfile):
log.error("'{apkfile}' does not exist!".format(apkfile=apkfile))
appid = None
versionCode = None
versionName = None
with zipfile.ZipFile(apkfile) as apk:
with apk.open('AndroidManifest.xml') as manifest:
axml = AXMLParser(manifest.read())
count = 0
while axml.is_valid():
_type = next(axml)
count += 1
if _type == START_TAG:
for i in range(0, axml.getAttributeCount()):
name = axml.getAttributeName(i)
_type = axml.getAttributeValueType(i)
_data = axml.getAttributeValueData(i)
value = format_value(_type, _data, lambda _: axml.
getAttributeValue(i))
if appid is None and name == 'package':
appid = value
elif versionCode is None and name == 'versionCode':
if value.startswith('0x'):
versionCode = str(int(value, 16))
else:
versionCode = value
elif versionName is None and name == 'versionName':
versionName = value
if axml.name == 'manifest':
break
elif _type == END_TAG or _type == TEXT or _type == END_DOCUMENT:
raise RuntimeError(
'{path}: <manifest> must be the first element in AndroidManifest.xml'
.format(path=apkfile))
if not versionName or versionName[0] == '@':
a = APK(apkfile)
versionName = ensure_final_value(a.package, a.get_android_resources
(), a.get_androidversion_name())
if not versionName:
versionName = ''
return appid, versionCode, versionName.strip('\x00')
| get_apkid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apkfile):\n if not os.path.exists(apkfile):\n log.error(\"'{apkfile}' does not exist!\".format(apkfile=apkfile))\n appid = None\n versionCode = None\n versionName = None\n with zipfile.ZipFile(apkfile) as apk:\n with apk.open('AndroidManifest.xml') as manifest:\n axml = AXMLParser(manifest.read())\n count = 0\n while axml.is_valid():\n _type = next(axml)\n count += 1\n if _type == START_TAG:\n for i in range(0, axml.getAttributeCount()):\n name = axml.getAttributeName(i)\n _type = axml.getAttributeValueType(i)\n _data = axml.getAttributeValueData(i)\n value = format_value(_type, _data, lambda _: axml.\n getAttributeValue(i))\n if appid is None and name == 'package':\n appid = value\n elif versionCode is None and name == 'versionCode':\n if value.startswith('0x'):\n versionCode = str(int(value, 16))\n else:\n versionCode = value\n elif versionName is None and name == 'versionName':\n versionName = value\n if axml.name == 'manifest':\n break\n elif _type == END_TAG or _type == TEXT or _type == END_DOCUMENT:\n raise RuntimeError(\n '{path}: <manifest> must be the first element in AndroidManifest.xml'\n .format(path=apkfile))\n if not versionName or versionName[0] == '@':\n a = APK(apkfile)\n versionName = ensure_final_value(a.package, a.get_android_resources\n (), a.get_androidversion_name())\n if not versionName:\n versionName = ''\n return appid, versionCode, versionName.strip('\\x00')\n",
"role": "user"
},
{
"content": "get_apkid",
"role": "assistant"
}
] |
def x(self):
app_name = self.get_attribute_value('application', 'label')
if app_name is None:
activities = self.get_main_activities()
main_activity_name = None
if len(activities) > 0:
main_activity_name = activities.pop()
app_name = self.get_attribute_value('activity', 'label', name=
main_activity_name)
if app_name is None:
log.warning(
'It looks like that no app name is set for the main activity!')
return ''
if app_name.startswith('@'):
res_parser = self.get_android_resources()
if not res_parser:
return app_name
res_id, package = res_parser.parse_id(app_name)
if package and package != self.get_package():
if package == 'android':
log.warning(
'Resource ID with android package name encountered! Will not resolve, framework-res.apk would be required.'
)
return app_name
else:
log.warning(
"Resource ID with Package name '{}' encountered! Will not resolve"
.format(package))
return app_name
try:
app_name = res_parser.get_resolved_res_configs(res_id,
ARSCResTableConfig.default_config())[0][1]
except Exception as e:
log.warning('Exception selecting app name: %s' % e)
return app_name
| get_app_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n app_name = self.get_attribute_value('application', 'label')\n if app_name is None:\n activities = self.get_main_activities()\n main_activity_name = None\n if len(activities) > 0:\n main_activity_name = activities.pop()\n app_name = self.get_attribute_value('activity', 'label', name=\n main_activity_name)\n if app_name is None:\n log.warning(\n 'It looks like that no app name is set for the main activity!')\n return ''\n if app_name.startswith('@'):\n res_parser = self.get_android_resources()\n if not res_parser:\n return app_name\n res_id, package = res_parser.parse_id(app_name)\n if package and package != self.get_package():\n if package == 'android':\n log.warning(\n 'Resource ID with android package name encountered! Will not resolve, framework-res.apk would be required.'\n )\n return app_name\n else:\n log.warning(\n \"Resource ID with Package name '{}' encountered! Will not resolve\"\n .format(package))\n return app_name\n try:\n app_name = res_parser.get_resolved_res_configs(res_id,\n ARSCResTableConfig.default_config())[0][1]\n except Exception as e:\n log.warning('Exception selecting app name: %s' % e)\n return app_name\n",
"role": "user"
},
{
"content": "get_app_name",
"role": "assistant"
}
] |
def x(self, max_dpi=65536):
main_activity_name = self.get_main_activity()
app_icon = self.get_attribute_value('activity', 'icon', name=
main_activity_name)
if not app_icon:
app_icon = self.get_attribute_value('application', 'icon')
res_parser = self.get_android_resources()
if not res_parser:
return None
if not app_icon:
res_id = res_parser.get_res_id_by_key(self.package, 'mipmap',
'ic_launcher')
if res_id:
app_icon = '@%x' % res_id
if not app_icon:
res_id = res_parser.get_res_id_by_key(self.package, 'drawable',
'ic_launcher')
if res_id:
app_icon = '@%x' % res_id
if not app_icon:
return None
if app_icon.startswith('@'):
res_id = int(app_icon[1:], 16)
candidates = res_parser.get_resolved_res_configs(res_id)
app_icon = None
current_dpi = -1
try:
for config, file_name in candidates:
dpi = config.get_density()
if current_dpi < dpi <= max_dpi:
app_icon = file_name
current_dpi = dpi
except Exception as e:
log.warning('Exception selecting app icon: %s' % e)
return app_icon
| get_app_icon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_dpi=65536):\n main_activity_name = self.get_main_activity()\n app_icon = self.get_attribute_value('activity', 'icon', name=\n main_activity_name)\n if not app_icon:\n app_icon = self.get_attribute_value('application', 'icon')\n res_parser = self.get_android_resources()\n if not res_parser:\n return None\n if not app_icon:\n res_id = res_parser.get_res_id_by_key(self.package, 'mipmap',\n 'ic_launcher')\n if res_id:\n app_icon = '@%x' % res_id\n if not app_icon:\n res_id = res_parser.get_res_id_by_key(self.package, 'drawable',\n 'ic_launcher')\n if res_id:\n app_icon = '@%x' % res_id\n if not app_icon:\n return None\n if app_icon.startswith('@'):\n res_id = int(app_icon[1:], 16)\n candidates = res_parser.get_resolved_res_configs(res_id)\n app_icon = None\n current_dpi = -1\n try:\n for config, file_name in candidates:\n dpi = config.get_density()\n if current_dpi < dpi <= max_dpi:\n app_icon = file_name\n current_dpi = dpi\n except Exception as e:\n log.warning('Exception selecting app icon: %s' % e)\n return app_icon\n",
"role": "user"
},
{
"content": "get_app_icon",
"role": "assistant"
}
] |
def x(self, buffer):
default = 'Unknown'
if self.__no_magic:
return default
try:
import magic
except ImportError:
self.__no_magic = True
log.warning('No Magic library was found on your system.')
return default
except TypeError as e:
self.__no_magic = True
log.warning(
'It looks like you have the magic python package installed but not the magic library itself!'
)
log.warning('Error from magic library: %s', e)
log.warning(
'Please follow the installation instructions at https://github.com/ahupp/python-magic/#installation'
)
return default
try:
getattr(magic, 'MagicException')
except AttributeError:
self.__no_magic = True
log.warning(
'Not the correct Magic library was found on your system. Please install python-magic!'
)
return default
try:
ftype = magic.from_buffer(buffer[:1024])
except magic.MagicError as e:
log.exception('Error getting the magic type: %s', e)
return default
if not ftype:
return default
else:
return self._patch_magic(buffer, ftype)
| get_file_magic_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buffer):\n default = 'Unknown'\n if self.__no_magic:\n return default\n try:\n import magic\n except ImportError:\n self.__no_magic = True\n log.warning('No Magic library was found on your system.')\n return default\n except TypeError as e:\n self.__no_magic = True\n log.warning(\n 'It looks like you have the magic python package installed but not the magic library itself!'\n )\n log.warning('Error from magic library: %s', e)\n log.warning(\n 'Please follow the installation instructions at https://github.com/ahupp/python-magic/#installation'\n )\n return default\n try:\n getattr(magic, 'MagicException')\n except AttributeError:\n self.__no_magic = True\n log.warning(\n 'Not the correct Magic library was found on your system. Please install python-magic!'\n )\n return default\n try:\n ftype = magic.from_buffer(buffer[:1024])\n except magic.MagicError as e:\n log.exception('Error getting the magic type: %s', e)\n return default\n if not ftype:\n return default\n else:\n return self._patch_magic(buffer, ftype)\n",
"role": "user"
},
{
"content": "get_file_magic_name",
"role": "assistant"
}
] |
def x(self):
if self._files == {}:
for i in self.get_files():
buffer = self._get_crc32(i)
self._files[i] = self._get_file_magic_name(buffer)
return self._files
| get_files_types | [
{
"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._files == {}:\n for i in self.get_files():\n buffer = self._get_crc32(i)\n self._files[i] = self._get_file_magic_name(buffer)\n return self._files\n",
"role": "user"
},
{
"content": "get_files_types",
"role": "assistant"
}
] |
def x(self, buffer, orig):
if 'Zip' in orig or '(JAR)' in orig and androconf.is_android_raw(buffer
) == 'APK':
return 'Android application package file'
return orig
| patch_magic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buffer, orig):\n if 'Zip' in orig or '(JAR)' in orig and androconf.is_android_raw(buffer\n ) == 'APK':\n return 'Android application package file'\n return orig\n",
"role": "user"
},
{
"content": "patch_magic",
"role": "assistant"
}
] |
def x(self, filename):
buffer = self.zip.read(filename)
if filename not in self.files_crc32:
self.files_crc32[filename] = crc32(buffer)
if self.files_crc32[filename] != self.zip.getinfo(filename).CRC:
log.error(
"File '{}' has different CRC32 after unpacking! Declared: {:08x}, Calculated: {:08x}"
.format(filename, self.zip.getinfo(filename).CRC, self.
files_crc32[filename]))
return buffer
| get_crc32 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n buffer = self.zip.read(filename)\n if filename not in self.files_crc32:\n self.files_crc32[filename] = crc32(buffer)\n if self.files_crc32[filename] != self.zip.getinfo(filename).CRC:\n log.error(\n \"File '{}' has different CRC32 after unpacking! Declared: {:08x}, Calculated: {:08x}\"\n .format(filename, self.zip.getinfo(filename).CRC, self.\n files_crc32[filename]))\n return buffer\n",
"role": "user"
},
{
"content": "get_crc32",
"role": "assistant"
}
] |
def x(self):
if self.files_crc32 == {}:
for i in self.get_files():
self._get_crc32(i)
return self.files_crc32
| get_files_crc32 | [
{
"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.files_crc32 == {}:\n for i in self.get_files():\n self._get_crc32(i)\n return self.files_crc32\n",
"role": "user"
},
{
"content": "get_files_crc32",
"role": "assistant"
}
] |
def x(self):
for k in self.get_files():
yield k, self.get_files_types()[k], self.get_files_crc32()[k]
| get_files_information | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for k in self.get_files():\n yield k, self.get_files_types()[k], self.get_files_crc32()[k]\n",
"role": "user"
},
{
"content": "get_files_information",
"role": "assistant"
}
] |
def x(self, filename):
try:
return self.zip.read(filename)
except KeyError:
raise FileNotPresent(filename)
| get_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n try:\n return self.zip.read(filename)\n except KeyError:\n raise FileNotPresent(filename)\n",
"role": "user"
},
{
"content": "get_file",
"role": "assistant"
}
] |
def x(self):
dexre = re.compile('classes(\\d*).dex')
return filter(lambda x: dexre.match(x), self.get_files())
| get_dex_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dexre = re.compile('classes(\\\\d*).dex')\n return filter(lambda x: dexre.match(x), self.get_files())\n",
"role": "user"
},
{
"content": "get_dex_names",
"role": "assistant"
}
] |
def x(self, tag_name, attribute, format_value=True, **attribute_filter):
tags = self.find_tags(tag_name, **attribute_filter)
for tag in tags:
value = tag.get(attribute) or tag.get(self._ns(attribute))
if value is not None:
if format_value:
yield self._format_value(value)
else:
yield value
| get_all_attribute_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, attribute, format_value=True, **attribute_filter):\n tags = self.find_tags(tag_name, **attribute_filter)\n for tag in tags:\n value = tag.get(attribute) or tag.get(self._ns(attribute))\n if value is not None:\n if format_value:\n yield self._format_value(value)\n else:\n yield value\n",
"role": "user"
},
{
"content": "get_all_attribute_value",
"role": "assistant"
}
] |
def x(self, tag_name, attribute, format_value=False, **attribute_filter):
for value in self.get_all_attribute_value(tag_name, attribute,
format_value, **attribute_filter):
if value is not None:
return value
| get_attribute_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, attribute, format_value=False, **attribute_filter):\n for value in self.get_all_attribute_value(tag_name, attribute,\n format_value, **attribute_filter):\n if value is not None:\n return value\n",
"role": "user"
},
{
"content": "get_attribute_value",
"role": "assistant"
}
] |
def x(self, tag, attribute):
value = tag.get(self._ns(attribute))
if value is None:
value = tag.get(attribute)
if value:
log.warning(
"Failed to get the attribute '{}' on tag '{}' with namespace. But found the same attribute without namespace!"
.format(attribute, tag.tag))
return value
| get_value_from_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, attribute):\n value = tag.get(self._ns(attribute))\n if value is None:\n value = tag.get(attribute)\n if value:\n log.warning(\n \"Failed to get the attribute '{}' on tag '{}' with namespace. But found the same attribute without namespace!\"\n .format(attribute, tag.tag))\n return value\n",
"role": "user"
},
{
"content": "get_value_from_tag",
"role": "assistant"
}
] |
def x(self, tag_name, **attribute_filter):
all_tags = [self.find_tags_from_xml(i, tag_name, **attribute_filter) for
i in self.xml]
return [tag for tag_list in all_tags for tag in tag_list]
| find_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, **attribute_filter):\n all_tags = [self.find_tags_from_xml(i, tag_name, **attribute_filter) for\n i in self.xml]\n return [tag for tag_list in all_tags for tag in tag_list]\n",
"role": "user"
},
{
"content": "find_tags",
"role": "assistant"
}
] |
def x(self, xml_name, tag_name, **attribute_filter):
xml = self.xml[xml_name]
if xml is None:
return []
if xml.tag == tag_name:
if self.is_tag_matched(xml.tag, **attribute_filter):
return [xml]
return []
tags = xml.findall('.//' + tag_name)
return [tag for tag in tags if self.is_tag_matched(tag, **attribute_filter)
]
| find_tags_from_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xml_name, tag_name, **attribute_filter):\n xml = self.xml[xml_name]\n if xml is None:\n return []\n if xml.tag == tag_name:\n if self.is_tag_matched(xml.tag, **attribute_filter):\n return [xml]\n return []\n tags = xml.findall('.//' + tag_name)\n return [tag for tag in tags if self.is_tag_matched(tag, **attribute_filter)\n ]\n",
"role": "user"
},
{
"content": "find_tags_from_xml",
"role": "assistant"
}
] |
def x(self, tag, **attribute_filter):
if len(attribute_filter) <= 0:
return True
for attr, value in attribute_filter.items():
_value = self.get_value_from_tag(tag, attr)
if _value != value:
return False
return True
| is_tag_matched | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, **attribute_filter):\n if len(attribute_filter) <= 0:\n return True\n for attr, value in attribute_filter.items():\n _value = self.get_value_from_tag(tag, attr)\n if _value != value:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_tag_matched",
"role": "assistant"
}
] |
def x(self):
x = set()
y = set()
for i in self.xml:
if self.xml[i] is None:
continue
activities_and_aliases = self.xml[i].findall('.//activity') + self.xml[
i].findall('.//activity-alias')
for item in activities_and_aliases:
activityEnabled = item.get(self._ns('enabled'))
if activityEnabled == 'false':
continue
for sitem in item.findall('.//action'):
val = sitem.get(self._ns('name'))
if val == 'android.intent.action.MAIN':
activity = item.get(self._ns('name'))
if activity is not None:
x.add(item.get(self._ns('name')))
else:
log.warning('Main activity without name')
for sitem in item.findall('.//category'):
val = sitem.get(self._ns('name'))
if val == 'android.intent.category.LAUNCHER':
activity = item.get(self._ns('name'))
if activity is not None:
y.add(item.get(self._ns('name')))
else:
log.warning('Launcher activity without name')
return x.intersection(y)
| get_main_activities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n x = set()\n y = set()\n for i in self.xml:\n if self.xml[i] is None:\n continue\n activities_and_aliases = self.xml[i].findall('.//activity') + self.xml[\n i].findall('.//activity-alias')\n for item in activities_and_aliases:\n activityEnabled = item.get(self._ns('enabled'))\n if activityEnabled == 'false':\n continue\n for sitem in item.findall('.//action'):\n val = sitem.get(self._ns('name'))\n if val == 'android.intent.action.MAIN':\n activity = item.get(self._ns('name'))\n if activity is not None:\n x.add(item.get(self._ns('name')))\n else:\n log.warning('Main activity without name')\n for sitem in item.findall('.//category'):\n val = sitem.get(self._ns('name'))\n if val == 'android.intent.category.LAUNCHER':\n activity = item.get(self._ns('name'))\n if activity is not None:\n y.add(item.get(self._ns('name')))\n else:\n log.warning('Launcher activity without name')\n return x.intersection(y)\n",
"role": "user"
},
{
"content": "get_main_activities",
"role": "assistant"
}
] |
def x(self):
activities = self.get_main_activities()
if len(activities) > 0:
return self._format_value(activities.pop())
return None
| get_main_activity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n activities = self.get_main_activities()\n if len(activities) > 0:\n return self._format_value(activities.pop())\n return None\n",
"role": "user"
},
{
"content": "get_main_activity",
"role": "assistant"
}
] |
def x(self, itemtype, name):
d = {'action': [], 'category': []}
for i in self.xml:
for item in self.xml[i].findall('.//' + itemtype):
if self._format_value(item.get(self._ns('name'))) == name:
for sitem in item.findall('.//intent-filter'):
for ssitem in sitem.findall('action'):
if ssitem.get(self._ns('name')) not in d['action']:
d['action'].append(ssitem.get(self._ns('name')))
for ssitem in sitem.findall('category'):
if ssitem.get(self._ns('name')) not in d['category']:
d['category'].append(ssitem.get(self._ns('name')))
if not d['action']:
del d['action']
if not d['category']:
del d['category']
return d
| get_intent_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, itemtype, name):\n d = {'action': [], 'category': []}\n for i in self.xml:\n for item in self.xml[i].findall('.//' + itemtype):\n if self._format_value(item.get(self._ns('name'))) == name:\n for sitem in item.findall('.//intent-filter'):\n for ssitem in sitem.findall('action'):\n if ssitem.get(self._ns('name')) not in d['action']:\n d['action'].append(ssitem.get(self._ns('name')))\n for ssitem in sitem.findall('category'):\n if ssitem.get(self._ns('name')) not in d['category']:\n d['category'].append(ssitem.get(self._ns('name')))\n if not d['action']:\n del d['action']\n if not d['category']:\n del d['category']\n return d\n",
"role": "user"
},
{
"content": "get_intent_filters",
"role": "assistant"
}
] |
def x(self):
target_sdk_version = self.get_effective_target_sdk_version()
READ_CALL_LOG = 'android.permission.READ_CALL_LOG'
READ_CONTACTS = 'android.permission.READ_CONTACTS'
READ_EXTERNAL_STORAGE = 'android.permission.READ_EXTERNAL_STORAGE'
READ_PHONE_STATE = 'android.permission.READ_PHONE_STATE'
WRITE_CALL_LOG = 'android.permission.WRITE_CALL_LOG'
WRITE_CONTACTS = 'android.permission.WRITE_CONTACTS'
WRITE_EXTERNAL_STORAGE = 'android.permission.WRITE_EXTERNAL_STORAGE'
implied = []
implied_WRITE_EXTERNAL_STORAGE = False
if target_sdk_version < 4:
if WRITE_EXTERNAL_STORAGE not in self.permissions:
implied.append([WRITE_EXTERNAL_STORAGE, None])
implied_WRITE_EXTERNAL_STORAGE = True
if READ_PHONE_STATE not in self.permissions:
implied.append([READ_PHONE_STATE, None])
if (WRITE_EXTERNAL_STORAGE in self.permissions or
implied_WRITE_EXTERNAL_STORAGE
) and READ_EXTERNAL_STORAGE not in self.permissions:
maxSdkVersion = None
for name, version in self.uses_permissions:
if name == WRITE_EXTERNAL_STORAGE:
maxSdkVersion = version
break
implied.append([READ_EXTERNAL_STORAGE, maxSdkVersion])
if target_sdk_version < 16:
if (READ_CONTACTS in self.permissions and READ_CALL_LOG not in self
.permissions):
implied.append([READ_CALL_LOG, None])
if (WRITE_CONTACTS in self.permissions and WRITE_CALL_LOG not in
self.permissions):
implied.append([WRITE_CALL_LOG, None])
return implied
| get_uses_implied_permission_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target_sdk_version = self.get_effective_target_sdk_version()\n READ_CALL_LOG = 'android.permission.READ_CALL_LOG'\n READ_CONTACTS = 'android.permission.READ_CONTACTS'\n READ_EXTERNAL_STORAGE = 'android.permission.READ_EXTERNAL_STORAGE'\n READ_PHONE_STATE = 'android.permission.READ_PHONE_STATE'\n WRITE_CALL_LOG = 'android.permission.WRITE_CALL_LOG'\n WRITE_CONTACTS = 'android.permission.WRITE_CONTACTS'\n WRITE_EXTERNAL_STORAGE = 'android.permission.WRITE_EXTERNAL_STORAGE'\n implied = []\n implied_WRITE_EXTERNAL_STORAGE = False\n if target_sdk_version < 4:\n if WRITE_EXTERNAL_STORAGE not in self.permissions:\n implied.append([WRITE_EXTERNAL_STORAGE, None])\n implied_WRITE_EXTERNAL_STORAGE = True\n if READ_PHONE_STATE not in self.permissions:\n implied.append([READ_PHONE_STATE, None])\n if (WRITE_EXTERNAL_STORAGE in self.permissions or\n implied_WRITE_EXTERNAL_STORAGE\n ) and READ_EXTERNAL_STORAGE not in self.permissions:\n maxSdkVersion = None\n for name, version in self.uses_permissions:\n if name == WRITE_EXTERNAL_STORAGE:\n maxSdkVersion = version\n break\n implied.append([READ_EXTERNAL_STORAGE, maxSdkVersion])\n if target_sdk_version < 16:\n if (READ_CONTACTS in self.permissions and READ_CALL_LOG not in self\n .permissions):\n implied.append([READ_CALL_LOG, None])\n if (WRITE_CONTACTS in self.permissions and WRITE_CALL_LOG not in\n self.permissions):\n implied.append([WRITE_CALL_LOG, None])\n return implied\n",
"role": "user"
},
{
"content": "get_uses_implied_permission_list",
"role": "assistant"
}
] |
def x(self):
l = {}
for i in self.permissions:
if i in self.permission_module:
x = self.permission_module[i]
l[i] = [x['protectionLevel'], x['label'], x['description']]
else:
l[i] = ['normal', 'Unknown permission from android reference',
'Unknown permission from android reference']
return l
| get_details_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = {}\n for i in self.permissions:\n if i in self.permission_module:\n x = self.permission_module[i]\n l[i] = [x['protectionLevel'], x['label'], x['description']]\n else:\n l[i] = ['normal', 'Unknown permission from android reference',\n 'Unknown permission from android reference']\n return l\n",
"role": "user"
},
{
"content": "get_details_permissions",
"role": "assistant"
}
] |
def x(self):
aosp_permissions = []
all_permissions = self.get_permissions()
for perm in all_permissions:
if perm in list(self.permission_module.keys()):
aosp_permissions.append(perm)
return aosp_permissions
| get_requested_aosp_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n aosp_permissions = []\n all_permissions = self.get_permissions()\n for perm in all_permissions:\n if perm in list(self.permission_module.keys()):\n aosp_permissions.append(perm)\n return aosp_permissions\n",
"role": "user"
},
{
"content": "get_requested_aosp_permissions",
"role": "assistant"
}
] |
def x(self):
l = {}
for i in self.permissions:
try:
l[i] = self.permission_module[i]
except KeyError:
continue
return l
| get_requested_aosp_permissions_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n l = {}\n for i in self.permissions:\n try:\n l[i] = self.permission_module[i]\n except KeyError:\n continue\n return l\n",
"role": "user"
},
{
"content": "get_requested_aosp_permissions_details",
"role": "assistant"
}
] |
def x(self):
third_party_permissions = []
all_permissions = self.get_permissions()
for perm in all_permissions:
if perm not in list(self.permission_module.keys()):
third_party_permissions.append(perm)
return third_party_permissions
| get_requested_third_party_permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n third_party_permissions = []\n all_permissions = self.get_permissions()\n for perm in all_permissions:\n if perm not in list(self.permission_module.keys()):\n third_party_permissions.append(perm)\n return third_party_permissions\n",
"role": "user"
},
{
"content": "get_requested_third_party_permissions",
"role": "assistant"
}
] |
def x(self):
target_sdk_version = self.get_target_sdk_version()
if not target_sdk_version:
target_sdk_version = self.get_min_sdk_version()
try:
return int(target_sdk_version)
except (ValueError, TypeError):
return 1
| get_effective_target_sdk_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target_sdk_version = self.get_target_sdk_version()\n if not target_sdk_version:\n target_sdk_version = self.get_min_sdk_version()\n try:\n return int(target_sdk_version)\n except (ValueError, TypeError):\n return 1\n",
"role": "user"
},
{
"content": "get_effective_target_sdk_version",
"role": "assistant"
}
] |
def x(self, filename):
pkcs7message = self.get_file(filename)
pkcs7obj = cms.ContentInfo.load(pkcs7message)
cert = pkcs7obj['content']['certificates'][0].chosen.dump()
return cert
| get_certificate_der | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n pkcs7message = self.get_file(filename)\n pkcs7obj = cms.ContentInfo.load(pkcs7message)\n cert = pkcs7obj['content']['certificates'][0].chosen.dump()\n return cert\n",
"role": "user"
},
{
"content": "get_certificate_der",
"role": "assistant"
}
] |
def x(self, filename):
cert = self.get_certificate_der(filename)
certificate = x509.Certificate.load(cert)
return certificate
| get_certificate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n cert = self.get_certificate_der(filename)\n certificate = x509.Certificate.load(cert)\n return certificate\n",
"role": "user"
},
{
"content": "get_certificate",
"role": "assistant"
}
] |
def x(self, filename, deleted_files=None, new_files={}):
zout = zipfile.ZipFile(filename, 'w')
for item in self.zip.infolist():
if deleted_files is not None:
if re.match(deleted_files, item.filename) is None:
if new_files is not False:
if item.filename in new_files:
zout.writestr(item, new_files[item.filename])
continue
buffer = self.zip.read(item.filename)
zout.writestr(item, buffer)
elif new_files is not False:
if item.filename in new_files:
zout.writestr(item, new_files[item.filename])
else:
buffer = self.zip.read(item.filename)
zout.writestr(item, buffer)
else:
buffer = self.zip.read(item.filename)
zout.writestr(item, buffer)
zout.close()
| new_zip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, deleted_files=None, new_files={}):\n zout = zipfile.ZipFile(filename, 'w')\n for item in self.zip.infolist():\n if deleted_files is not None:\n if re.match(deleted_files, item.filename) is None:\n if new_files is not False:\n if item.filename in new_files:\n zout.writestr(item, new_files[item.filename])\n continue\n buffer = self.zip.read(item.filename)\n zout.writestr(item, buffer)\n elif new_files is not False:\n if item.filename in new_files:\n zout.writestr(item, new_files[item.filename])\n else:\n buffer = self.zip.read(item.filename)\n zout.writestr(item, buffer)\n else:\n buffer = self.zip.read(item.filename)\n zout.writestr(item, buffer)\n zout.close()\n",
"role": "user"
},
{
"content": "new_zip",
"role": "assistant"
}
] |
def x(self, digest_bytes):
if not len(digest_bytes):
return []
digests = []
block = io.BytesIO(digest_bytes)
data_len = self.read_uint32_le(block)
while block.tell() < data_len:
algorithm_id = self.read_uint32_le(block)
digest_len = self.read_uint32_le(block)
digest = block.read(digest_len)
digests.append((algorithm_id, digest))
return digests
| parse_signatures_or_digests | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, digest_bytes):\n if not len(digest_bytes):\n return []\n digests = []\n block = io.BytesIO(digest_bytes)\n data_len = self.read_uint32_le(block)\n while block.tell() < data_len:\n algorithm_id = self.read_uint32_le(block)\n digest_len = self.read_uint32_le(block)\n digest = block.read(digest_len)\n digests.append((algorithm_id, digest))\n return digests\n",
"role": "user"
},
{
"content": "parse_signatures_or_digests",
"role": "assistant"
}
] |
def x(self):
self._v3_signing_data = []
if not self.is_signed_v3():
return
block_bytes = self._v2_blocks[self._APK_SIG_KEY_V3_SIGNATURE]
block = io.BytesIO(block_bytes)
view = block.getvalue()
size_sequence = self.read_uint32_le(block)
if size_sequence + 4 != len(block_bytes):
raise BrokenAPKError('size of sequence and blocksize does not match')
while block.tell() < len(block_bytes):
off_signer = block.tell()
size_signer = self.read_uint32_le(block)
len_signed_data = self.read_uint32_le(block)
signed_data_bytes = block.read(len_signed_data)
signed_data = io.BytesIO(signed_data_bytes)
len_digests = self.read_uint32_le(signed_data)
raw_digests = signed_data.read(len_digests)
digests = self.parse_signatures_or_digests(raw_digests)
certs = []
len_certs = self.read_uint32_le(signed_data)
start_certs = signed_data.tell()
while signed_data.tell() < start_certs + len_certs:
len_cert = self.read_uint32_le(signed_data)
cert = signed_data.read(len_cert)
certs.append(cert)
signed_data_min_sdk = self.read_uint32_le(signed_data)
signed_data_max_sdk = self.read_uint32_le(signed_data)
len_attr = self.read_uint32_le(signed_data)
attr = signed_data.read(len_attr)
signed_data_object = APKV3SignedData()
signed_data_object._bytes = signed_data_bytes
signed_data_object.digests = digests
signed_data_object.certificates = certs
signed_data_object.additional_attributes = attr
signed_data_object.minSDK = signed_data_min_sdk
signed_data_object.maxSDK = signed_data_max_sdk
signer_min_sdk = self.read_uint32_le(block)
signer_max_sdk = self.read_uint32_le(block)
len_sigs = self.read_uint32_le(block)
raw_sigs = block.read(len_sigs)
sigs = self.parse_signatures_or_digests(raw_sigs)
len_publickey = self.read_uint32_le(block)
publickey = block.read(len_publickey)
signer = APKV3Signer()
signer._bytes = view[off_signer:off_signer + size_signer]
signer.signed_data = signed_data_object
signer.signatures = sigs
signer.public_key = publickey
signer.minSDK = signer_min_sdk
signer.maxSDK = signer_max_sdk
self._v3_signing_data.append(signer)
| parse_v3_signing_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._v3_signing_data = []\n if not self.is_signed_v3():\n return\n block_bytes = self._v2_blocks[self._APK_SIG_KEY_V3_SIGNATURE]\n block = io.BytesIO(block_bytes)\n view = block.getvalue()\n size_sequence = self.read_uint32_le(block)\n if size_sequence + 4 != len(block_bytes):\n raise BrokenAPKError('size of sequence and blocksize does not match')\n while block.tell() < len(block_bytes):\n off_signer = block.tell()\n size_signer = self.read_uint32_le(block)\n len_signed_data = self.read_uint32_le(block)\n signed_data_bytes = block.read(len_signed_data)\n signed_data = io.BytesIO(signed_data_bytes)\n len_digests = self.read_uint32_le(signed_data)\n raw_digests = signed_data.read(len_digests)\n digests = self.parse_signatures_or_digests(raw_digests)\n certs = []\n len_certs = self.read_uint32_le(signed_data)\n start_certs = signed_data.tell()\n while signed_data.tell() < start_certs + len_certs:\n len_cert = self.read_uint32_le(signed_data)\n cert = signed_data.read(len_cert)\n certs.append(cert)\n signed_data_min_sdk = self.read_uint32_le(signed_data)\n signed_data_max_sdk = self.read_uint32_le(signed_data)\n len_attr = self.read_uint32_le(signed_data)\n attr = signed_data.read(len_attr)\n signed_data_object = APKV3SignedData()\n signed_data_object._bytes = signed_data_bytes\n signed_data_object.digests = digests\n signed_data_object.certificates = certs\n signed_data_object.additional_attributes = attr\n signed_data_object.minSDK = signed_data_min_sdk\n signed_data_object.maxSDK = signed_data_max_sdk\n signer_min_sdk = self.read_uint32_le(block)\n signer_max_sdk = self.read_uint32_le(block)\n len_sigs = self.read_uint32_le(block)\n raw_sigs = block.read(len_sigs)\n sigs = self.parse_signatures_or_digests(raw_sigs)\n len_publickey = self.read_uint32_le(block)\n publickey = block.read(len_publickey)\n signer = APKV3Signer()\n signer._bytes = view[off_signer:off_signer + size_signer]\n signer.signed_data = signed_data_object\n signer.signatures = sigs\n signer.public_key = publickey\n signer.minSDK = signer_min_sdk\n signer.maxSDK = signer_max_sdk\n self._v3_signing_data.append(signer)\n",
"role": "user"
},
{
"content": "parse_v3_signing_block",
"role": "assistant"
}
] |
def x(self):
self._v2_signing_data = []
if not self.is_signed_v2():
return
block_bytes = self._v2_blocks[self._APK_SIG_KEY_V2_SIGNATURE]
block = io.BytesIO(block_bytes)
view = block.getvalue()
size_sequence = self.read_uint32_le(block)
if size_sequence + 4 != len(block_bytes):
raise BrokenAPKError('size of sequence and blocksize does not match')
while block.tell() < len(block_bytes):
off_signer = block.tell()
size_signer = self.read_uint32_le(block)
len_signed_data = self.read_uint32_le(block)
signed_data_bytes = block.read(len_signed_data)
signed_data = io.BytesIO(signed_data_bytes)
len_digests = self.read_uint32_le(signed_data)
raw_digests = signed_data.read(len_digests)
digests = self.parse_signatures_or_digests(raw_digests)
certs = []
len_certs = self.read_uint32_le(signed_data)
start_certs = signed_data.tell()
while signed_data.tell() < start_certs + len_certs:
len_cert = self.read_uint32_le(signed_data)
cert = signed_data.read(len_cert)
certs.append(cert)
len_attr = self.read_uint32_le(signed_data)
attributes = signed_data.read(len_attr)
signed_data_object = APKV2SignedData()
signed_data_object._bytes = signed_data_bytes
signed_data_object.digests = digests
signed_data_object.certificates = certs
signed_data_object.additional_attributes = attributes
len_sigs = self.read_uint32_le(block)
raw_sigs = block.read(len_sigs)
sigs = self.parse_signatures_or_digests(raw_sigs)
len_publickey = self.read_uint32_le(block)
publickey = block.read(len_publickey)
signer = APKV2Signer()
signer._bytes = view[off_signer:off_signer + size_signer]
signer.signed_data = signed_data_object
signer.signatures = sigs
signer.public_key = publickey
self._v2_signing_data.append(signer)
| parse_v2_signing_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._v2_signing_data = []\n if not self.is_signed_v2():\n return\n block_bytes = self._v2_blocks[self._APK_SIG_KEY_V2_SIGNATURE]\n block = io.BytesIO(block_bytes)\n view = block.getvalue()\n size_sequence = self.read_uint32_le(block)\n if size_sequence + 4 != len(block_bytes):\n raise BrokenAPKError('size of sequence and blocksize does not match')\n while block.tell() < len(block_bytes):\n off_signer = block.tell()\n size_signer = self.read_uint32_le(block)\n len_signed_data = self.read_uint32_le(block)\n signed_data_bytes = block.read(len_signed_data)\n signed_data = io.BytesIO(signed_data_bytes)\n len_digests = self.read_uint32_le(signed_data)\n raw_digests = signed_data.read(len_digests)\n digests = self.parse_signatures_or_digests(raw_digests)\n certs = []\n len_certs = self.read_uint32_le(signed_data)\n start_certs = signed_data.tell()\n while signed_data.tell() < start_certs + len_certs:\n len_cert = self.read_uint32_le(signed_data)\n cert = signed_data.read(len_cert)\n certs.append(cert)\n len_attr = self.read_uint32_le(signed_data)\n attributes = signed_data.read(len_attr)\n signed_data_object = APKV2SignedData()\n signed_data_object._bytes = signed_data_bytes\n signed_data_object.digests = digests\n signed_data_object.certificates = certs\n signed_data_object.additional_attributes = attributes\n len_sigs = self.read_uint32_le(block)\n raw_sigs = block.read(len_sigs)\n sigs = self.parse_signatures_or_digests(raw_sigs)\n len_publickey = self.read_uint32_le(block)\n publickey = block.read(len_publickey)\n signer = APKV2Signer()\n signer._bytes = view[off_signer:off_signer + size_signer]\n signer.signed_data = signed_data_object\n signer.signatures = sigs\n signer.public_key = publickey\n self._v2_signing_data.append(signer)\n",
"role": "user"
},
{
"content": "parse_v2_signing_block",
"role": "assistant"
}
] |
def x(self):
if self._v3_signing_data == None:
self.parse_v3_signing_block()
public_keys = []
for signer in self._v3_signing_data:
public_keys.append(signer.public_key)
return public_keys
| get_public_keys_der_v3 | [
{
"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._v3_signing_data == None:\n self.parse_v3_signing_block()\n public_keys = []\n for signer in self._v3_signing_data:\n public_keys.append(signer.public_key)\n return public_keys\n",
"role": "user"
},
{
"content": "get_public_keys_der_v3",
"role": "assistant"
}
] |
def x(self):
if self._v2_signing_data == None:
self.parse_v2_signing_block()
public_keys = []
for signer in self._v2_signing_data:
public_keys.append(signer.public_key)
return public_keys
| get_public_keys_der_v2 | [
{
"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._v2_signing_data == None:\n self.parse_v2_signing_block()\n public_keys = []\n for signer in self._v2_signing_data:\n public_keys.append(signer.public_key)\n return public_keys\n",
"role": "user"
},
{
"content": "get_public_keys_der_v2",
"role": "assistant"
}
] |
def x(self):
if self._v3_signing_data == None:
self.parse_v3_signing_block()
certs = []
for signed_data in [signer.signed_data for signer in self._v3_signing_data
]:
for cert in signed_data.certificates:
certs.append(cert)
return certs
| get_certificates_der_v3 | [
{
"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._v3_signing_data == None:\n self.parse_v3_signing_block()\n certs = []\n for signed_data in [signer.signed_data for signer in self._v3_signing_data\n ]:\n for cert in signed_data.certificates:\n certs.append(cert)\n return certs\n",
"role": "user"
},
{
"content": "get_certificates_der_v3",
"role": "assistant"
}
] |
def x(self):
if self._v2_signing_data == None:
self.parse_v2_signing_block()
certs = []
for signed_data in [signer.signed_data for signer in self._v2_signing_data
]:
for cert in signed_data.certificates:
certs.append(cert)
return certs
| get_certificates_der_v2 | [
{
"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._v2_signing_data == None:\n self.parse_v2_signing_block()\n certs = []\n for signed_data in [signer.signed_data for signer in self._v2_signing_data\n ]:\n for cert in signed_data.certificates:\n certs.append(cert)\n return certs\n",
"role": "user"
},
{
"content": "get_certificates_der_v2",
"role": "assistant"
}
] |
def x(self):
certs = []
for x in self.get_signature_names():
certs.append(x509.Certificate.load(self.get_certificate_der(x)))
return certs
| get_certificates_v1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n certs = []\n for x in self.get_signature_names():\n certs.append(x509.Certificate.load(self.get_certificate_der(x)))\n return certs\n",
"role": "user"
},
{
"content": "get_certificates_v1",
"role": "assistant"
}
] |
def x(self):
fps = []
certs = []
for x in (self.get_certificates_v1() + self.get_certificates_v2() +
self.get_certificates_v3()):
if x.sha256 not in fps:
fps.append(x.sha256)
certs.append(x)
return certs
| get_certificates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fps = []\n certs = []\n for x in (self.get_certificates_v1() + self.get_certificates_v2() +\n self.get_certificates_v3()):\n if x.sha256 not in fps:\n fps.append(x.sha256)\n certs.append(x)\n return certs\n",
"role": "user"
},
{
"content": "get_certificates",
"role": "assistant"
}
] |
def x(self):
signature_expr = re.compile('^(META-INF/)(.*)(\\.RSA|\\.EC|\\.DSA)$')
signatures = []
for i in self.get_files():
if signature_expr.search(i):
if '{}.SF'.format(i.rsplit('.', 1)[0]) in self.get_files():
signatures.append(i)
else:
log.warning(
'v1 signature file {} missing .SF file - Partial signature!'
.format(i))
return signatures
| get_signature_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n signature_expr = re.compile('^(META-INF/)(.*)(\\\\.RSA|\\\\.EC|\\\\.DSA)$')\n signatures = []\n for i in self.get_files():\n if signature_expr.search(i):\n if '{}.SF'.format(i.rsplit('.', 1)[0]) in self.get_files():\n signatures.append(i)\n else:\n log.warning(\n 'v1 signature file {} missing .SF file - Partial signature!'\n .format(i))\n return signatures\n",
"role": "user"
},
{
"content": "get_signature_names",
"role": "assistant"
}
] |
def x(self):
signature_expr = re.compile('^(META-INF/)(.*)(\\.RSA|\\.EC|\\.DSA)$')
signature_datas = []
for i in self.get_files():
if signature_expr.search(i):
signature_datas.append(self.get_file(i))
return signature_datas
| get_signatures | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n signature_expr = re.compile('^(META-INF/)(.*)(\\\\.RSA|\\\\.EC|\\\\.DSA)$')\n signature_datas = []\n for i in self.get_files():\n if signature_expr.search(i):\n signature_datas.append(self.get_file(i))\n return signature_datas\n",
"role": "user"
},
{
"content": "get_signatures",
"role": "assistant"
}
] |
def x(output, _format='png', mx=None, raw=None):
import pydot
buff = 'digraph {\n'
buff += 'graph [rankdir=TB]\n'
buff += 'node [shape=plaintext]\n'
if raw:
data = raw
else:
data = method2dot(mx)
buff += 'subgraph cluster_{} '.format(hashlib.md5(bytearray(output,
'UTF-8')).hexdigest())
buff += '{\n'
buff += 'label="{}"\n'.format(data['name'])
buff += data['nodes']
buff += '}\n'
buff += data['edges']
buff += '}\n'
d = pydot.graph_from_dot_data(buff)
if d:
for g in d:
getattr(g, 'write_' + _format.lower())(output)
| method2format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, _format='png', mx=None, raw=None):\n import pydot\n buff = 'digraph {\\n'\n buff += 'graph [rankdir=TB]\\n'\n buff += 'node [shape=plaintext]\\n'\n if raw:\n data = raw\n else:\n data = method2dot(mx)\n buff += 'subgraph cluster_{} '.format(hashlib.md5(bytearray(output,\n 'UTF-8')).hexdigest())\n buff += '{\\n'\n buff += 'label=\"{}\"\\n'.format(data['name'])\n buff += data['nodes']\n buff += '}\\n'\n buff += data['edges']\n buff += '}\\n'\n d = pydot.graph_from_dot_data(buff)\n if d:\n for g in d:\n getattr(g, 'write_' + _format.lower())(output)\n",
"role": "user"
},
{
"content": "method2format",
"role": "assistant"
}
] |
def x(output, mx, raw=False):
buff = raw
if not raw:
buff = method2dot(mx)
method2format(output, 'png', mx, buff)
| method2png | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, mx, raw=False):\n buff = raw\n if not raw:\n buff = method2dot(mx)\n method2format(output, 'png', mx, buff)\n",
"role": "user"
},
{
"content": "method2png",
"role": "assistant"
}
] |
def x(output, mx, raw=False):
buff = raw
if not raw:
buff = method2dot(mx)
method2format(output, 'jpg', mx, buff)
| method2jpg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output, mx, raw=False):\n buff = raw\n if not raw:\n buff = method2dot(mx)\n method2format(output, 'jpg', mx, buff)\n",
"role": "user"
},
{
"content": "method2jpg",
"role": "assistant"
}
] |
def x(vm):
d = {'name': 'root', 'children': []}
for _class in vm.get_classes():
c_class = {'name': _class.get_name(), 'children': []}
for method in _class.get_methods():
c_method = {'name': method.get_name(), 'children': []}
c_class['children'].append(c_method)
d['children'].append(c_class)
return json.dumps(d)
| vm2json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vm):\n d = {'name': 'root', 'children': []}\n for _class in vm.get_classes():\n c_class = {'name': _class.get_name(), 'children': []}\n for method in _class.get_methods():\n c_method = {'name': method.get_name(), 'children': []}\n c_class['children'].append(c_method)\n d['children'].append(c_class)\n return json.dumps(d)\n",
"role": "user"
},
{
"content": "vm2json",
"role": "assistant"
}
] |
def x(obj):
if isinstance(obj, str):
return bytearray(obj, 'UTF-8')
elif isinstance(obj, bool):
return bytearray()
elif isinstance(obj, int):
return pack('<L', obj)
elif obj is None:
return bytearray()
elif isinstance(obj, bytearray):
return obj
else:
return obj.get_raw()
| object_to_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if isinstance(obj, str):\n return bytearray(obj, 'UTF-8')\n elif isinstance(obj, bool):\n return bytearray()\n elif isinstance(obj, int):\n return pack('<L', obj)\n elif obj is None:\n return bytearray()\n elif isinstance(obj, bytearray):\n return obj\n else:\n return obj.get_raw()\n",
"role": "user"
},
{
"content": "object_to_bytes",
"role": "assistant"
}
] |
def x(i):
i = i[:-1]
i = i.replace('/', '_')
i = i.replace('$', '_')
return i
| FormatClassToPython | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i):\n i = i[:-1]\n i = i.replace('/', '_')\n i = i.replace('$', '_')\n return i\n",
"role": "user"
},
{
"content": "FormatClassToPython",
"role": "assistant"
}
] |
def x(name):
if name[0] != 'L' and name[-1] != ';':
raise ValueError("The name '{}' does not look like a typed name!".
format(name))
name = name[1:-1]
if '/' not in name:
return '', name
package, clsname = name.rsplit('/', 1)
package = package.replace('/', '.')
return package, clsname
| get_package_class_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n if name[0] != 'L' and name[-1] != ';':\n raise ValueError(\"The name '{}' does not look like a typed name!\".\n format(name))\n name = name[1:-1]\n if '/' not in name:\n return '', name\n package, clsname = name.rsplit('/', 1)\n package = package.replace('/', '.')\n return package, clsname\n",
"role": "user"
},
{
"content": "get_package_class_name",
"role": "assistant"
}
] |
def x(i):
i = i.replace('<', '')
i = i.replace('>', '')
i = i.replace('$', '_')
return i
| FormatNameToPython | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i):\n i = i.replace('<', '')\n i = i.replace('>', '')\n i = i.replace('$', '_')\n return i\n",
"role": "user"
},
{
"content": "FormatNameToPython",
"role": "assistant"
}
] |
def x(i):
i = i.replace('/', '_')
i = i.replace(';', '')
i = i.replace('[', '')
i = i.replace('(', '')
i = i.replace(')', '')
i = i.replace(' ', '')
i = i.replace('$', '')
return i
| FormatDescriptorToPython | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i):\n i = i.replace('/', '_')\n i = i.replace(';', '')\n i = i.replace('[', '')\n i = i.replace('(', '')\n i = i.replace(')', '')\n i = i.replace(' ', '')\n i = i.replace('$', '')\n return i\n",
"role": "user"
},
{
"content": "FormatDescriptorToPython",
"role": "assistant"
}
] |
def x(self, size):
return self.__buff[self.__idx:self.__idx + size]
| read_b | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n return self.__buff[self.__idx:self.__idx + size]\n",
"role": "user"
},
{
"content": "read_b",
"role": "assistant"
}
] |
def x(self, off):
if isinstance(off, SV):
off = off.value
return self.__buff[off:]
| readat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, off):\n if isinstance(off, SV):\n off = off.value\n return self.__buff[off:]\n",
"role": "user"
},
{
"content": "readat",
"role": "assistant"
}
] |
def x(self, size):
if isinstance(size, SV):
size = size.value
buff = self.__buff[self.__idx:self.__idx + size]
self.__idx += size
return buff
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n if isinstance(size, SV):\n size = size.value\n buff = self.__buff[self.__idx:self.__idx + size]\n self.__idx += size\n return buff\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, filename):
with open(filename, 'wb') as fd:
fd.write(self.__buff)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n with open(filename, 'wb') as fd:\n fd.write(self.__buff)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(f):
x = bytearray()
while True:
z = f.read(1)
if ord(z) == 0:
return x
else:
x.append(ord(z))
| read_null_terminated_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n x = bytearray()\n while True:\n z = f.read(1)\n if ord(z) == 0:\n return x\n else:\n x.append(ord(z))\n",
"role": "user"
},
{
"content": "read_null_terminated_string",
"role": "assistant"
}
] |
def x(value):
flags = []
for k, v in ACCESS_FLAGS.items():
if k & value == k:
flags.append(v)
return ' '.join(flags)
| get_access_flags_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n flags = []\n for k, v in ACCESS_FLAGS.items():\n if k & value == k:\n flags.append(v)\n return ' '.join(flags)\n",
"role": "user"
},
{
"content": "get_access_flags_string",
"role": "assistant"
}
] |
def x(buff):
result = 0
shift = 0
for x in range(0, 5):
cur = get_byte(buff)
result |= (cur & 127) << shift
shift += 7
if not cur & 128:
bit_left = max(32 - shift, 0)
result = result << bit_left
if result > 2147483647:
result = (2147483647 & result) - 2147483648
result = result >> bit_left
break
return result
| readsleb128 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buff):\n result = 0\n shift = 0\n for x in range(0, 5):\n cur = get_byte(buff)\n result |= (cur & 127) << shift\n shift += 7\n if not cur & 128:\n bit_left = max(32 - shift, 0)\n result = result << bit_left\n if result > 2147483647:\n result = (2147483647 & result) - 2147483648\n result = result >> bit_left\n break\n return result\n",
"role": "user"
},
{
"content": "readsleb128",
"role": "assistant"
}
] |
def x(i, cur_idx, m):
op_value = i.get_op_value()
if op_value == 39 or 14 <= op_value <= 17:
return [-1]
elif 40 <= op_value <= 42:
off = i.get_ref_off() * 2
return [off + cur_idx]
elif 50 <= op_value <= 61:
off = i.get_ref_off() * 2
return [cur_idx + i.get_length(), off + cur_idx]
elif op_value in (43, 44):
x = [cur_idx + i.get_length()]
code = m.get_code().get_bc()
off = i.get_ref_off() * 2
padding = (off + cur_idx) % 4
if padding != 0:
log.warning(
'Switch payload not aligned, assume stuff and add {} bytes...'
.format(padding))
data = code.get_ins_off(off + cur_idx + padding)
if data and (isinstance(data, PackedSwitch) or isinstance(data,
SparseSwitch)):
for target in data.get_targets():
x.append(target * 2 + cur_idx)
else:
log.warning(
'Could not determine payload of switch command at offset {} inside {}! Possibly broken bytecode?'
.format(cur_idx, m))
return x
return []
| determineNext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i, cur_idx, m):\n op_value = i.get_op_value()\n if op_value == 39 or 14 <= op_value <= 17:\n return [-1]\n elif 40 <= op_value <= 42:\n off = i.get_ref_off() * 2\n return [off + cur_idx]\n elif 50 <= op_value <= 61:\n off = i.get_ref_off() * 2\n return [cur_idx + i.get_length(), off + cur_idx]\n elif op_value in (43, 44):\n x = [cur_idx + i.get_length()]\n code = m.get_code().get_bc()\n off = i.get_ref_off() * 2\n padding = (off + cur_idx) % 4\n if padding != 0:\n log.warning(\n 'Switch payload not aligned, assume stuff and add {} bytes...'\n .format(padding))\n data = code.get_ins_off(off + cur_idx + padding)\n if data and (isinstance(data, PackedSwitch) or isinstance(data,\n SparseSwitch)):\n for target in data.get_targets():\n x.append(target * 2 + cur_idx)\n else:\n log.warning(\n 'Could not determine payload of switch command at offset {} inside {}! Possibly broken bytecode?'\n .format(cur_idx, m))\n return x\n return []\n",
"role": "user"
},
{
"content": "determineNext",
"role": "assistant"
}
] |
def x(vm, m):
if m.get_code().get_tries_size() <= 0:
return []
h_off = {}
handler_catch_list = m.get_code().get_handlers()
for try_item in m.get_code().get_tries():
offset_handler = try_item.get_handler_off(
) + handler_catch_list.get_off()
if offset_handler in h_off:
h_off[offset_handler].append([try_item])
else:
h_off[offset_handler] = []
h_off[offset_handler].append([try_item])
for handler_catch in handler_catch_list.get_list():
if handler_catch.get_off() not in h_off:
continue
for i in h_off[handler_catch.get_off()]:
i.append(handler_catch)
exceptions = []
for i in h_off:
for value in h_off[i]:
try_value = value[0]
z = [try_value.get_start_addr() * 2, try_value.get_start_addr() *
2 + try_value.get_insn_count() * 2 - 1]
handler_catch = value[1]
if handler_catch.get_size() <= 0:
z.append(['Ljava/lang/Throwable;', handler_catch.
get_catch_all_addr() * 2])
for handler in handler_catch.get_handlers():
z.append([vm.get_cm_type(handler.get_type_idx()), handler.
get_addr() * 2])
exceptions.append(z)
return exceptions
| determineException | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vm, m):\n if m.get_code().get_tries_size() <= 0:\n return []\n h_off = {}\n handler_catch_list = m.get_code().get_handlers()\n for try_item in m.get_code().get_tries():\n offset_handler = try_item.get_handler_off(\n ) + handler_catch_list.get_off()\n if offset_handler in h_off:\n h_off[offset_handler].append([try_item])\n else:\n h_off[offset_handler] = []\n h_off[offset_handler].append([try_item])\n for handler_catch in handler_catch_list.get_list():\n if handler_catch.get_off() not in h_off:\n continue\n for i in h_off[handler_catch.get_off()]:\n i.append(handler_catch)\n exceptions = []\n for i in h_off:\n for value in h_off[i]:\n try_value = value[0]\n z = [try_value.get_start_addr() * 2, try_value.get_start_addr() *\n 2 + try_value.get_insn_count() * 2 - 1]\n handler_catch = value[1]\n if handler_catch.get_size() <= 0:\n z.append(['Ljava/lang/Throwable;', handler_catch.\n get_catch_all_addr() * 2])\n for handler in handler_catch.get_handlers():\n z.append([vm.get_cm_type(handler.get_type_idx()), handler.\n get_addr() * 2])\n exceptions.append(z)\n return exceptions\n",
"role": "user"
},
{
"content": "determineException",
"role": "assistant"
}
] |
def x(cm, kind, value):
if kind == KIND_METH:
method = cm.get_method_ref(value)
class_name = method.get_class_name()
name = method.get_name()
descriptor = method.get_descriptor()
return '{}->{}{}'.format(class_name, name, descriptor)
elif kind == KIND_STRING:
return repr(cm.get_string(value))
elif kind == KIND_RAW_STRING:
return cm.get_string(value)
elif kind == KIND_FIELD:
class_name, proto, field_name = cm.get_field(value)
return '{}->{} {}'.format(class_name, field_name, proto)
elif kind == KIND_TYPE:
return cm.get_type(value)
elif kind == VTABLE_OFFSET:
return 'vtable[0x%x]' % value
elif kind == FIELD_OFFSET:
return 'field[0x%x]' % value
elif kind == INLINE_METHOD:
buff = 'inline[0x%x]' % value
if len(INLINE_METHODS) > value:
elem = INLINE_METHODS[value]
buff += ' {}->{}{}'.format(elem[0], elem[1], elem[2])
return buff
return None
| get_kind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cm, kind, value):\n if kind == KIND_METH:\n method = cm.get_method_ref(value)\n class_name = method.get_class_name()\n name = method.get_name()\n descriptor = method.get_descriptor()\n return '{}->{}{}'.format(class_name, name, descriptor)\n elif kind == KIND_STRING:\n return repr(cm.get_string(value))\n elif kind == KIND_RAW_STRING:\n return cm.get_string(value)\n elif kind == KIND_FIELD:\n class_name, proto, field_name = cm.get_field(value)\n return '{}->{} {}'.format(class_name, field_name, proto)\n elif kind == KIND_TYPE:\n return cm.get_type(value)\n elif kind == VTABLE_OFFSET:\n return 'vtable[0x%x]' % value\n elif kind == FIELD_OFFSET:\n return 'field[0x%x]' % value\n elif kind == INLINE_METHOD:\n buff = 'inline[0x%x]' % value\n if len(INLINE_METHODS) > value:\n elem = INLINE_METHODS[value]\n buff += ' {}->{}{}'.format(elem[0], elem[1], elem[2])\n return buff\n return None\n",
"role": "user"
},
{
"content": "get_kind",
"role": "assistant"
}
] |
def x(self):
s = mutf8.decode(self.data)
if len(s) != self.utf16_size:
raise ValueError('UTF16 Length does not match!')
return s
| get_unicode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = mutf8.decode(self.data)\n if len(s) != self.utf16_size:\n raise ValueError('UTF16 Length does not match!')\n return s\n",
"role": "user"
},
{
"content": "get_unicode",
"role": "assistant"
}
] |
def x(self):
s = mutf8.decode(self.data)
if len(s) != self.utf16_size:
raise ValueError('UTF16 Length does not match!')
return mutf8.patch_string(s)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = mutf8.decode(self.data)\n if len(s) != self.utf16_size:\n raise ValueError('UTF16 Length does not match!')\n return mutf8.patch_string(s)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
if self.class_idx_value is None:
self.class_idx_value = self.CM.get_type(self.class_idx)
return self.class_idx_value
| get_class_name | [
{
"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.class_idx_value is None:\n self.class_idx_value = self.CM.get_type(self.class_idx)\n return self.class_idx_value\n",
"role": "user"
},
{
"content": "get_class_name",
"role": "assistant"
}
] |
def x(self):
if self.proto_idx_value is None:
self.proto_idx_value = self.CM.get_proto(self.proto_idx)
return self.proto_idx_value
| get_proto | [
{
"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.proto_idx_value is None:\n self.proto_idx_value = self.CM.get_proto(self.proto_idx)\n return self.proto_idx_value\n",
"role": "user"
},
{
"content": "get_proto",
"role": "assistant"
}
] |
def x(self):
bytecode._PrintSubBanner('Field Information')
bytecode._PrintDefault('{}->{} {} [access_flags={}]\n'.format(self.
get_class_name(), self.get_name(), self.get_descriptor(), self.
get_access_flags_string()))
init_value = self.get_init_value()
if init_value is not None:
bytecode._PrintDefault('\tinit value: %s\n' % str(init_value.
get_value()))
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bytecode._PrintSubBanner('Field Information')\n bytecode._PrintDefault('{}->{} {} [access_flags={}]\\n'.format(self.\n get_class_name(), self.get_name(), self.get_descriptor(), self.\n get_access_flags_string()))\n init_value = self.get_init_value()\n if init_value is not None:\n bytecode._PrintDefault('\\tinit value: %s\\n' % str(init_value.\n get_value()))\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self, nb, proto):
bytecode._PrintSubBanner('Params')
ret = proto.split(')')
params = ret[0][1:].split()
if params:
bytecode._PrintDefault('- local registers: v%d...v%d\n' % (0, nb -
len(params) - 1))
j = 0
for i in range(nb - len(params), nb):
bytecode._PrintDefault('- v%d: %s\n' % (i, get_type(params[j])))
j += 1
else:
bytecode._PrintDefault('local registers: v%d...v%d\n' % (0, nb - 1))
bytecode._PrintDefault('- return: %s\n' % get_type(ret[1]))
bytecode._PrintSubBanner()
| each_params_by_register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nb, proto):\n bytecode._PrintSubBanner('Params')\n ret = proto.split(')')\n params = ret[0][1:].split()\n if params:\n bytecode._PrintDefault('- local registers: v%d...v%d\\n' % (0, nb -\n len(params) - 1))\n j = 0\n for i in range(nb - len(params), nb):\n bytecode._PrintDefault('- v%d: %s\\n' % (i, get_type(params[j])))\n j += 1\n else:\n bytecode._PrintDefault('local registers: v%d...v%d\\n' % (0, nb - 1))\n bytecode._PrintDefault('- return: %s\\n' % get_type(ret[1]))\n bytecode._PrintSubBanner()\n",
"role": "user"
},
{
"content": "each_params_by_register",
"role": "assistant"
}
] |
def x(self):
def x(cls):
arr = ''
while cls.startswith('['):
arr += '['
cls = cls[1:]
if cls.startswith('L'):
cls = cls[1:-1]
if '/' in cls:
cls = cls.rsplit('/', 1)[1]
return arr + cls
clsname = _fmt_classname(self.get_class_name())
param, ret = self.get_descriptor()[1:].split(')')
params = map(_fmt_classname, param.split(' '))
desc = '({}){}'.format(' '.join(params), _fmt_classname(ret))
return '{cls} {meth} {desc}'.format(cls=clsname, meth=self.get_name(),
desc=desc)
| get_short_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(cls):\n arr = ''\n while cls.startswith('['):\n arr += '['\n cls = cls[1:]\n if cls.startswith('L'):\n cls = cls[1:-1]\n if '/' in cls:\n cls = cls.rsplit('/', 1)[1]\n return arr + cls\n clsname = _fmt_classname(self.get_class_name())\n param, ret = self.get_descriptor()[1:].split(')')\n params = map(_fmt_classname, param.split(' '))\n desc = '({}){}'.format(' '.join(params), _fmt_classname(ret))\n return '{cls} {meth} {desc}'.format(cls=clsname, meth=self.get_name(),\n desc=desc)\n",
"role": "user"
},
{
"content": "get_short_string",
"role": "assistant"
}
] |
def x(self):
self.show_info()
self.show_notes()
if self.code:
self.each_params_by_register(self.code.get_registers_size(), self.
get_descriptor())
self.code.show()
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.show_info()\n self.show_notes()\n if self.code:\n self.each_params_by_register(self.code.get_registers_size(), self.\n get_descriptor())\n self.code.show()\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self):
if self.notes:
bytecode._PrintSubBanner('Notes')
for i in self.notes:
bytecode._PrintNote(i)
bytecode._PrintSubBanner()
| show_notes | [
{
"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.notes:\n bytecode._PrintSubBanner('Notes')\n for i in self.notes:\n bytecode._PrintNote(i)\n bytecode._PrintSubBanner()\n",
"role": "user"
},
{
"content": "show_notes",
"role": "assistant"
}
] |
def x(self, idx, off=None):
if self.code is not None:
return self.code.get_bc().get_instruction(idx, off)
return None
| get_instruction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idx, off=None):\n if self.code is not None:\n return self.code.get_bc().get_instruction(idx, off)\n return None\n",
"role": "user"
},
{
"content": "get_instruction",
"role": "assistant"
}
] |
def x(self):
return [x for x in self.direct_methods] + [x for x in self.virtual_methods]
| get_methods | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [x for x in self.direct_methods] + [x for x in self.virtual_methods]\n",
"role": "user"
},
{
"content": "get_methods",
"role": "assistant"
}
] |
def x(self):
return [x for x in self.static_fields] + [x for x in self.instance_fields]
| get_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [x for x in self.static_fields] + [x for x in self.instance_fields]\n",
"role": "user"
},
{
"content": "get_fields",
"role": "assistant"
}
] |
def x(self):
buff = bytearray()
buff += writesleb128(self.size)
for i in self.handlers:
buff += i.get_raw()
if self.size <= 0:
buff += writeuleb128(self.catch_all_addr)
return buff
| get_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buff = bytearray()\n buff += writesleb128(self.size)\n for i in self.handlers:\n buff += i.get_raw()\n if self.size <= 0:\n buff += writeuleb128(self.catch_all_addr)\n return buff\n",
"role": "user"
},
{
"content": "get_raw",
"role": "assistant"
}
] |
def x(self):
buff = bytearray()
buff += self.get_obj()
for i in self.list:
buff += i.get_raw()
return buff
| get_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buff = bytearray()\n buff += self.get_obj()\n for i in self.list:\n buff += i.get_raw()\n return buff\n",
"role": "user"
},
{
"content": "get_raw",
"role": "assistant"
}
] |
def x(self):
if self.OP > 255:
if self.OP >= 62207:
return DALVIK_OPCODES_OPTIMIZED[self.OP][1][1]
return DALVIK_OPCODES_EXTENDED_WIDTH[self.OP][1][1]
return DALVIK_OPCODES_FORMAT[self.OP][1][1]
| get_kind | [
{
"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.OP > 255:\n if self.OP >= 62207:\n return DALVIK_OPCODES_OPTIMIZED[self.OP][1][1]\n return DALVIK_OPCODES_EXTENDED_WIDTH[self.OP][1][1]\n return DALVIK_OPCODES_FORMAT[self.OP][1][1]\n",
"role": "user"
},
{
"content": "get_kind",
"role": "assistant"
}
] |
def x(self):
if self.OP > 255:
if self.OP >= 62207:
return DALVIK_OPCODES_OPTIMIZED[self.OP][1][0]
return DALVIK_OPCODES_EXTENDED_WIDTH[self.OP][1][0]
return DALVIK_OPCODES_FORMAT[self.OP][1][0]
| get_name | [
{
"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.OP > 255:\n if self.OP >= 62207:\n return DALVIK_OPCODES_OPTIMIZED[self.OP][1][0]\n return DALVIK_OPCODES_EXTENDED_WIDTH[self.OP][1][0]\n return DALVIK_OPCODES_FORMAT[self.OP][1][0]\n",
"role": "user"
},
{
"content": "get_name",
"role": "assistant"
}
] |
def x(self, idx):
print(self.get_name() + ' ' + self.get_output(idx), end=' ')
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idx):\n print(self.get_name() + ' ' + self.get_output(idx), end=' ')\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self, pos):
buff = self.get_name() + ' '
for i in range(0, len(self.data)):
buff += '\\x%02x' % self.data[i]
return buff
| show_buff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos):\n buff = self.get_name() + ' '\n for i in range(0, len(self.data)):\n buff += '\\\\x%02x' % self.data[i]\n return buff\n",
"role": "user"
},
{
"content": "show_buff",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.