source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self) ->Set[Point2]: if len(self.upper2_for_ramp_wall) == 2: points = self.upper2_for_ramp_wall p1 = points.pop().offset((self.x_offset, self.y_offset)) p2 = points.pop().offset((self.x_offset, self.y_offset)) center = p1.towards(p2, p1.distance_to(p2) / 2) depotPosition = self.depot_in_middle intersects = center.circle_intersection(depotPosition, 5 ** 0.5) return intersects raise Exception( 'Not implemented. Trying to access a ramp that has a wrong amount of upper points.' )
corner_depots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Set[Point2]:\n if len(self.upper2_for_ramp_wall) == 2:\n points = self.upper2_for_ramp_wall\n p1 = points.pop().offset((self.x_offset, self.y_offset))\n p2 = points.pop().offset((self.x_offset, self.y_offset))\n center = p1.towards(p2, p1.distance_to(p2) / 2)\n depotPosition = self.depot_in_middle\n intersects = center.circle_intersection(depotPosition, 5 ** 0.5)\n return intersects\n raise Exception(\n 'Not implemented. Trying to access a ramp that has a wrong amount of upper points.'\n )\n", "role": "user" }, { "content": "corner_depots", "role": "assistant" } ]
def x(self) ->bool: if len(self.upper2_for_ramp_wall) == 2: return self.barracks_in_middle.x + 1 > max(self.corner_depots, key= lambda depot: depot.x).x raise Exception( 'Not implemented. Trying to access a ramp that has a wrong amount of upper points.' )
barracks_can_fit_addon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n if len(self.upper2_for_ramp_wall) == 2:\n return self.barracks_in_middle.x + 1 > max(self.corner_depots, key=\n lambda depot: depot.x).x\n raise Exception(\n 'Not implemented. Trying to access a ramp that has a wrong amount of upper points.'\n )\n", "role": "user" }, { "content": "barracks_can_fit_addon", "role": "assistant" } ]
def x(self) ->Point2: if len(self.upper2_for_ramp_wall) == 2: if self.barracks_can_fit_addon: return self.barracks_in_middle else: return self.barracks_in_middle.offset((-2, 0)) raise Exception( 'Not implemented. Trying to access a ramp that has a wrong amount of upper points.' )
barracks_correct_placement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Point2:\n if len(self.upper2_for_ramp_wall) == 2:\n if self.barracks_can_fit_addon:\n return self.barracks_in_middle\n else:\n return self.barracks_in_middle.offset((-2, 0))\n raise Exception(\n 'Not implemented. Trying to access a ramp that has a wrong amount of upper points.'\n )\n", "role": "user" }, { "content": "barracks_correct_placement", "role": "assistant" } ]
def x(self) ->List[Ramp]: rampDict = {Point2((x, y)): (self.pathing_grid[x, y] == 0 and self. placement_grid[x, y] == 0) for x in range(self.pathing_grid.width) for y in range(self.pathing_grid.height)} rampPoints = {p for p in rampDict if rampDict[p]} rampGroups = self._find_groups(rampPoints) return [Ramp(group, self) for group in rampGroups]
find_ramps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->List[Ramp]:\n rampDict = {Point2((x, y)): (self.pathing_grid[x, y] == 0 and self.\n placement_grid[x, y] == 0) for x in range(self.pathing_grid.width) for\n y in range(self.pathing_grid.height)}\n rampPoints = {p for p in rampDict if rampDict[p]}\n rampGroups = self._find_groups(rampPoints)\n return [Ramp(group, self) for group in rampGroups]\n", "role": "user" }, { "content": "find_ramps", "role": "assistant" } ]
def x(self, points: Set[Point2], minimum_points_per_group: int=8, max_distance_between_points: int=2) ->List[Set[Point2]]: """ Paint clusters of points in rectangular map using flood fill algorithm. """ NOT_INTERESTED = -2 NOT_COLORED_YET = -1 currentColor: int = NOT_COLORED_YET picture: List[List[int]] = [[NOT_INTERESTED for j in range(self. pathing_grid.width)] for i in range(self.pathing_grid.height)] def x(pt: Point2) ->None: picture[pt.y][pt.x] = currentColor nearby: Set[Point2] = set() for dx in range(-max_distance_between_points, max_distance_between_points + 1): for dy in range(-max_distance_between_points, max_distance_between_points + 1): if abs(dx) + abs(dy) <= max_distance_between_points: nearby.add(Point2((dx, dy))) for point in points: paint(point) remaining: Set[Point2] = set(points) queue: Deque[Point2] = deque() foundGroups: List[Set[Point2]] = [] while remaining: currentGroup: Set[Point2] = set() if not queue: currentColor += 1 start = remaining.pop() paint(start) queue.append(start) currentGroup.add(start) while queue: base: Point2 = queue.popleft() for offset in nearby: px, py = base.x + offset.x, base.y + offset.y if (px < 0 or py < 0 or px >= self.pathing_grid.width or py >= self.pathing_grid.height): continue if picture[py][px] != NOT_COLORED_YET: continue point: Point2 = Point2((px, py)) remaining.remove(point) paint(point) queue.append(point) currentGroup.add(point) if len(currentGroup) >= minimum_points_per_group: foundGroups.append(currentGroup) """ Returns groups of points as list [{p1, p2, p3}, {p4, p5, p6, p7, p8}] """ return foundGroups
find_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, points: Set[Point2], minimum_points_per_group: int=8,\n max_distance_between_points: int=2) ->List[Set[Point2]]:\n \"\"\" Paint clusters of points in rectangular map using flood fill algorithm. \"\"\"\n NOT_INTERESTED = -2\n NOT_COLORED_YET = -1\n currentColor: int = NOT_COLORED_YET\n picture: List[List[int]] = [[NOT_INTERESTED for j in range(self.\n pathing_grid.width)] for i in range(self.pathing_grid.height)]\n\n def x(pt: Point2) ->None:\n picture[pt.y][pt.x] = currentColor\n nearby: Set[Point2] = set()\n for dx in range(-max_distance_between_points, \n max_distance_between_points + 1):\n for dy in range(-max_distance_between_points, \n max_distance_between_points + 1):\n if abs(dx) + abs(dy) <= max_distance_between_points:\n nearby.add(Point2((dx, dy)))\n for point in points:\n paint(point)\n remaining: Set[Point2] = set(points)\n queue: Deque[Point2] = deque()\n foundGroups: List[Set[Point2]] = []\n while remaining:\n currentGroup: Set[Point2] = set()\n if not queue:\n currentColor += 1\n start = remaining.pop()\n paint(start)\n queue.append(start)\n currentGroup.add(start)\n while queue:\n base: Point2 = queue.popleft()\n for offset in nearby:\n px, py = base.x + offset.x, base.y + offset.y\n if (px < 0 or py < 0 or px >= self.pathing_grid.width or py >=\n self.pathing_grid.height):\n continue\n if picture[py][px] != NOT_COLORED_YET:\n continue\n point: Point2 = Point2((px, py))\n remaining.remove(point)\n paint(point)\n queue.append(point)\n currentGroup.add(point)\n if len(currentGroup) >= minimum_points_per_group:\n foundGroups.append(currentGroup)\n \"\"\" Returns groups of points as list\n [{p1, p2, p3}, {p4, p5, p6, p7, p8}]\n \"\"\"\n return foundGroups\n", "role": "user" }, { "content": "find_groups", "role": "assistant" } ]
def x(text) ->list: return list(reduce(lambda a, b: a + [b] if b.isupper() else a[:-1] + [a [-1] + b], text, []))
split_camel_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text) ->list:\n return list(reduce(lambda a, b: a + [b] if b.isupper() else a[:-1] + [a\n [-1] + b], text, []))\n", "role": "user" }, { "content": "split_camel_case", "role": "assistant" } ]
def x(self) ->Optional[UnitTypeId]: if self._proto.tech_requirement == 0: return None if self._proto.tech_requirement not in self._game_data.units: return None return UnitTypeId(self._proto.tech_requirement)
tech_requirement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Optional[UnitTypeId]:\n if self._proto.tech_requirement == 0:\n return None\n if self._proto.tech_requirement not in self._game_data.units:\n return None\n return UnitTypeId(self._proto.tech_requirement)\n", "role": "user" }, { "content": "tech_requirement", "role": "assistant" } ]
def x(self) ->Optional[List[UnitTypeId]]: """ Building tech equality, e.g. Hive is the same as Lair and Hatchery """ return_list = [] for tech_alias in self._proto.tech_alias: if tech_alias in self._game_data.units: return_list.append(UnitTypeId(tech_alias)) """ For Hive, this returns [UnitTypeId.Hatchery, UnitTypeId.Lair] """ """ For SCV, this returns None """ if return_list: return return_list return None
tech_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Optional[List[UnitTypeId]]:\n \"\"\" Building tech equality, e.g. Hive is the same as Lair and Hatchery \"\"\"\n return_list = []\n for tech_alias in self._proto.tech_alias:\n if tech_alias in self._game_data.units:\n return_list.append(UnitTypeId(tech_alias))\n \"\"\" For Hive, this returns [UnitTypeId.Hatchery, UnitTypeId.Lair] \"\"\"\n \"\"\" For SCV, this returns None \"\"\"\n if return_list:\n return return_list\n return None\n", "role": "user" }, { "content": "tech_alias", "role": "assistant" } ]
def x(self) ->Optional[UnitTypeId]: if self._proto.unit_alias == 0: return None if self._proto.unit_alias not in self._game_data.units: return None """ For flying OrbitalCommand, this returns UnitTypeId.OrbitalCommand """ return UnitTypeId(self._proto.unit_alias)
unit_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Optional[UnitTypeId]:\n if self._proto.unit_alias == 0:\n return None\n if self._proto.unit_alias not in self._game_data.units:\n return None\n \"\"\" For flying OrbitalCommand, this returns UnitTypeId.OrbitalCommand \"\"\"\n return UnitTypeId(self._proto.unit_alias)\n", "role": "user" }, { "content": "unit_alias", "role": "assistant" } ]
def x(self) ->'Cost': if self.race == Race.Zerg and Attribute.Structure.value in self.attributes: return Cost(self._proto.mineral_cost - 50, self._proto.vespene_cost, self._proto.build_time) else: return self.cost
cost_zerg_corrected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->'Cost':\n if self.race == Race.Zerg and Attribute.Structure.value in self.attributes:\n return Cost(self._proto.mineral_cost - 50, self._proto.vespene_cost,\n self._proto.build_time)\n else:\n return self.cost\n", "role": "user" }, { "content": "cost_zerg_corrected", "role": "assistant" } ]
def x(self) ->Optional['Cost']: if self.tech_alias is None or self.tech_alias[0] in {UnitTypeId.TECHLAB, UnitTypeId.REACTOR}: return None tech_alias_cost_minerals = max([self._game_data.units[tech_alias.value] .cost.minerals for tech_alias in self.tech_alias]) tech_alias_cost_vespene = max([self._game_data.units[tech_alias.value]. cost.vespene for tech_alias in self.tech_alias]) return Cost(self._proto.mineral_cost - tech_alias_cost_minerals, self. _proto.vespene_cost - tech_alias_cost_vespene, self._proto.build_time)
morph_cost
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Optional['Cost']:\n if self.tech_alias is None or self.tech_alias[0] in {UnitTypeId.TECHLAB,\n UnitTypeId.REACTOR}:\n return None\n tech_alias_cost_minerals = max([self._game_data.units[tech_alias.value]\n .cost.minerals for tech_alias in self.tech_alias])\n tech_alias_cost_vespene = max([self._game_data.units[tech_alias.value].\n cost.vespene for tech_alias in self.tech_alias])\n return Cost(self._proto.mineral_cost - tech_alias_cost_minerals, self.\n _proto.vespene_cost - tech_alias_cost_vespene, self._proto.build_time)\n", "role": "user" }, { "content": "morph_cost", "role": "assistant" } ]
def x(f): f.frame = -1 f.cache = None @wraps(f) def x(self): if f.frame != self.state.game_loop: f.frame = self.state.game_loop f.cache = None if f.cache is None: f.cache = f(self) return f.cache return property(inner)
property_cache_once_per_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n f.frame = -1\n f.cache = None\n\n @wraps(f)\n def x(self):\n if f.frame != self.state.game_loop:\n f.frame = self.state.game_loop\n f.cache = None\n if f.cache is None:\n f.cache = f(self)\n return f.cache\n return property(inner)\n", "role": "user" }, { "content": "property_cache_once_per_frame", "role": "assistant" } ]
def x(self): myandro = self.settings['my'] def x(idx, q): l.debug('Running worker-%d' % idx) while True: a, d, dx, axmlobj, arscobj = None, None, None, None, None try: filename, fileraw = q.get() id_file = zlib.adler32(fileraw) l.debug('(worker-%d) get %s %d' % (idx, filename, id_file)) logf = self.settings['log'](id_file, filename) is_analysis_dex, is_analysis_adex = True, True l.debug('(worker-%d) filtering file %d' % (idx, id_file)) filter_file_ret, filter_file_type = myandro.filter_file(logf, fileraw) if filter_file_ret: l.debug('(worker-%d) analysis %s' % (id_file, filter_file_type)) if filter_file_type == 'APK': a = myandro.create_apk(logf, fileraw) is_analysis_dex = myandro.analysis_apk(logf, a) fileraw = a.get_dex() filter_file_type = androconf.is_android_raw(fileraw) elif filter_file_type == 'AXML': axmlobj = myandro.create_axml(logf, fileraw) myandro.analysis_axml(logf, axmlobj) elif filter_file_type == 'ARSC': arscobj = myandro.create_arsc(logf, fileraw) myandro.analysis_arsc(logf, arscobj) if is_analysis_dex and filter_file_type == 'DEX': d = myandro.create_dex(logf, fileraw) is_analysis_adex = myandro.analysis_dex(logf, d) elif is_analysis_dex and filter_file_type == 'DEY': d = myandro.create_dey(logf, fileraw) is_analysis_adex = myandro.analysis_dey(logf, d) if is_analysis_adex and d: dx = myandro.create_adex(logf, d) myandro.analysis_adex(logf, dx) myandro.analysis_app(logf, a, d, dx) myandro.finish(logf) except Exception as why: myandro.crash(logf, why) myandro.finish(logf) del a, d, dx, axmlobj, arscobj q.task_done() q = queue.Queue(self.settings['max_fetcher']) for i in range(self.settings['max_fetcher']): t = threading.Thread(target=worker, args=[i, q]) t.daemon = True t.start() terminated = True while terminated: terminated = myandro.fetcher(q) try: if terminated: time.sleep(10) except KeyboardInterrupt: terminated = False q.join()
go
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n myandro = self.settings['my']\n\n def x(idx, q):\n l.debug('Running worker-%d' % idx)\n while True:\n a, d, dx, axmlobj, arscobj = None, None, None, None, None\n try:\n filename, fileraw = q.get()\n id_file = zlib.adler32(fileraw)\n l.debug('(worker-%d) get %s %d' % (idx, filename, id_file))\n logf = self.settings['log'](id_file, filename)\n is_analysis_dex, is_analysis_adex = True, True\n l.debug('(worker-%d) filtering file %d' % (idx, id_file))\n filter_file_ret, filter_file_type = myandro.filter_file(logf,\n fileraw)\n if filter_file_ret:\n l.debug('(worker-%d) analysis %s' % (id_file,\n filter_file_type))\n if filter_file_type == 'APK':\n a = myandro.create_apk(logf, fileraw)\n is_analysis_dex = myandro.analysis_apk(logf, a)\n fileraw = a.get_dex()\n filter_file_type = androconf.is_android_raw(fileraw)\n elif filter_file_type == 'AXML':\n axmlobj = myandro.create_axml(logf, fileraw)\n myandro.analysis_axml(logf, axmlobj)\n elif filter_file_type == 'ARSC':\n arscobj = myandro.create_arsc(logf, fileraw)\n myandro.analysis_arsc(logf, arscobj)\n if is_analysis_dex and filter_file_type == 'DEX':\n d = myandro.create_dex(logf, fileraw)\n is_analysis_adex = myandro.analysis_dex(logf, d)\n elif is_analysis_dex and filter_file_type == 'DEY':\n d = myandro.create_dey(logf, fileraw)\n is_analysis_adex = myandro.analysis_dey(logf, d)\n if is_analysis_adex and d:\n dx = myandro.create_adex(logf, d)\n myandro.analysis_adex(logf, dx)\n myandro.analysis_app(logf, a, d, dx)\n myandro.finish(logf)\n except Exception as why:\n myandro.crash(logf, why)\n myandro.finish(logf)\n del a, d, dx, axmlobj, arscobj\n q.task_done()\n q = queue.Queue(self.settings['max_fetcher'])\n for i in range(self.settings['max_fetcher']):\n t = threading.Thread(target=worker, args=[i, q])\n t.daemon = True\n t.start()\n terminated = True\n while terminated:\n terminated = myandro.fetcher(q)\n try:\n if terminated:\n time.sleep(10)\n except KeyboardInterrupt:\n terminated = False\n q.join()\n", "role": "user" }, { "content": "go", "role": "assistant" } ]
def x(self, log, fileraw): file_type = androconf.is_android_raw(fileraw) if file_type in ['APK', 'DEX', 'DEY', 'AXML', 'ARSC']: return True, file_type return False, None
filter_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, log, fileraw):\n file_type = androconf.is_android_raw(fileraw)\n if file_type in ['APK', 'DEX', 'DEY', 'AXML', 'ARSC']:\n return True, file_type\n return False, None\n", "role": "user" }, { "content": "filter_file", "role": "assistant" } ]
def x(self, log, dexobj): vm_analysis = analysis.Analysis(dexobj) vm_analysis.create_xref() return vm_analysis
create_adex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, log, dexobj):\n vm_analysis = analysis.Analysis(dexobj)\n vm_analysis.create_xref()\n return vm_analysis\n", "role": "user" }, { "content": "create_adex", "role": "assistant" } ]
def x(graph, node1, node2, path=None): if path is None: path = [] if node1 is node2: return path path.append(node2) for pred in graph.all_preds(node2): if pred in path: continue build_path(graph, node1, pred, path) return path
build_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, node1, node2, path=None):\n if path is None:\n path = []\n if node1 is node2:\n return path\n path.append(node2)\n for pred in graph.all_preds(node2):\n if pred in path:\n continue\n build_path(graph, node1, pred, path)\n return path\n", "role": "user" }, { "content": "build_path", "role": "assistant" } ]
def x(clsdict): samelist = False done = {} while not samelist: samelist = True classlist = list(clsdict.keys()) for classname in classlist: parts_name = classname.rsplit('$', 1) if len(parts_name) > 1: mainclass, innerclass = parts_name innerclass = innerclass[:-1] mainclass += ';' if mainclass in clsdict: clsdict[mainclass].add_subclass(innerclass, clsdict[ classname]) clsdict[classname].name = innerclass done[classname] = clsdict[classname] del clsdict[classname] samelist = False elif mainclass in done: cls = done[mainclass] cls.add_subclass(innerclass, clsdict[classname]) clsdict[classname].name = innerclass done[classname] = done[mainclass] del clsdict[classname] samelist = False
merge_inner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clsdict):\n samelist = False\n done = {}\n while not samelist:\n samelist = True\n classlist = list(clsdict.keys())\n for classname in classlist:\n parts_name = classname.rsplit('$', 1)\n if len(parts_name) > 1:\n mainclass, innerclass = parts_name\n innerclass = innerclass[:-1]\n mainclass += ';'\n if mainclass in clsdict:\n clsdict[mainclass].add_subclass(innerclass, clsdict[\n classname])\n clsdict[classname].name = innerclass\n done[classname] = clsdict[classname]\n del clsdict[classname]\n samelist = False\n elif mainclass in done:\n cls = done[mainclass]\n cls.add_subclass(innerclass, clsdict[classname])\n clsdict[classname].name = innerclass\n done[classname] = done[mainclass]\n del clsdict[classname]\n samelist = False\n", "role": "user" }, { "content": "merge_inner", "role": "assistant" } ]
def x(atype, size=None): res = TYPE_DESCRIPTOR.get(atype) if res is None: if atype[0] == 'L': if atype.startswith('Ljava/lang'): res = atype[1:-1].lstrip('java/lang/').replace('/', '.') else: res = atype[1:-1].replace('/', '.') elif atype[0] == '[': if size is None: res = '%s[]' % get_type(atype[1:]) else: res = '{}[{}]'.format(get_type(atype[1:]), size) else: res = atype logger.debug('Unknown descriptor: "%s".', atype) return res
get_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(atype, size=None):\n res = TYPE_DESCRIPTOR.get(atype)\n if res is None:\n if atype[0] == 'L':\n if atype.startswith('Ljava/lang'):\n res = atype[1:-1].lstrip('java/lang/').replace('/', '.')\n else:\n res = atype[1:-1].replace('/', '.')\n elif atype[0] == '[':\n if size is None:\n res = '%s[]' % get_type(atype[1:])\n else:\n res = '{}[{}]'.format(get_type(atype[1:]), size)\n else:\n res = atype\n logger.debug('Unknown descriptor: \"%s\".', atype)\n return res\n", "role": "user" }, { "content": "get_type", "role": "assistant" } ]
def x(descriptor): params = descriptor.split(')')[0][1:].split() if params: return [param for param in params] return []
get_params_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(descriptor):\n params = descriptor.split(')')[0][1:].split()\n if params:\n return [param for param in params]\n return []\n", "role": "user" }, { "content": "get_params_type", "role": "assistant" } ]
def x(cls_name, meth_name, graph, dir_name='graphs2'): m_name = ''.join(x for x in meth_name if x.isalnum()) name = ''.join((cls_name.split('/')[-1][:-1], '#', m_name)) graph.draw(name, dir_name)
create_png
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls_name, meth_name, graph, dir_name='graphs2'):\n m_name = ''.join(x for x in meth_name if x.isalnum())\n name = ''.join((cls_name.split('/')[-1][:-1], '#', m_name))\n graph.draw(name, dir_name)\n", "role": "user" }, { "content": "create_png", "role": "assistant" } ]
def x(filename, binary=True): with open(filename, 'rb' if binary else 'r') as f: return f.read()
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, binary=True):\n with open(filename, 'rb' if binary else 'r') as f:\n return f.read()\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(name, short=False, delimiter=', '): if isinstance(name, asn1crypto.x509.Name): name = name.native _ = {'business_category': ('businessCategory', 'businessCategory'), 'serial_number': ('serialNumber', 'serialNumber'), 'country_name': ('C', 'countryName'), 'postal_code': ('postalCode', 'postalCode'), 'state_or_province_name': ('ST', 'stateOrProvinceName'), 'locality_name': ('L', 'localityName'), 'street_address': ('street', 'streetAddress'), 'organization_name': ('O', 'organizationName'), 'organizational_unit_name': ('OU', 'organizationalUnitName'), 'title': ('title', 'title'), 'common_name': ('CN', 'commonName'), 'initials': ('initials', 'initials'), 'generation_qualifier': ( 'generationQualifier', 'generationQualifier'), 'surname': ('SN', 'surname'), 'given_name': ('GN', 'givenName'), 'name': ('name', 'name'), 'pseudonym': ('pseudonym', 'pseudonym'), 'dn_qualifier': ( 'dnQualifier', 'dnQualifier'), 'telephone_number': ( 'telephoneNumber', 'telephoneNumber'), 'email_address': ('E', 'emailAddress'), 'domain_component': ('DC', 'domainComponent'), 'name_distinguisher': ('nameDistinguisher', 'nameDistinguisher'), 'organization_identifier': ('organizationIdentifier', 'organizationIdentifier')} return delimiter.join(['{}={}'.format(_.get(attr, (attr, attr))[0 if short else 1], name[attr]) for attr in name])
get_certificate_name_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, short=False, delimiter=', '):\n if isinstance(name, asn1crypto.x509.Name):\n name = name.native\n _ = {'business_category': ('businessCategory', 'businessCategory'),\n 'serial_number': ('serialNumber', 'serialNumber'), 'country_name':\n ('C', 'countryName'), 'postal_code': ('postalCode', 'postalCode'),\n 'state_or_province_name': ('ST', 'stateOrProvinceName'),\n 'locality_name': ('L', 'localityName'), 'street_address': ('street',\n 'streetAddress'), 'organization_name': ('O', 'organizationName'),\n 'organizational_unit_name': ('OU', 'organizationalUnitName'),\n 'title': ('title', 'title'), 'common_name': ('CN', 'commonName'),\n 'initials': ('initials', 'initials'), 'generation_qualifier': (\n 'generationQualifier', 'generationQualifier'), 'surname': ('SN',\n 'surname'), 'given_name': ('GN', 'givenName'), 'name': ('name',\n 'name'), 'pseudonym': ('pseudonym', 'pseudonym'), 'dn_qualifier': (\n 'dnQualifier', 'dnQualifier'), 'telephone_number': (\n 'telephoneNumber', 'telephoneNumber'), 'email_address': ('E',\n 'emailAddress'), 'domain_component': ('DC', 'domainComponent'),\n 'name_distinguisher': ('nameDistinguisher', 'nameDistinguisher'),\n 'organization_identifier': ('organizationIdentifier',\n 'organizationIdentifier')}\n return delimiter.join(['{}={}'.format(_.get(attr, (attr, attr))[0 if\n short else 1], name[attr]) for attr in name])\n", "role": "user" }, { "content": "get_certificate_name_string", "role": "assistant" } ]
def x(self): dlg = QtGui.QColorDialog(QtGui.QColor(self._color), None) if dlg.exec_(): self.setColor(dlg.currentColor().name())
onColorPicker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dlg = QtGui.QColorDialog(QtGui.QColor(self._color), None)\n if dlg.exec_():\n self.setColor(dlg.currentColor().name())\n", "role": "user" }, { "content": "onColorPicker", "role": "assistant" } ]
def x(_file, session=None, raw=False): log.debug('AnalyzeAPK') if session: log.debug('Using existing session {}'.format(session)) if raw: data = _file filename = hashlib.md5(_file).hexdigest() else: with open(_file, 'rb') as fd: data = fd.read() filename = _file digest = session.add(filename, data) return session.get_objects_apk(filename, digest) else: log.debug('Analysing without session') a = APK(_file, raw=raw) d = [] dx = Analysis() for dex in a.get_all_dex(): df = DalvikVMFormat(dex, using_api=a.get_target_sdk_version()) dx.add(df) d.append(df) df.set_decompiler(decompiler.DecompilerDAD(d, dx)) dx.create_xref() return a, d, dx
AnalyzeAPK
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_file, session=None, raw=False):\n log.debug('AnalyzeAPK')\n if session:\n log.debug('Using existing session {}'.format(session))\n if raw:\n data = _file\n filename = hashlib.md5(_file).hexdigest()\n else:\n with open(_file, 'rb') as fd:\n data = fd.read()\n filename = _file\n digest = session.add(filename, data)\n return session.get_objects_apk(filename, digest)\n else:\n log.debug('Analysing without session')\n a = APK(_file, raw=raw)\n d = []\n dx = Analysis()\n for dex in a.get_all_dex():\n df = DalvikVMFormat(dex, using_api=a.get_target_sdk_version())\n dx.add(df)\n d.append(df)\n df.set_decompiler(decompiler.DecompilerDAD(d, dx))\n dx.create_xref()\n return a, d, dx\n", "role": "user" }, { "content": "AnalyzeAPK", "role": "assistant" } ]
def x(filename, session=None): log.debug('AnalyzeDex') if not session: session = get_default_session() with open(filename, 'rb') as fd: data = fd.read() return session.addDEX(filename, data)
AnalyzeDex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, session=None):\n log.debug('AnalyzeDex')\n if not session:\n session = get_default_session()\n with open(filename, 'rb') as fd:\n data = fd.read()\n return session.addDEX(filename, data)\n", "role": "user" }, { "content": "AnalyzeDex", "role": "assistant" } ]
def x(filename, session=None): log.debug('AnalyzeODex') if not session: session = get_default_session() with open(filename, 'rb') as fd: data = fd.read() return session.addDEY(filename, data)
AnalyzeODex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, session=None):\n log.debug('AnalyzeODex')\n if not session:\n session = get_default_session()\n with open(filename, 'rb') as fd:\n data = fd.read()\n return session.addDEY(filename, data)\n", "role": "user" }, { "content": "AnalyzeODex", "role": "assistant" } ]
def x(d, dx, decompiler_name): if decompiler_name is not None: log.debug('Decompiler ...') decompiler_name = decompiler_name.lower() if decompiler_name == 'dex2jad': d.set_decompiler(decompiler.DecompilerDex2Jad(d, androconf.CONF ['BIN_DEX2JAR'], androconf.CONF['BIN_JAD'], androconf.CONF[ 'TMP_DIRECTORY'])) elif decompiler_name == 'dex2fernflower': d.set_decompiler(decompiler.DecompilerDex2Fernflower(d, androconf.CONF['BIN_DEX2JAR'], androconf.CONF[ 'BIN_FERNFLOWER'], androconf.CONF['OPTIONS_FERNFLOWER'], androconf.CONF['TMP_DIRECTORY'])) elif decompiler_name == 'ded': d.set_decompiler(decompiler.DecompilerDed(d, androconf.CONF[ 'BIN_DED'], androconf.CONF['TMP_DIRECTORY'])) elif decompiler_name == 'jadx': d.set_decompiler(decompiler.DecompilerJADX(d, dx, jadx= androconf.CONF['BIN_JADX'])) else: d.set_decompiler(decompiler.DecompilerDAD(d, dx))
RunDecompiler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, dx, decompiler_name):\n if decompiler_name is not None:\n log.debug('Decompiler ...')\n decompiler_name = decompiler_name.lower()\n if decompiler_name == 'dex2jad':\n d.set_decompiler(decompiler.DecompilerDex2Jad(d, androconf.CONF\n ['BIN_DEX2JAR'], androconf.CONF['BIN_JAD'], androconf.CONF[\n 'TMP_DIRECTORY']))\n elif decompiler_name == 'dex2fernflower':\n d.set_decompiler(decompiler.DecompilerDex2Fernflower(d,\n androconf.CONF['BIN_DEX2JAR'], androconf.CONF[\n 'BIN_FERNFLOWER'], androconf.CONF['OPTIONS_FERNFLOWER'],\n androconf.CONF['TMP_DIRECTORY']))\n elif decompiler_name == 'ded':\n d.set_decompiler(decompiler.DecompilerDed(d, androconf.CONF[\n 'BIN_DED'], androconf.CONF['TMP_DIRECTORY']))\n elif decompiler_name == 'jadx':\n d.set_decompiler(decompiler.DecompilerJADX(d, dx, jadx=\n androconf.CONF['BIN_JADX']))\n else:\n d.set_decompiler(decompiler.DecompilerDAD(d, dx))\n", "role": "user" }, { "content": "RunDecompiler", "role": "assistant" } ]
def x(filename, keystore, storepass): from subprocess import Popen, PIPE, STDOUT cmd = Popen([androconf.CONF['BIN_JARSIGNER'], '-sigalg', 'MD5withRSA', '-digestalg', 'SHA1', '-storepass', storepass, '-keystore', keystore, filename, 'alias_name'], stdout=PIPE, stderr=STDOUT) stdout, stderr = cmd.communicate()
sign_apk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, keystore, storepass):\n from subprocess import Popen, PIPE, STDOUT\n cmd = Popen([androconf.CONF['BIN_JARSIGNER'], '-sigalg', 'MD5withRSA',\n '-digestalg', 'SHA1', '-storepass', storepass, '-keystore',\n keystore, filename, 'alias_name'], stdout=PIPE, stderr=STDOUT)\n stdout, stderr = cmd.communicate()\n", "role": "user" }, { "content": "sign_apk", "role": "assistant" } ]
def x(filename, unique=True, replace='_', force_nt=False): if re.match('[<>:"/\\\\|?* .\\x00-\\x1f]', replace): raise ValueError('replacement character is not allowed!') path, fname = os.path.split(filename) if re.match('(CON|PRN|AUX|NUL|COM[1-9]|LPT[1-9])', fname): fname += replace fname = re.sub('[<>:"/\\\\|?*\\x00-\\x1f]', replace, fname) fname = re.sub('[ .]$', replace, fname) if force_nt or os.name == 'nt': PATH_MAX_LENGTH = 230 if len(fname) > PATH_MAX_LENGTH: if '.' in fname: f, ext = fname.rsplit('.', 1) fname = '{}.{}'.format(f[:PATH_MAX_LENGTH - (len(ext) + 1)], ext) else: fname = fname[:PATH_MAX_LENGTH] if len(os.path.abspath(os.path.join(path, fname))) > 250: fname = fname[:250 - (len(os.path.abspath(path)) + 1)] if unique: counter = 0 origname = fname while os.path.isfile(os.path.join(path, fname)): if '.' in fname: f, ext = origname.rsplit('.', 1) fname = '{}_{}.{}'.format(f, counter, ext) else: fname = '{}_{}'.format(origname, counter) counter += 1 return os.path.join(path, fname)
clean_file_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, unique=True, replace='_', force_nt=False):\n if re.match('[<>:\"/\\\\\\\\|?* .\\\\x00-\\\\x1f]', replace):\n raise ValueError('replacement character is not allowed!')\n path, fname = os.path.split(filename)\n if re.match('(CON|PRN|AUX|NUL|COM[1-9]|LPT[1-9])', fname):\n fname += replace\n fname = re.sub('[<>:\"/\\\\\\\\|?*\\\\x00-\\\\x1f]', replace, fname)\n fname = re.sub('[ .]$', replace, fname)\n if force_nt or os.name == 'nt':\n PATH_MAX_LENGTH = 230\n if len(fname) > PATH_MAX_LENGTH:\n if '.' in fname:\n f, ext = fname.rsplit('.', 1)\n fname = '{}.{}'.format(f[:PATH_MAX_LENGTH - (len(ext) + 1)],\n ext)\n else:\n fname = fname[:PATH_MAX_LENGTH]\n if len(os.path.abspath(os.path.join(path, fname))) > 250:\n fname = fname[:250 - (len(os.path.abspath(path)) + 1)]\n if unique:\n counter = 0\n origname = fname\n while os.path.isfile(os.path.join(path, fname)):\n if '.' in fname:\n f, ext = origname.rsplit('.', 1)\n fname = '{}_{}.{}'.format(f, counter, ext)\n else:\n fname = '{}_{}'.format(origname, counter)\n counter += 1\n return os.path.join(path, fname)\n", "role": "user" }, { "content": "clean_file_name", "role": "assistant" } ]
def x(apilevel, permtype='permissions'): if permtype not in ['permissions', 'groups']: raise ValueError('The type of permission list is not known.') apilevel = int(apilevel) root = os.path.dirname(os.path.realpath(__file__)) permissions_file = os.path.join(root, 'aosp_permissions', 'permissions_{}.json'.format(apilevel)) levels = filter(lambda x: re.match('^permissions_\\d+\\.json$', x), os. listdir(os.path.join(root, 'aosp_permissions'))) levels = list(map(lambda x: int(x[:-5].split('_')[1]), levels)) if not levels: log.error('No Permissions available, can not load!') return {} log.debug('Available API levels: {}'.format(', '.join(map(str, sorted( levels))))) if not os.path.isfile(permissions_file): if apilevel > max(levels): log.warning( 'Requested API level {} is larger than maximum we have, returning API level {} instead.' .format(apilevel, max(levels))) return load_permissions(max(levels), permtype) if apilevel < min(levels): log.warning( 'Requested API level {} is smaller than minimal we have, returning API level {} instead.' .format(apilevel, max(levels))) return load_permissions(min(levels), permtype) lower_level = max(filter(lambda x: x < apilevel, levels)) log.warning('Requested API Level could not be found, using {} instead' .format(lower_level)) return load_permissions(lower_level, permtype) with open(permissions_file, 'r') as fp: return json.load(fp)[permtype]
load_permissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apilevel, permtype='permissions'):\n if permtype not in ['permissions', 'groups']:\n raise ValueError('The type of permission list is not known.')\n apilevel = int(apilevel)\n root = os.path.dirname(os.path.realpath(__file__))\n permissions_file = os.path.join(root, 'aosp_permissions',\n 'permissions_{}.json'.format(apilevel))\n levels = filter(lambda x: re.match('^permissions_\\\\d+\\\\.json$', x), os.\n listdir(os.path.join(root, 'aosp_permissions')))\n levels = list(map(lambda x: int(x[:-5].split('_')[1]), levels))\n if not levels:\n log.error('No Permissions available, can not load!')\n return {}\n log.debug('Available API levels: {}'.format(', '.join(map(str, sorted(\n levels)))))\n if not os.path.isfile(permissions_file):\n if apilevel > max(levels):\n log.warning(\n 'Requested API level {} is larger than maximum we have, returning API level {} instead.'\n .format(apilevel, max(levels)))\n return load_permissions(max(levels), permtype)\n if apilevel < min(levels):\n log.warning(\n 'Requested API level {} is smaller than minimal we have, returning API level {} instead.'\n .format(apilevel, max(levels)))\n return load_permissions(min(levels), permtype)\n lower_level = max(filter(lambda x: x < apilevel, levels))\n log.warning('Requested API Level could not be found, using {} instead'\n .format(lower_level))\n return load_permissions(lower_level, permtype)\n with open(permissions_file, 'r') as fp:\n return json.load(fp)[permtype]\n", "role": "user" }, { "content": "load_permissions", "role": "assistant" } ]
def x(apilevel): root = os.path.dirname(os.path.realpath(__file__)) permissions_file = os.path.join(root, 'api_permission_mappings', 'permissions_{}.json'.format(apilevel)) if not os.path.isfile(permissions_file): return {} with open(permissions_file, 'r') as fp: return json.load(fp)
load_permission_mappings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apilevel):\n root = os.path.dirname(os.path.realpath(__file__))\n permissions_file = os.path.join(root, 'api_permission_mappings',\n 'permissions_{}.json'.format(apilevel))\n if not os.path.isfile(permissions_file):\n return {}\n with open(permissions_file, 'r') as fp:\n return json.load(fp)\n", "role": "user" }, { "content": "load_permission_mappings", "role": "assistant" } ]
def x(graph): node_map = {n: n for n in graph} to_update = set() for node in graph.nodes[:]: if node.type.is_cond: if len(node.get_ins()) > 1: pre_ins = node.get_ins()[:-1] last_ins = node.get_ins()[-1] pre_node = StatementBlock('%s-pre' % node.name, pre_ins) cond_node = CondBlock('%s-cond' % node.name, [last_ins]) node_map[node] = pre_node node_map[pre_node] = pre_node node_map[cond_node] = cond_node pre_node.copy_from(node) cond_node.copy_from(node) for var in node.var_to_declare: pre_node.add_variable_declaration(var) pre_node.type.is_stmt = True cond_node.true = node.true cond_node.false = node.false for pred in graph.all_preds(node): pred_node = node_map[pred] if node not in graph.sucs(pred): graph.add_catch_edge(pred_node, pre_node) continue if pred is node: pred_node = cond_node if pred.type.is_cond: if pred.true is node: pred_node.true = pre_node if pred.false is node: pred_node.false = pre_node graph.add_edge(pred_node, pre_node) for suc in graph.sucs(node): graph.add_edge(cond_node, node_map[suc]) for suc in graph.catch_edges.get(node, []): graph.add_catch_edge(pre_node, node_map[suc]) if node is graph.entry: graph.entry = pre_node graph.add_node(pre_node) graph.add_node(cond_node) graph.add_edge(pre_node, cond_node) pre_node.update_attribute_with(node_map) cond_node.update_attribute_with(node_map) graph.remove_node(node) else: to_update.add(node) for node in to_update: node.update_attribute_with(node_map)
split_if_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n node_map = {n: n for n in graph}\n to_update = set()\n for node in graph.nodes[:]:\n if node.type.is_cond:\n if len(node.get_ins()) > 1:\n pre_ins = node.get_ins()[:-1]\n last_ins = node.get_ins()[-1]\n pre_node = StatementBlock('%s-pre' % node.name, pre_ins)\n cond_node = CondBlock('%s-cond' % node.name, [last_ins])\n node_map[node] = pre_node\n node_map[pre_node] = pre_node\n node_map[cond_node] = cond_node\n pre_node.copy_from(node)\n cond_node.copy_from(node)\n for var in node.var_to_declare:\n pre_node.add_variable_declaration(var)\n pre_node.type.is_stmt = True\n cond_node.true = node.true\n cond_node.false = node.false\n for pred in graph.all_preds(node):\n pred_node = node_map[pred]\n if node not in graph.sucs(pred):\n graph.add_catch_edge(pred_node, pre_node)\n continue\n if pred is node:\n pred_node = cond_node\n if pred.type.is_cond:\n if pred.true is node:\n pred_node.true = pre_node\n if pred.false is node:\n pred_node.false = pre_node\n graph.add_edge(pred_node, pre_node)\n for suc in graph.sucs(node):\n graph.add_edge(cond_node, node_map[suc])\n for suc in graph.catch_edges.get(node, []):\n graph.add_catch_edge(pre_node, node_map[suc])\n if node is graph.entry:\n graph.entry = pre_node\n graph.add_node(pre_node)\n graph.add_node(cond_node)\n graph.add_edge(pre_node, cond_node)\n pre_node.update_attribute_with(node_map)\n cond_node.update_attribute_with(node_map)\n graph.remove_node(node)\n else:\n to_update.add(node)\n for node in to_update:\n node.update_attribute_with(node_map)\n", "role": "user" }, { "content": "split_if_nodes", "role": "assistant" } ]
def x(graph): redo = True while redo: redo = False node_map = {} to_update = set() for node in graph.nodes[:]: if node.type.is_stmt and node in graph: sucs = graph.all_sucs(node) if len(sucs) != 1: continue suc = sucs[0] if len(node.get_ins()) == 0: if any(pred.type.is_switch for pred in graph.all_preds( node)): continue if node is suc: continue node_map[node] = suc for pred in graph.all_preds(node): pred.update_attribute_with(node_map) if node not in graph.sucs(pred): graph.add_catch_edge(pred, suc) continue graph.add_edge(pred, suc) redo = True if node is graph.entry: graph.entry = suc graph.remove_node(node) elif suc.type.is_stmt and len(graph.all_preds(suc) ) == 1 and not suc in graph.catch_edges and not (node is suc or suc is graph.entry): ins_to_merge = suc.get_ins() node.add_ins(ins_to_merge) for var in suc.var_to_declare: node.add_variable_declaration(var) new_suc = graph.sucs(suc)[0] if new_suc: graph.add_edge(node, new_suc) for exception_suc in graph.catch_edges.get(suc, []): graph.add_catch_edge(node, exception_suc) redo = True graph.remove_node(suc) else: to_update.add(node) for node in to_update: node.update_attribute_with(node_map)
simplify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n redo = True\n while redo:\n redo = False\n node_map = {}\n to_update = set()\n for node in graph.nodes[:]:\n if node.type.is_stmt and node in graph:\n sucs = graph.all_sucs(node)\n if len(sucs) != 1:\n continue\n suc = sucs[0]\n if len(node.get_ins()) == 0:\n if any(pred.type.is_switch for pred in graph.all_preds(\n node)):\n continue\n if node is suc:\n continue\n node_map[node] = suc\n for pred in graph.all_preds(node):\n pred.update_attribute_with(node_map)\n if node not in graph.sucs(pred):\n graph.add_catch_edge(pred, suc)\n continue\n graph.add_edge(pred, suc)\n redo = True\n if node is graph.entry:\n graph.entry = suc\n graph.remove_node(node)\n elif suc.type.is_stmt and len(graph.all_preds(suc)\n ) == 1 and not suc in graph.catch_edges and not (node is\n suc or suc is graph.entry):\n ins_to_merge = suc.get_ins()\n node.add_ins(ins_to_merge)\n for var in suc.var_to_declare:\n node.add_variable_declaration(var)\n new_suc = graph.sucs(suc)[0]\n if new_suc:\n graph.add_edge(node, new_suc)\n for exception_suc in graph.catch_edges.get(suc, []):\n graph.add_catch_edge(node, exception_suc)\n redo = True\n graph.remove_node(suc)\n else:\n to_update.add(node)\n for node in to_update:\n node.update_attribute_with(node_map)\n", "role": "user" }, { "content": "simplify", "role": "assistant" } ]
def x(graph): def x(v, n): semi[v] = n = n + 1 vertex[n] = label[v] = v ancestor[v] = 0 for w in graph.all_sucs(v): if not semi[w]: parent[w] = v n = _dfs(w, n) pred[w].add(v) return n def x(v): u = ancestor[v] if ancestor[u]: _compress(u) if semi[label[u]] < semi[label[v]]: label[v] = label[u] ancestor[v] = ancestor[u] def x(v): if ancestor[v]: _compress(v) return label[v] return v def x(v, w): ancestor[w] = v parent, ancestor, vertex = {}, {}, {} label, dom = {}, {} pred, bucket = defaultdict(set), defaultdict(set) semi = {v: (0) for v in graph.nodes} n = _dfs(graph.entry, 0) for i in range(n, 1, -1): w = vertex[i] for v in pred[w]: u = _eval(v) y = semi[w] = min(semi[w], semi[u]) bucket[vertex[y]].add(w) pw = parent[w] _link(pw, w) bpw = bucket[pw] while bpw: v = bpw.pop() u = _eval(v) dom[v] = u if semi[u] < semi[v] else pw for i in range(2, n + 1): w = vertex[i] dw = dom[w] if dw != vertex[semi[w]]: dom[w] = dom[dw] dom[graph.entry] = None return dom
dom_lt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n\n def x(v, n):\n semi[v] = n = n + 1\n vertex[n] = label[v] = v\n ancestor[v] = 0\n for w in graph.all_sucs(v):\n if not semi[w]:\n parent[w] = v\n n = _dfs(w, n)\n pred[w].add(v)\n return n\n\n def x(v):\n u = ancestor[v]\n if ancestor[u]:\n _compress(u)\n if semi[label[u]] < semi[label[v]]:\n label[v] = label[u]\n ancestor[v] = ancestor[u]\n\n def x(v):\n if ancestor[v]:\n _compress(v)\n return label[v]\n return v\n\n def x(v, w):\n ancestor[w] = v\n parent, ancestor, vertex = {}, {}, {}\n label, dom = {}, {}\n pred, bucket = defaultdict(set), defaultdict(set)\n semi = {v: (0) for v in graph.nodes}\n n = _dfs(graph.entry, 0)\n for i in range(n, 1, -1):\n w = vertex[i]\n for v in pred[w]:\n u = _eval(v)\n y = semi[w] = min(semi[w], semi[u])\n bucket[vertex[y]].add(w)\n pw = parent[w]\n _link(pw, w)\n bpw = bucket[pw]\n while bpw:\n v = bpw.pop()\n u = _eval(v)\n dom[v] = u if semi[u] < semi[v] else pw\n for i in range(2, n + 1):\n w = vertex[i]\n dw = dom[w]\n if dw != vertex[semi[w]]:\n dom[w] = dom[dw]\n dom[graph.entry] = None\n return dom\n", "role": "user" }, { "content": "dom_lt", "role": "assistant" } ]
def x(start): to_visit = [start] visited = {start} while to_visit: node = to_visit.pop(0) yield node if node.exception_analysis: for _, _, exception in node.exception_analysis.exceptions: if exception not in visited: to_visit.append(exception) visited.add(exception) for _, _, child in node.childs: if child not in visited: to_visit.append(child) visited.add(child)
bfs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start):\n to_visit = [start]\n visited = {start}\n while to_visit:\n node = to_visit.pop(0)\n yield node\n if node.exception_analysis:\n for _, _, exception in node.exception_analysis.exceptions:\n if exception not in visited:\n to_visit.append(exception)\n visited.add(exception)\n for _, _, child in node.childs:\n if child not in visited:\n to_visit.append(child)\n visited.add(child)\n", "role": "user" }, { "content": "bfs", "role": "assistant" } ]
def x(start_block, vmap, exceptions): bfs_blocks = bfs(start_block) graph = Graph() gen_ret = GenInvokeRetName() block_to_node = {} exceptions_start_block = [] for exception in exceptions: for _, _, block in exception.exceptions: exceptions_start_block.append(block) for block in bfs_blocks: node = make_node(graph, block, block_to_node, vmap, gen_ret) graph.add_node(node) graph.entry = block_to_node[start_block] del block_to_node, bfs_blocks graph.compute_rpo() graph.number_ins() for node in graph.rpo: preds = [pred for pred in graph.all_preds(node) if pred.num < node.num] if preds and all(pred.in_catch for pred in preds): node.in_catch = True lexit_nodes = [node for node in graph if node.type.is_return] if len(lexit_nodes) > 1: logger.error('Multiple exit nodes found !') graph.exit = graph.rpo[-1] elif len(lexit_nodes) < 1: logger.debug('No exit node found !') else: graph.exit = lexit_nodes[0] return graph
construct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_block, vmap, exceptions):\n bfs_blocks = bfs(start_block)\n graph = Graph()\n gen_ret = GenInvokeRetName()\n block_to_node = {}\n exceptions_start_block = []\n for exception in exceptions:\n for _, _, block in exception.exceptions:\n exceptions_start_block.append(block)\n for block in bfs_blocks:\n node = make_node(graph, block, block_to_node, vmap, gen_ret)\n graph.add_node(node)\n graph.entry = block_to_node[start_block]\n del block_to_node, bfs_blocks\n graph.compute_rpo()\n graph.number_ins()\n for node in graph.rpo:\n preds = [pred for pred in graph.all_preds(node) if pred.num < node.num]\n if preds and all(pred.in_catch for pred in preds):\n node.in_catch = True\n lexit_nodes = [node for node in graph if node.type.is_return]\n if len(lexit_nodes) > 1:\n logger.error('Multiple exit nodes found !')\n graph.exit = graph.rpo[-1]\n elif len(lexit_nodes) < 1:\n logger.debug('No exit node found !')\n else:\n graph.exit = lexit_nodes[0]\n return graph\n", "role": "user" }, { "content": "construct", "role": "assistant" } ]
def x(self, node): preds = self.reverse_edges.get(node, []) for pred in preds: self.edges[pred].remove(node) succs = self.edges.get(node, []) for suc in succs: self.reverse_edges[suc].remove(node) exc_preds = self.reverse_catch_edges.pop(node, []) for pred in exc_preds: self.catch_edges[pred].remove(node) exc_succs = self.catch_edges.pop(node, []) for suc in exc_succs: self.reverse_catch_edges[suc].remove(node) self.nodes.remove(node) if node in self.rpo: self.rpo.remove(node) del node
remove_node
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n preds = self.reverse_edges.get(node, [])\n for pred in preds:\n self.edges[pred].remove(node)\n succs = self.edges.get(node, [])\n for suc in succs:\n self.reverse_edges[suc].remove(node)\n exc_preds = self.reverse_catch_edges.pop(node, [])\n for pred in exc_preds:\n self.catch_edges[pred].remove(node)\n exc_succs = self.catch_edges.pop(node, [])\n for suc in exc_succs:\n self.reverse_catch_edges[suc].remove(node)\n self.nodes.remove(node)\n if node in self.rpo:\n self.rpo.remove(node)\n del node\n", "role": "user" }, { "content": "remove_node", "role": "assistant" } ]
def x(self): nb = len(self.nodes) + 1 for node in self.post_order(): node.num = nb - node.po self.rpo = sorted(self.nodes, key=lambda n: n.num)
compute_rpo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n nb = len(self.nodes) + 1\n for node in self.post_order():\n node.num = nb - node.po\n self.rpo = sorted(self.nodes, key=lambda n: n.num)\n", "role": "user" }, { "content": "compute_rpo", "role": "assistant" } ]
def x(self): def x(n, cnt): visited.add(n) for suc in self.all_sucs(n): if suc not in visited: for cnt, s in _visit(suc, cnt): yield cnt, s n.po = cnt yield cnt + 1, n visited = set() for _, node in _visit(self.entry, 1): yield node
post_order
[ { "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(n, cnt):\n visited.add(n)\n for suc in self.all_sucs(n):\n if suc not in visited:\n for cnt, s in _visit(suc, cnt):\n yield cnt, s\n n.po = cnt\n yield cnt + 1, n\n visited = set()\n for _, node in _visit(self.entry, 1):\n yield node\n", "role": "user" }, { "content": "post_order", "role": "assistant" } ]
def x(self, name, dname, draw_branches=True): from pydot import Dot, Edge import os g = Dot() g.set_node_defaults(color='lightgray', style='filled', shape='box', fontname='Courier', fontsize='10') for node in sorted(self.nodes, key=lambda x: x.num): if draw_branches and node.type.is_cond: g.add_edge(Edge(str(node), str(node.true), color='green')) g.add_edge(Edge(str(node), str(node.false), color='red')) else: for suc in self.sucs(node): g.add_edge(Edge(str(node), str(suc), color='blue')) for except_node in self.catch_edges.get(node, []): g.add_edge(Edge(str(node), str(except_node), color='black', style='dashed')) g.write(os.path.join(dname, '%s.png' % name), format='png')
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, dname, draw_branches=True):\n from pydot import Dot, Edge\n import os\n g = Dot()\n g.set_node_defaults(color='lightgray', style='filled', shape='box',\n fontname='Courier', fontsize='10')\n for node in sorted(self.nodes, key=lambda x: x.num):\n if draw_branches and node.type.is_cond:\n g.add_edge(Edge(str(node), str(node.true), color='green'))\n g.add_edge(Edge(str(node), str(node.false), color='red'))\n else:\n for suc in self.sucs(node):\n g.add_edge(Edge(str(node), str(suc), color='blue'))\n for except_node in self.catch_edges.get(node, []):\n g.add_edge(Edge(str(node), str(except_node), color='black',\n style='dashed'))\n g.write(os.path.join(dname, '%s.png' % name), format='png')\n", "role": "user" }, { "content": "draw", "role": "assistant" } ]
def x(input_, output, file_, resource): if file_ is not None and input_ is not None: print( 'Can not give --input and positional argument! Please use only one of them!' ) sys.exit(1) if file_ is None and input_ is None: print('Give one file to decode!') sys.exit(1) if file_ is not None: androaxml_main(file_, output, resource) elif input_ is not None: androaxml_main(input_, output, resource)
axml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_, output, file_, resource):\n if file_ is not None and input_ is not None:\n print(\n 'Can not give --input and positional argument! Please use only one of them!'\n )\n sys.exit(1)\n if file_ is None and input_ is None:\n print('Give one file to decode!')\n sys.exit(1)\n if file_ is not None:\n androaxml_main(file_, output, resource)\n elif input_ is not None:\n androaxml_main(input_, output, resource)\n", "role": "user" }, { "content": "axml", "role": "assistant" } ]
def x(input_, file_, output, package, locale, type_, id_, list_packages, list_locales, list_types): from androguard.core import androconf from androguard.core.bytecodes import apk if file_ and input_: print( 'Can not give --input and positional argument! Please use only one of them!' , file=sys.stderr) sys.exit(1) if not input_ and not file_: print('Give one file to decode!', file=sys.stderr) sys.exit(1) if input_: fname = input_ else: fname = file_ ret_type = androconf.is_android(fname) if ret_type == 'APK': a = apk.APK(fname) arscobj = a.get_android_resources() if not arscobj: print('The APK does not contain a resources file!', file=sys.stderr ) sys.exit(0) elif ret_type == 'ARSC': with open(fname, 'rb') as fp: arscobj = apk.ARSCParser(fp.read()) if not arscobj: print('The resources file seems to be invalid!', file=sys. stderr) sys.exit(1) else: print('Unknown file type!', file=sys.stderr) sys.exit(1) if id_: if id_[0] == '@': id_ = id_[1:] try: i_id = int(id_, 16) except ValueError: print( "ID '{}' could not be parsed! have you supplied the correct hex ID?" .format(id_)) sys.exit(1) name = arscobj.get_resource_xml_name(i_id) if not name: print('Specified resource was not found!') sys.exit(1) print("@{:08x} resolves to '{}'".format(i_id, name)) print() for config, entry in arscobj.get_resolved_res_configs(i_id): print("{} = '{}'".format(config.get_qualifier() if not config. is_default() else '<default>', entry)) sys.exit(0) if list_packages: print('\n'.join(arscobj.get_packages_names())) sys.exit(0) if list_locales: for p in arscobj.get_packages_names(): print('In Package:', p) print('\n'.join(map(lambda x: ' \\x00\\x00' if x == '\x00\x00' else ' {}'.format(x), sorted(arscobj.get_locales(p))))) sys.exit(0) if list_types: for p in arscobj.get_packages_names(): print('In Package:', p) for locale in sorted(arscobj.get_locales(p)): print(' In Locale: {}'.format('\\x00\\x00' if locale == '\x00\x00' else locale)) print('\n'.join(map(' {}'.format, sorted(arscobj. get_types(p, locale))))) sys.exit(0) androarsc_main(arscobj, outp=output, package=package, typ=type_, locale =locale)
arsc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_, file_, output, package, locale, type_, id_, list_packages,\n list_locales, list_types):\n from androguard.core import androconf\n from androguard.core.bytecodes import apk\n if file_ and input_:\n print(\n 'Can not give --input and positional argument! Please use only one of them!'\n , file=sys.stderr)\n sys.exit(1)\n if not input_ and not file_:\n print('Give one file to decode!', file=sys.stderr)\n sys.exit(1)\n if input_:\n fname = input_\n else:\n fname = file_\n ret_type = androconf.is_android(fname)\n if ret_type == 'APK':\n a = apk.APK(fname)\n arscobj = a.get_android_resources()\n if not arscobj:\n print('The APK does not contain a resources file!', file=sys.stderr\n )\n sys.exit(0)\n elif ret_type == 'ARSC':\n with open(fname, 'rb') as fp:\n arscobj = apk.ARSCParser(fp.read())\n if not arscobj:\n print('The resources file seems to be invalid!', file=sys.\n stderr)\n sys.exit(1)\n else:\n print('Unknown file type!', file=sys.stderr)\n sys.exit(1)\n if id_:\n if id_[0] == '@':\n id_ = id_[1:]\n try:\n i_id = int(id_, 16)\n except ValueError:\n print(\n \"ID '{}' could not be parsed! have you supplied the correct hex ID?\"\n .format(id_))\n sys.exit(1)\n name = arscobj.get_resource_xml_name(i_id)\n if not name:\n print('Specified resource was not found!')\n sys.exit(1)\n print(\"@{:08x} resolves to '{}'\".format(i_id, name))\n print()\n for config, entry in arscobj.get_resolved_res_configs(i_id):\n print(\"{} = '{}'\".format(config.get_qualifier() if not config.\n is_default() else '<default>', entry))\n sys.exit(0)\n if list_packages:\n print('\\n'.join(arscobj.get_packages_names()))\n sys.exit(0)\n if list_locales:\n for p in arscobj.get_packages_names():\n print('In Package:', p)\n print('\\n'.join(map(lambda x: ' \\\\x00\\\\x00' if x == '\\x00\\x00'\n else ' {}'.format(x), sorted(arscobj.get_locales(p)))))\n sys.exit(0)\n if list_types:\n for p in arscobj.get_packages_names():\n print('In Package:', p)\n for locale in sorted(arscobj.get_locales(p)):\n print(' In Locale: {}'.format('\\\\x00\\\\x00' if locale ==\n '\\x00\\x00' else locale))\n print('\\n'.join(map(' {}'.format, sorted(arscobj.\n get_types(p, locale)))))\n sys.exit(0)\n androarsc_main(arscobj, outp=output, package=package, typ=type_, locale\n =locale)\n", "role": "user" }, { "content": "arsc", "role": "assistant" } ]
def x(output, show, verbose, classname, methodname, descriptor, accessflag, no_isolated, apk): androcg_main(verbose=verbose, APK=apk, classname=classname, methodname= methodname, descriptor=descriptor, accessflag=accessflag, no_isolated=no_isolated, show=show, output=output)
cg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output, show, verbose, classname, methodname, descriptor, accessflag,\n no_isolated, apk):\n androcg_main(verbose=verbose, APK=apk, classname=classname, methodname=\n methodname, descriptor=descriptor, accessflag=accessflag,\n no_isolated=no_isolated, show=show, output=output)\n", "role": "user" }, { "content": "cg", "role": "assistant" } ]
def x(input_, file_, output, format_, jar, limit, decompiler): from androguard import session if file_ and input_: print( 'Can not give --input and positional argument! Please use only one of them!' , file=sys.stderr) sys.exit(1) if not input_ and not file_: print('Give one file to decode!', file=sys.stderr) sys.exit(1) if input_: fname = input_ else: fname = file_ s = session.Session() with open(fname, 'rb') as fd: s.add(fname, fd.read()) export_apps_to_format(fname, s, output, limit, jar, decompiler, format_)
decompile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_, file_, output, format_, jar, limit, decompiler):\n from androguard import session\n if file_ and input_:\n print(\n 'Can not give --input and positional argument! Please use only one of them!'\n , file=sys.stderr)\n sys.exit(1)\n if not input_ and not file_:\n print('Give one file to decode!', file=sys.stderr)\n sys.exit(1)\n if input_:\n fname = input_\n else:\n fname = file_\n s = session.Session()\n with open(fname, 'rb') as fd:\n s.add(fname, fd.read())\n export_apps_to_format(fname, s, output, limit, jar, decompiler, format_)\n", "role": "user" }, { "content": "decompile", "role": "assistant" } ]
def x(hash_, print_all_hashes, show, apk): androsign_main(apk, hash_, print_all_hashes, show)
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hash_, print_all_hashes, show, apk):\n androsign_main(apk, hash_, print_all_hashes, show)\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(apks): import json import logging logging.getLogger('androguard.axml').setLevel(logging.ERROR) results = dict() for apk in apks: results[apk] = androguard.core.bytecodes.apk.get_apkid(apk) print(json.dumps(results, indent=2))
apkid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apks):\n import json\n import logging\n logging.getLogger('androguard.axml').setLevel(logging.ERROR)\n results = dict()\n for apk in apks:\n results[apk] = androguard.core.bytecodes.apk.get_apkid(apk)\n print(json.dumps(results, indent=2))\n", "role": "user" }, { "content": "apkid", "role": "assistant" } ]
def x(module_name, file_path): if sys.version_info >= (3, 5): import importlib.util spec = importlib.util.spec_from_file_location(module_name, file_path) if not spec: return module = importlib.util.module_from_spec(spec) spec.loader.exec_module(module) return module else: import imp mod = imp.load_source(module_name, file_path) return mod
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module_name, file_path):\n if sys.version_info >= (3, 5):\n import importlib.util\n spec = importlib.util.spec_from_file_location(module_name, file_path)\n if not spec:\n return\n module = importlib.util.module_from_spec(spec)\n spec.loader.exec_module(module)\n return module\n else:\n import imp\n mod = imp.load_source(module_name, file_path)\n return mod\n", "role": "user" }, { "content": "load_module", "role": "assistant" } ]
def x(self, msg): log.debug(msg) self.statusBar().showMessage(msg)
showStatus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n log.debug(msg)\n self.statusBar().showMessage(msg)\n", "role": "user" }, { "content": "showStatus", "role": "assistant" } ]
def x(self): filepath, _ = QtWidgets.QFileDialog.getSaveFileName(self, 'Save File', '', 'Androguard Session (*.ag)') if filepath: if not filepath.endswith('.ag'): filepath = '{}.ag'.format(filepath) self.showStatus('Saving %s...' % str(filepath)) self.saveSession(filepath) self.showStatus('Saved Session to %s!' % str(filepath))
saveFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n filepath, _ = QtWidgets.QFileDialog.getSaveFileName(self, 'Save File',\n '', 'Androguard Session (*.ag)')\n if filepath:\n if not filepath.endswith('.ag'):\n filepath = '{}.ag'.format(filepath)\n self.showStatus('Saving %s...' % str(filepath))\n self.saveSession(filepath)\n self.showStatus('Saved Session to %s!' % str(filepath))\n", "role": "user" }, { "content": "saveFile", "role": "assistant" } ]
def x(self, filepath): try: session_module.Save(self.session, filepath) except RuntimeError as e: log.exception(e) os.remove(filepath) log.warning('Session not saved')
saveSession
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filepath):\n try:\n session_module.Save(self.session, filepath)\n except RuntimeError as e:\n log.exception(e)\n os.remove(filepath)\n log.warning('Session not saved')\n", "role": "user" }, { "content": "saveSession", "role": "assistant" } ]
def x(self): if hasattr(self, 'tree'): del self.tree self.tree = QtWidgets.QTreeWidget(self) self.tree.header().close()
setupEmptyTree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if hasattr(self, 'tree'):\n del self.tree\n self.tree = QtWidgets.QTreeWidget(self)\n self.tree.header().close()\n", "role": "user" }, { "content": "setupEmptyTree", "role": "assistant" } ]
def x(self): self.dock = QtWidgets.QDockWidget('Classes', self) self.dock.setWidget(self.tree) self.dock.setFeatures(QtWidgets.QDockWidget.NoDockWidgetFeatures) self.addDockWidget(QtCore.Qt.LeftDockWidgetArea, self.dock)
setupDock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.dock = QtWidgets.QDockWidget('Classes', self)\n self.dock.setWidget(self.tree)\n self.dock.setFeatures(QtWidgets.QDockWidget.NoDockWidgetFeatures)\n self.addDockWidget(QtCore.Qt.LeftDockWidgetArea, self.dock)\n", "role": "user" }, { "content": "setupDock", "role": "assistant" } ]
def x(self): self.central = TabsWindow(self.bin_windows, self) self.setCentralWidget(self.central)
setupCentral
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.central = TabsWindow(self.bin_windows, self)\n self.setCentralWidget(self.central)\n", "role": "user" }, { "content": "setupCentral", "role": "assistant" } ]
def x(self, current_class, method=None): log.debug('openSourceWindow for %s' % current_class) sourcewin = self.getMeOpenedWindowIfExists(current_class.current_title + '(S)') if not sourcewin: current_filename = self.session.get_filename_by_class(current_class) current_digest = self.session.get_digest_by_class(current_class) sourcewin = SourceWindow(win=self, current_class=current_class, current_title=current_class.current_title + '(S)', current_filename=current_filename, current_digest= current_digest, session=self.session) sourcewin.reload_java_sources() self.central.addTab(sourcewin, sourcewin.title) self.central.setTabToolTip(self.central.indexOf(sourcewin), sourcewin.title) if method: sourcewin.browse_to_method(method) self.central.setCurrentWidget(sourcewin)
openSourceWindow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, current_class, method=None):\n log.debug('openSourceWindow for %s' % current_class)\n sourcewin = self.getMeOpenedWindowIfExists(current_class.current_title +\n '(S)')\n if not sourcewin:\n current_filename = self.session.get_filename_by_class(current_class)\n current_digest = self.session.get_digest_by_class(current_class)\n sourcewin = SourceWindow(win=self, current_class=current_class,\n current_title=current_class.current_title + '(S)',\n current_filename=current_filename, current_digest=\n current_digest, session=self.session)\n sourcewin.reload_java_sources()\n self.central.addTab(sourcewin, sourcewin.title)\n self.central.setTabToolTip(self.central.indexOf(sourcewin),\n sourcewin.title)\n if method:\n sourcewin.browse_to_method(method)\n self.central.setCurrentWidget(sourcewin)\n", "role": "user" }, { "content": "openSourceWindow", "role": "assistant" } ]
def x(n): if n == '': return '' is_array = '' if n.startswith('['): is_array = '[' n = n[1:] elif n.endswith('[]'): if n[:-2] in TYPE_DESCRIPTOR: return '[{}'.format(n[0]) else: n = n[:-2] is_array = '[' if n in R_TYPE_DESCRIPTOR: return '{}{}'.format(is_array, R_TYPE_DESCRIPTOR[n]) else: return '{}L{};'.format(is_array, n.replace('.', '/'))
name_to_androguard
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n):\n if n == '':\n return ''\n is_array = ''\n if n.startswith('['):\n is_array = '['\n n = n[1:]\n elif n.endswith('[]'):\n if n[:-2] in TYPE_DESCRIPTOR:\n return '[{}'.format(n[0])\n else:\n n = n[:-2]\n is_array = '['\n if n in R_TYPE_DESCRIPTOR:\n return '{}{}'.format(is_array, R_TYPE_DESCRIPTOR[n])\n else:\n return '{}L{};'.format(is_array, n.replace('.', '/'))\n", "role": "user" }, { "content": "name_to_androguard", "role": "assistant" } ]
def x(s): m = re.compile('^(.*)\\.(.*)\\((.*)\\)(.*) :: (.*)$') res = m.search(s) if res: clname, methodname, all_args, ret, perm = res.groups() args = ' '.join(map(name_to_androguard, all_args.split(','))) clname = name_to_androguard(clname) ret = name_to_androguard(ret) return '{}-{}-({}){}'.format(clname, methodname, args, ret ), perm.split(', ') else: raise ValueError('what?')
convert_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n m = re.compile('^(.*)\\\\.(.*)\\\\((.*)\\\\)(.*) :: (.*)$')\n res = m.search(s)\n if res:\n clname, methodname, all_args, ret, perm = res.groups()\n args = ' '.join(map(name_to_androguard, all_args.split(',')))\n clname = name_to_androguard(clname)\n ret = name_to_androguard(ret)\n return '{}-{}-({}){}'.format(clname, methodname, args, ret\n ), perm.split(', ')\n else:\n raise ValueError('what?')\n", "role": "user" }, { "content": "convert_name", "role": "assistant" } ]
def x(axplorerdir='libraries/axplorer', outfolder= 'androguard/core/api_specific_resources'): res = dict() for root, dirs, files in os.walk(os.path.join(axplorerdir, 'permissions')): for fi in files: if fi.startswith('cp-map-'): print('ignored {}'.format(fi)) continue elif fi.startswith('framework-map-') or fi.startswith('sdk-map-'): sdk_version = fi.rsplit('-', 1)[1][:-4] print('Found file:', fi, 'for API level:', sdk_version) if sdk_version not in res: res[sdk_version] = defaultdict(list) with open(os.path.join(root, fi), 'r') as f: for line in f.read().splitlines(): meth, perm = convert_name(line) for p in perm: res[sdk_version][meth].append(p) for api, v in res.items(): with open(os.path.join(outfolder, 'api_permission_mappings', 'permissions_{}.json'.format(api)), 'w') as fp: json.dump(v, fp, indent=' ') res = defaultdict(dict) XMLNS = '{http://schemas.android.com/apk/res/android}' re_api = re.compile('.*manifests[\\\\/]api-([0-9]+)') for root, dirs, files in os.walk(os.path.join(axplorerdir, 'manifests')): for fi in files: reres = re_api.match(root) if not reres: continue api = int(reres[1]) p = os.path.join(root, fi) with open(p, 'rb') as f: tree = etree.XML(f.read()) matches = tree.xpath('permission') def x(elem, attr): if XMLNS + attr in elem.attrib: return elem.attrib[XMLNS + attr] else: return '' for match in matches: name = match.attrib[XMLNS + 'name'] d = dict(permissionGroup=_get_attrib(match, 'permissionGroup'), description=_get_attrib(match, 'description'), protectionLevel=_get_attrib(match, 'protectionLevel'), label=_get_attrib(match, 'label')) if name in res[api]: print('Potential collision of permission in api {}: {}' .format(api, name)) res[api][name] = d for api, v in res.items(): print('Permissions for API: {}, found {} permissions'.format(api, len(v))) with open(os.path.join(outfolder, 'aosp_permissions', 'permissions_{}.json'.format(api)), 'w') as fp: json.dump(v, fp, indent=' ')
generate_mappings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(axplorerdir='libraries/axplorer', outfolder=\n 'androguard/core/api_specific_resources'):\n res = dict()\n for root, dirs, files in os.walk(os.path.join(axplorerdir, 'permissions')):\n for fi in files:\n if fi.startswith('cp-map-'):\n print('ignored {}'.format(fi))\n continue\n elif fi.startswith('framework-map-') or fi.startswith('sdk-map-'):\n sdk_version = fi.rsplit('-', 1)[1][:-4]\n print('Found file:', fi, 'for API level:', sdk_version)\n if sdk_version not in res:\n res[sdk_version] = defaultdict(list)\n with open(os.path.join(root, fi), 'r') as f:\n for line in f.read().splitlines():\n meth, perm = convert_name(line)\n for p in perm:\n res[sdk_version][meth].append(p)\n for api, v in res.items():\n with open(os.path.join(outfolder, 'api_permission_mappings',\n 'permissions_{}.json'.format(api)), 'w') as fp:\n json.dump(v, fp, indent=' ')\n res = defaultdict(dict)\n XMLNS = '{http://schemas.android.com/apk/res/android}'\n re_api = re.compile('.*manifests[\\\\\\\\/]api-([0-9]+)')\n for root, dirs, files in os.walk(os.path.join(axplorerdir, 'manifests')):\n for fi in files:\n reres = re_api.match(root)\n if not reres:\n continue\n api = int(reres[1])\n p = os.path.join(root, fi)\n with open(p, 'rb') as f:\n tree = etree.XML(f.read())\n matches = tree.xpath('permission')\n\n def x(elem, attr):\n if XMLNS + attr in elem.attrib:\n return elem.attrib[XMLNS + attr]\n else:\n return ''\n for match in matches:\n name = match.attrib[XMLNS + 'name']\n d = dict(permissionGroup=_get_attrib(match,\n 'permissionGroup'), description=_get_attrib(match,\n 'description'), protectionLevel=_get_attrib(match,\n 'protectionLevel'), label=_get_attrib(match, 'label'))\n if name in res[api]:\n print('Potential collision of permission in api {}: {}'\n .format(api, name))\n res[api][name] = d\n for api, v in res.items():\n print('Permissions for API: {}, found {} permissions'.format(api,\n len(v)))\n with open(os.path.join(outfolder, 'aosp_permissions',\n 'permissions_{}.json'.format(api)), 'w') as fp:\n json.dump(v, fp, indent=' ')\n", "role": "user" }, { "content": "generate_mappings", "role": "assistant" } ]
def x(self, class_name): for name, klass in self.classes.items(): if class_name in name: if isinstance(klass, DvClass): return klass dvclass = self.classes[name] = DvClass(klass, self.vma) return dvclass
get_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, class_name):\n for name, klass in self.classes.items():\n if class_name in name:\n if isinstance(klass, DvClass):\n return klass\n dvclass = self.classes[name] = DvClass(klass, self.vma)\n return dvclass\n", "role": "user" }, { "content": "get_class", "role": "assistant" } ]
def x(self): for name, klass in self.classes.items(): logger.debug('Processing class: %s', name) if isinstance(klass, DvClass): klass.process() else: dvclass = self.classes[name] = DvClass(klass, self.vma) dvclass.process()
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for name, klass in self.classes.items():\n logger.debug('Processing class: %s', name)\n if isinstance(klass, DvClass):\n klass.process()\n else:\n dvclass = self.classes[name] = DvClass(klass, self.vma)\n dvclass.process()\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self): for name, klass in sorted(self.classes.items()): logger.debug('Processing class: %s', name) if not isinstance(klass, DvClass): klass = DvClass(klass, self.vma) klass.process() klass.show_source()
process_and_show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for name, klass in sorted(self.classes.items()):\n logger.debug('Processing class: %s', name)\n if not isinstance(klass, DvClass):\n klass = DvClass(klass, self.vma)\n klass.process()\n klass.show_source()\n", "role": "user" }, { "content": "process_and_show", "role": "assistant" } ]
def x(self): ret = dict() for name, cls in sorted(self.classes.items()): logger.debug('Processing class: %s', name) if not isinstance(cls, DvClass): cls = DvClass(cls, self.vma) cls.process(doAST=True) ret[name] = cls.get_ast() return ret
get_ast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = dict()\n for name, cls in sorted(self.classes.items()):\n logger.debug('Processing class: %s', name)\n if not isinstance(cls, DvClass):\n cls = DvClass(cls, self.vma)\n cls.process(doAST=True)\n ret[name] = cls.get_ast()\n return ret\n", "role": "user" }, { "content": "get_ast", "role": "assistant" } ]
def x(): for i in CONF['COLORS']: if isinstance(CONF['COLORS'][i], dict): for j in CONF['COLORS'][i]: CONF['COLORS'][i][j] = Color.normal else: CONF['COLORS'][i] = Color.normal
disable_colors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n for i in CONF['COLORS']:\n if isinstance(CONF['COLORS'][i], dict):\n for j in CONF['COLORS'][i]:\n CONF['COLORS'][i][j] = Color.normal\n else:\n CONF['COLORS'][i] = Color.normal\n", "role": "user" }, { "content": "disable_colors", "role": "assistant" } ]
def x(): for i in CONF['COLORS']: if isinstance(CONF['COLORS'][i], dict): for j in CONF['COLORS'][i]: CONF['COLORS'][i][j] = '' else: CONF['COLORS'][i] = ''
remove_colors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n for i in CONF['COLORS']:\n if isinstance(CONF['COLORS'][i], dict):\n for j in CONF['COLORS'][i]:\n CONF['COLORS'][i][j] = ''\n else:\n CONF['COLORS'][i] = ''\n", "role": "user" }, { "content": "remove_colors", "role": "assistant" } ]
def x(raw): val = None if raw[0:2] == b'PK' and b'AndroidManifest.xml' in raw: val = 'APK' elif raw[0:3] == b'dex': val = 'DEX' elif raw[0:3] == b'dey': val = 'DEY' elif raw[0:4] == b'\x03\x00\x08\x00' or raw[0:4] == b'\x00\x00\x08\x00': val = 'AXML' elif raw[0:4] == b'\x02\x00\x0c\x00': val = 'ARSC' return val
is_android_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(raw):\n val = None\n if raw[0:2] == b'PK' and b'AndroidManifest.xml' in raw:\n val = 'APK'\n elif raw[0:3] == b'dex':\n val = 'DEX'\n elif raw[0:3] == b'dey':\n val = 'DEY'\n elif raw[0:4] == b'\\x03\\x00\\x08\\x00' or raw[0:4] == b'\\x00\\x00\\x08\\x00':\n val = 'AXML'\n elif raw[0:4] == b'\\x02\\x00\\x0c\\x00':\n val = 'ARSC'\n return val\n", "role": "user" }, { "content": "is_android_raw", "role": "assistant" } ]
def x(level=logging.INFO): logger = logging.getLogger() h = logging.StreamHandler(stream=sys.stderr) h.setFormatter(logging.Formatter(fmt= '[%(levelname)-8s] %(name)s: %(message)s')) logger.addHandler(h) logger.setLevel(level)
show_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level=logging.INFO):\n logger = logging.getLogger()\n h = logging.StreamHandler(stream=sys.stderr)\n h.setFormatter(logging.Formatter(fmt=\n '[%(levelname)-8s] %(name)s: %(message)s'))\n logger.addHandler(h)\n logger.setLevel(level)\n", "role": "user" }, { "content": "show_logging", "role": "assistant" } ]
def x(directory): for root, dirs, files in os.walk(directory, topdown=False): for name in files: os.remove(os.path.join(root, name)) for name in dirs: os.rmdir(os.path.join(root, name)) os.rmdir(directory)
rrmdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory):\n for root, dirs, files in os.walk(directory, topdown=False):\n for name in files:\n os.remove(os.path.join(root, name))\n for name in dirs:\n os.rmdir(os.path.join(root, name))\n os.rmdir(directory)\n", "role": "user" }, { "content": "rrmdir", "role": "assistant" } ]
def x(color): R = color[1:3] G = color[3:5] B = color[5:7] R = int(R, 16) G = int(G, 16) B = int(B, 16) return R, G, B
make_color_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color):\n R = color[1:3]\n G = color[3:5]\n B = color[5:7]\n R = int(R, 16)\n G = int(G, 16)\n B = int(B, 16)\n return R, G, B\n", "role": "user" }, { "content": "make_color_tuple", "role": "assistant" } ]
def x(startcolor, goalcolor, steps): start_tuple = make_color_tuple(startcolor) goal_tuple = make_color_tuple(goalcolor) return interpolate_tuple(start_tuple, goal_tuple, steps)
color_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(startcolor, goalcolor, steps):\n start_tuple = make_color_tuple(startcolor)\n goal_tuple = make_color_tuple(goalcolor)\n return interpolate_tuple(start_tuple, goal_tuple, steps)\n", "role": "user" }, { "content": "color_range", "role": "assistant" } ]
def x(resource_name, api=None): loader = dict(aosp_permissions=load_permissions, api_permission_mappings=load_permission_mappings) if resource_name not in loader: raise InvalidResourceError("Invalid Resource '{}', not in [{}]". format(resource_name, ', '.join(loader.keys()))) if not api: api = CONF['DEFAULT_API'] ret = loader[resource_name](api) if ret == {}: log.warning( 'API mapping for API level {} was not found! Returning default, which is API level {}' .format(api, CONF['DEFAULT_API'])) ret = loader[resource_name](CONF['DEFAULT_API']) return ret
load_api_specific_resource_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource_name, api=None):\n loader = dict(aosp_permissions=load_permissions,\n api_permission_mappings=load_permission_mappings)\n if resource_name not in loader:\n raise InvalidResourceError(\"Invalid Resource '{}', not in [{}]\".\n format(resource_name, ', '.join(loader.keys())))\n if not api:\n api = CONF['DEFAULT_API']\n ret = loader[resource_name](api)\n if ret == {}:\n log.warning(\n 'API mapping for API level {} was not found! Returning default, which is API level {}'\n .format(api, CONF['DEFAULT_API']))\n ret = loader[resource_name](CONF['DEFAULT_API'])\n return ret\n", "role": "user" }, { "content": "load_api_specific_resource_module", "role": "assistant" } ]
def x(self): qp = QtGui.QPainter() qp.begin(self.qpix) qp.fillRect(0, 0, self.width, self.height, self.backgroundBrush) qp.setPen(self.textPen) qp.setFont(self.font) cemu = ConsoleEmulator(qp, self.height // self.fontHeight, self.width // self.fontWidth) dword = self.dataModel.getDWORD(self.viewMode.getCursorAbsolutePosition (), asString=True) if dword is None: dword = '----' sd = 'DWORD: {}'.format(dword) pos = 'POS: {:08x}'.format(self.viewMode.getCursorAbsolutePosition()) qword = self.dataModel.getQWORD(self.viewMode.getCursorAbsolutePosition (), asString=True) if qword is None: qword = '----' sq = 'QWORD: {}'.format(qword) byte = self.dataModel.getBYTE(self.viewMode.getCursorAbsolutePosition(), asString=True) if byte is None: byte = '-' sb = 'BYTE: {}'.format(byte) cemu.writeAt(1, 0, pos) cemu.writeAt(17, 0, sd) cemu.writeAt(35, 0, sq) cemu.writeAt(62, 0, sb) qp.drawLine(15 * self.fontWidth + 5, 0, 15 * self.fontWidth + 5, 50) qp.drawLine(33 * self.fontWidth + 5, 0, 33 * self.fontWidth + 5, 50) qp.drawLine(59 * self.fontWidth + 5, 0, 59 * self.fontWidth + 5, 50) qp.drawLine(71 * self.fontWidth + 5, 0, 71 * self.fontWidth + 5, 50) if self.viewMode.selector.getCurrentSelection(): u, v = self.viewMode.selector.getCurrentSelection() if u != v: pen = QtGui.QPen(QtGui.QColor(51, 153, 255), 0, QtCore.Qt.SolidLine ) qp.setPen(pen) cemu.writeAt(73, 0, 'Selection: ') cemu.write('{:x}:{}'.format(u, v - u)) else: pen = QtGui.QPen(QtGui.QColor(128, 128, 128), 0, QtCore.Qt.SolidLine) qp.setPen(pen) cemu.writeAt(73, 0, '<no selection>') """ qp.drawLine(self.fontWidth*(len(pos) + 1) + 15, 0, self.fontWidth*(len(pos) + 1) + 15, 50) qp.drawLine(self.fontWidth*(len(pos + sd) + 1) + 3*15, 0, self.fontWidth*(len(pos + sd) + 1) + 3*15, 50) qp.drawLine(self.fontWidth*(len(pos + sd + sq) + 1) + 5*15, 0, self.fontWidth*(len(pos + sd + sq) + 1) + 5*15, 50) qp.drawLine(self.fontWidth*(len(pos + sd + sq + sb) + 1) + 8*15, 0, self.fontWidth*(len(pos + sd + sq + sb) + 1) + 8*15, 50) """ """ # position qp.drawText(0 + 5, self.fontHeight, pos) # separator qp.drawLine(120, 0, 120, 50) # dword qp.drawText(130 + 5, self.fontHeight, sd) # separator qp.drawLine(270, 0, 270, 50) # qword qp.drawText(280 + 5, self.fontHeight, sq) # separator qp.drawLine(480, 0, 480, 50) # byte qp.drawText(490 + 5, self.fontHeight, sb) # separator qp.drawLine(570, 0, 570, 50) """ qp.end() pass
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n qp = QtGui.QPainter()\n qp.begin(self.qpix)\n qp.fillRect(0, 0, self.width, self.height, self.backgroundBrush)\n qp.setPen(self.textPen)\n qp.setFont(self.font)\n cemu = ConsoleEmulator(qp, self.height // self.fontHeight, self.width //\n self.fontWidth)\n dword = self.dataModel.getDWORD(self.viewMode.getCursorAbsolutePosition\n (), asString=True)\n if dword is None:\n dword = '----'\n sd = 'DWORD: {}'.format(dword)\n pos = 'POS: {:08x}'.format(self.viewMode.getCursorAbsolutePosition())\n qword = self.dataModel.getQWORD(self.viewMode.getCursorAbsolutePosition\n (), asString=True)\n if qword is None:\n qword = '----'\n sq = 'QWORD: {}'.format(qword)\n byte = self.dataModel.getBYTE(self.viewMode.getCursorAbsolutePosition(),\n asString=True)\n if byte is None:\n byte = '-'\n sb = 'BYTE: {}'.format(byte)\n cemu.writeAt(1, 0, pos)\n cemu.writeAt(17, 0, sd)\n cemu.writeAt(35, 0, sq)\n cemu.writeAt(62, 0, sb)\n qp.drawLine(15 * self.fontWidth + 5, 0, 15 * self.fontWidth + 5, 50)\n qp.drawLine(33 * self.fontWidth + 5, 0, 33 * self.fontWidth + 5, 50)\n qp.drawLine(59 * self.fontWidth + 5, 0, 59 * self.fontWidth + 5, 50)\n qp.drawLine(71 * self.fontWidth + 5, 0, 71 * self.fontWidth + 5, 50)\n if self.viewMode.selector.getCurrentSelection():\n u, v = self.viewMode.selector.getCurrentSelection()\n if u != v:\n pen = QtGui.QPen(QtGui.QColor(51, 153, 255), 0, QtCore.Qt.SolidLine\n )\n qp.setPen(pen)\n cemu.writeAt(73, 0, 'Selection: ')\n cemu.write('{:x}:{}'.format(u, v - u))\n else:\n pen = QtGui.QPen(QtGui.QColor(128, 128, 128), 0, QtCore.Qt.SolidLine)\n qp.setPen(pen)\n cemu.writeAt(73, 0, '<no selection>')\n \"\"\"\n qp.drawLine(self.fontWidth*(len(pos) + 1) + 15, 0, self.fontWidth*(len(pos) + 1) + 15, 50)\n qp.drawLine(self.fontWidth*(len(pos + sd) + 1) + 3*15, 0, self.fontWidth*(len(pos + sd) + 1) + 3*15, 50)\n qp.drawLine(self.fontWidth*(len(pos + sd + sq) + 1) + 5*15, 0, self.fontWidth*(len(pos + sd + sq) + 1) + 5*15, 50)\n qp.drawLine(self.fontWidth*(len(pos + sd + sq + sb) + 1) + 8*15, 0, self.fontWidth*(len(pos + sd + sq + sb) + 1) + 8*15, 50)\n \"\"\"\n \"\"\"\n # position\n qp.drawText(0 + 5, self.fontHeight, pos)\n # separator\n qp.drawLine(120, 0, 120, 50)\n\n # dword\n qp.drawText(130 + 5, self.fontHeight, sd)\n # separator\n qp.drawLine(270, 0, 270, 50)\n\n # qword\n qp.drawText(280 + 5, self.fontHeight, sq)\n # separator\n qp.drawLine(480, 0, 480, 50)\n\n # byte\n qp.drawText(490 + 5, self.fontHeight, sb)\n # separator\n qp.drawLine(570, 0, 570, 50)\n \"\"\"\n qp.end()\n pass\n", "role": "user" }, { "content": "draw", "role": "assistant" } ]
def x(graph, loc, du, ud): ins = graph.get_ins_from_loc(loc) for var in ins.get_used_vars(): for def_loc in set(ud[var, loc]): du[var, def_loc].remove(loc) ud[var, loc].remove(def_loc) if not ud.get((var, loc)): ud.pop((var, loc)) if def_loc >= 0 and not du[var, def_loc]: du.pop((var, def_loc)) def_ins = graph.get_ins_from_loc(def_loc) if def_ins.is_call(): def_ins.remove_defined_var() elif def_ins.has_side_effect(): continue else: update_chain(graph, def_loc, du, ud) graph.remove_ins(def_loc)
update_chain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, loc, du, ud):\n ins = graph.get_ins_from_loc(loc)\n for var in ins.get_used_vars():\n for def_loc in set(ud[var, loc]):\n du[var, def_loc].remove(loc)\n ud[var, loc].remove(def_loc)\n if not ud.get((var, loc)):\n ud.pop((var, loc))\n if def_loc >= 0 and not du[var, def_loc]:\n du.pop((var, def_loc))\n def_ins = graph.get_ins_from_loc(def_loc)\n if def_ins.is_call():\n def_ins.remove_defined_var()\n elif def_ins.has_side_effect():\n continue\n else:\n update_chain(graph, def_loc, du, ud)\n graph.remove_ins(def_loc)\n", "role": "user" }, { "content": "update_chain", "role": "assistant" } ]
def x(graph, du, ud): for node in graph.rpo: for i, ins in node.get_loc_with_ins(): reg = ins.get_lhs() if reg is not None: if (reg, i) not in du: if ins.is_call(): ins.remove_defined_var() elif ins.has_side_effect(): continue else: update_chain(graph, i, du, ud) graph.remove_ins(i)
dead_code_elimination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, du, ud):\n for node in graph.rpo:\n for i, ins in node.get_loc_with_ins():\n reg = ins.get_lhs()\n if reg is not None:\n if (reg, i) not in du:\n if ins.is_call():\n ins.remove_defined_var()\n elif ins.has_side_effect():\n continue\n else:\n update_chain(graph, i, du, ud)\n graph.remove_ins(i)\n", "role": "user" }, { "content": "dead_code_elimination", "role": "assistant" } ]
def x(graph, reg, loc1, loc2): logger.debug('clear_path: reg(%s), loc1(%s), loc2(%s)', reg, loc1, loc2) node1 = graph.get_node_from_loc(loc1) node2 = graph.get_node_from_loc(loc2) if node1 is node2: return clear_path_node(graph, reg, loc1 + 1, loc2) if not clear_path_node(graph, reg, loc1 + 1, node1.ins_range[1]): return False path = build_path(graph, node1, node2) for node in path: locs = node.ins_range end_loc = loc2 if locs[0] <= loc2 <= locs[1] else locs[1] if not clear_path_node(graph, reg, locs[0], end_loc): return False return True
clear_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, reg, loc1, loc2):\n logger.debug('clear_path: reg(%s), loc1(%s), loc2(%s)', reg, loc1, loc2)\n node1 = graph.get_node_from_loc(loc1)\n node2 = graph.get_node_from_loc(loc2)\n if node1 is node2:\n return clear_path_node(graph, reg, loc1 + 1, loc2)\n if not clear_path_node(graph, reg, loc1 + 1, node1.ins_range[1]):\n return False\n path = build_path(graph, node1, node2)\n for node in path:\n locs = node.ins_range\n end_loc = loc2 if locs[0] <= loc2 <= locs[1] else locs[1]\n if not clear_path_node(graph, reg, locs[0], end_loc):\n return False\n return True\n", "role": "user" }, { "content": "clear_path", "role": "assistant" } ]
def x(graph, du, ud): change = True while change: change = False for node in graph.rpo: for i, ins in node.get_loc_with_ins(): logger.debug('Treating instruction %d: %s', i, ins) logger.debug(' Used vars: %s', ins.get_used_vars()) for var in ins.get_used_vars(): locs = ud[var, i] logger.debug(' var %s defined in lines %s', var, locs) if len(locs) != 1: continue loc = locs[0] if loc < 0: continue orig_ins = graph.get_ins_from_loc(loc) logger.debug(' -> %s', orig_ins) logger.debug(' -> DU(%s, %s) = %s', var, loc, du[ var, loc]) if not orig_ins.is_propagable(): logger.debug(' %s not propagable...', orig_ins) continue if not orig_ins.get_rhs().is_const(): if len(du[var, loc]) > 1: logger.debug( ' => variable has multiple uses and is not const => skip' ) continue safe = True orig_ins_used_vars = orig_ins.get_used_vars() logger.debug( ' variables used by the original instruction: %s' , orig_ins_used_vars) for var2 in orig_ins_used_vars: if not clear_path(graph, var2, loc, i): safe = False break if not safe: logger.debug('Propagation NOT SAFE') continue if orig_ins.has_side_effect(): if not clear_path(graph, None, loc, i): logger.debug( ' %s has side effect and the path is not clear !' , orig_ins) continue logger.debug(' => Modification of the instruction!') logger.debug(' - BEFORE: %s', ins) ins.replace(var, orig_ins.get_rhs()) logger.debug(' -> AFTER: %s', ins) logger.debug('\t UD(%s, %s) : %s', var, i, ud[var, i]) ud[var, i].remove(loc) logger.debug('\t -> %s', ud[var, i]) if len(ud[var, i]) == 0: ud.pop((var, i)) for var2 in orig_ins.get_used_vars(): old_ud = ud.get((var2, loc)) logger.debug('\t ud(%s, %s) = %s', var2, loc, old_ud) if old_ud is None: continue ud[var2, i].extend(old_ud) logger.debug('\t - ud(%s, %s) = %s', var2, i, ud[ var2, i]) ud.pop((var2, loc)) for def_loc in old_ud: du[var2, def_loc].remove(loc) du[var2, def_loc].append(i) new_du = du[var, loc] logger.debug('\t new_du(%s, %s): %s', var, loc, new_du) new_du.remove(i) logger.debug('\t -> %s', new_du) if not new_du: logger.debug('\t REMOVING INS %d', loc) du.pop((var, loc)) graph.remove_ins(loc) change = True
register_propagation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, du, ud):\n change = True\n while change:\n change = False\n for node in graph.rpo:\n for i, ins in node.get_loc_with_ins():\n logger.debug('Treating instruction %d: %s', i, ins)\n logger.debug(' Used vars: %s', ins.get_used_vars())\n for var in ins.get_used_vars():\n locs = ud[var, i]\n logger.debug(' var %s defined in lines %s', var, locs)\n if len(locs) != 1:\n continue\n loc = locs[0]\n if loc < 0:\n continue\n orig_ins = graph.get_ins_from_loc(loc)\n logger.debug(' -> %s', orig_ins)\n logger.debug(' -> DU(%s, %s) = %s', var, loc, du[\n var, loc])\n if not orig_ins.is_propagable():\n logger.debug(' %s not propagable...', orig_ins)\n continue\n if not orig_ins.get_rhs().is_const():\n if len(du[var, loc]) > 1:\n logger.debug(\n ' => variable has multiple uses and is not const => skip'\n )\n continue\n safe = True\n orig_ins_used_vars = orig_ins.get_used_vars()\n logger.debug(\n ' variables used by the original instruction: %s'\n , orig_ins_used_vars)\n for var2 in orig_ins_used_vars:\n if not clear_path(graph, var2, loc, i):\n safe = False\n break\n if not safe:\n logger.debug('Propagation NOT SAFE')\n continue\n if orig_ins.has_side_effect():\n if not clear_path(graph, None, loc, i):\n logger.debug(\n ' %s has side effect and the path is not clear !'\n , orig_ins)\n continue\n logger.debug(' => Modification of the instruction!')\n logger.debug(' - BEFORE: %s', ins)\n ins.replace(var, orig_ins.get_rhs())\n logger.debug(' -> AFTER: %s', ins)\n logger.debug('\\t UD(%s, %s) : %s', var, i, ud[var, i])\n ud[var, i].remove(loc)\n logger.debug('\\t -> %s', ud[var, i])\n if len(ud[var, i]) == 0:\n ud.pop((var, i))\n for var2 in orig_ins.get_used_vars():\n old_ud = ud.get((var2, loc))\n logger.debug('\\t ud(%s, %s) = %s', var2, loc, old_ud)\n if old_ud is None:\n continue\n ud[var2, i].extend(old_ud)\n logger.debug('\\t - ud(%s, %s) = %s', var2, i, ud[\n var2, i])\n ud.pop((var2, loc))\n for def_loc in old_ud:\n du[var2, def_loc].remove(loc)\n du[var2, def_loc].append(i)\n new_du = du[var, loc]\n logger.debug('\\t new_du(%s, %s): %s', var, loc, new_du)\n new_du.remove(i)\n logger.debug('\\t -> %s', new_du)\n if not new_du:\n logger.debug('\\t REMOVING INS %d', loc)\n du.pop((var, loc))\n graph.remove_ins(loc)\n change = True\n", "role": "user" }, { "content": "register_propagation", "role": "assistant" } ]
def x(graph, lparams): analysis = reach_def_analysis(graph, lparams) UD = defaultdict(list) for node in graph.rpo: for i, ins in node.get_loc_with_ins(): for var in ins.get_used_vars(): if var not in analysis.def_to_loc: continue ldefs = analysis.defs[node] prior_def = -1 for v in ldefs.get(var, set()): if prior_def < v < i: prior_def = v if prior_def >= 0: UD[var, i].append(prior_def) else: intersect = analysis.def_to_loc[var].intersection(analysis .R[node]) UD[var, i].extend(intersect) DU = defaultdict(list) for var_loc, defs_loc in UD.items(): var, loc = var_loc for def_loc in defs_loc: DU[var, def_loc].append(loc) return UD, DU
build_def_use
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, lparams):\n analysis = reach_def_analysis(graph, lparams)\n UD = defaultdict(list)\n for node in graph.rpo:\n for i, ins in node.get_loc_with_ins():\n for var in ins.get_used_vars():\n if var not in analysis.def_to_loc:\n continue\n ldefs = analysis.defs[node]\n prior_def = -1\n for v in ldefs.get(var, set()):\n if prior_def < v < i:\n prior_def = v\n if prior_def >= 0:\n UD[var, i].append(prior_def)\n else:\n intersect = analysis.def_to_loc[var].intersection(analysis\n .R[node])\n UD[var, i].extend(intersect)\n DU = defaultdict(list)\n for var_loc, defs_loc in UD.items():\n var, loc = var_loc\n for def_loc in defs_loc:\n DU[var, def_loc].append(loc)\n return UD, DU\n", "role": "user" }, { "content": "build_def_use", "role": "assistant" } ]
def x(graph): interval_graph = Graph() heads = [graph.entry] interv_heads = {} processed = {i: (False) for i in graph} edges = defaultdict(list) while heads: head = heads.pop(0) if not processed[head]: processed[head] = True interv_heads[head] = Interval(head) change = True while change: change = False for node in graph.rpo[1:]: if all(p in interv_heads[head] for p in graph.all_preds (node)): change |= interv_heads[head].add_node(node) for node in graph: if node not in interv_heads[head] and node not in heads: if any(p in interv_heads[head] for p in graph.all_preds (node)): edges[interv_heads[head]].append(node) assert node not in heads heads.append(node) interval_graph.add_node(interv_heads[head]) interv_heads[head].compute_end(graph) for interval, heads in edges.items(): for head in heads: interval_graph.add_edge(interval, interv_heads[head]) interval_graph.entry = graph.entry.interval if graph.exit: interval_graph.exit = graph.exit.interval return interval_graph, interv_heads
intervals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n interval_graph = Graph()\n heads = [graph.entry]\n interv_heads = {}\n processed = {i: (False) for i in graph}\n edges = defaultdict(list)\n while heads:\n head = heads.pop(0)\n if not processed[head]:\n processed[head] = True\n interv_heads[head] = Interval(head)\n change = True\n while change:\n change = False\n for node in graph.rpo[1:]:\n if all(p in interv_heads[head] for p in graph.all_preds\n (node)):\n change |= interv_heads[head].add_node(node)\n for node in graph:\n if node not in interv_heads[head] and node not in heads:\n if any(p in interv_heads[head] for p in graph.all_preds\n (node)):\n edges[interv_heads[head]].append(node)\n assert node not in heads\n heads.append(node)\n interval_graph.add_node(interv_heads[head])\n interv_heads[head].compute_end(graph)\n for interval, heads in edges.items():\n for head in heads:\n interval_graph.add_edge(interval, interv_heads[head])\n interval_graph.entry = graph.entry.interval\n if graph.exit:\n interval_graph.exit = graph.exit.interval\n return interval_graph, interv_heads\n", "role": "user" }, { "content": "intervals", "role": "assistant" } ]
def x(graph): deriv_seq = [graph] deriv_interv = [] single_node = False while not single_node: interv_graph, interv_heads = intervals(graph) deriv_interv.append(interv_heads) single_node = len(interv_graph) == 1 if not single_node: deriv_seq.append(interv_graph) graph = interv_graph graph.compute_rpo() return deriv_seq, deriv_interv
derived_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n deriv_seq = [graph]\n deriv_interv = []\n single_node = False\n while not single_node:\n interv_graph, interv_heads = intervals(graph)\n deriv_interv.append(interv_heads)\n single_node = len(interv_graph) == 1\n if not single_node:\n deriv_seq.append(interv_graph)\n graph = interv_graph\n graph.compute_rpo()\n return deriv_seq, deriv_interv\n", "role": "user" }, { "content": "derived_sequence", "role": "assistant" } ]
def x(self, _class): if not _class.get_name() in self.classes: return '' return self.classes[_class.get_name()]
get_source_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _class):\n if not _class.get_name() in self.classes:\n return ''\n return self.classes[_class.get_name()]\n", "role": "user" }, { "content": "get_source_class", "role": "assistant" } ]
def x(vm): for classe in vm.get_classes(): if is_ascii_problem(classe.get_name()): return True for method in classe.get_methods(): if is_ascii_problem(method.get_name()): return True return False
is_ascii_obfuscation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vm):\n for classe in vm.get_classes():\n if is_ascii_problem(classe.get_name()):\n return True\n for method in classe.get_methods():\n if is_ascii_problem(method.get_name()):\n return True\n return False\n", "role": "user" }, { "content": "is_ascii_obfuscation", "role": "assistant" } ]
def x(self): args, ret = self.method.get_descriptor()[1:].split(')') if self.code: args = args.split(' ') reg_len = self.code.get_registers_size() nb_args = len(args) start_reg = reg_len - nb_args args = ['{} v{}'.format(a, start_reg + i) for i, a in enumerate(args)] print('METHOD {} {} {} ({}){}'.format(self.method.get_class_name(), self.method.get_access_flags_string(), self.method.get_name(), ', ' .join(args), ret)) bytecode.PrettyShow(self, self.basic_blocks.gets(), self.method.notes)
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n args, ret = self.method.get_descriptor()[1:].split(')')\n if self.code:\n args = args.split(' ')\n reg_len = self.code.get_registers_size()\n nb_args = len(args)\n start_reg = reg_len - nb_args\n args = ['{} v{}'.format(a, start_reg + i) for i, a in enumerate(args)]\n print('METHOD {} {} {} ({}){}'.format(self.method.get_class_name(),\n self.method.get_access_flags_string(), self.method.get_name(), ', '\n .join(args), ret))\n bytecode.PrettyShow(self, self.basic_blocks.gets(), self.method.notes)\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(self): if not self.is_external(): return False api_candidates = ['Landroid/', 'Lcom/android/internal/util', 'Ldalvik/', 'Ljava/', 'Ljavax/', 'Lorg/apache/', 'Lorg/json/', 'Lorg/w3c/dom/', 'Lorg/xml/sax', 'Lorg/xmlpull/v1/', 'Ljunit/'] if self.apilist: return self.method.get_name() in self.apilist else: for candidate in api_candidates: if self.method.get_class_name().startswith(candidate): return True return False
is_android_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.is_external():\n return False\n api_candidates = ['Landroid/', 'Lcom/android/internal/util', 'Ldalvik/',\n 'Ljava/', 'Ljavax/', 'Lorg/apache/', 'Lorg/json/', 'Lorg/w3c/dom/',\n 'Lorg/xml/sax', 'Lorg/xmlpull/v1/', 'Ljunit/']\n if self.apilist:\n return self.method.get_name() in self.apilist\n else:\n for candidate in api_candidates:\n if self.method.get_class_name().startswith(candidate):\n return True\n return False\n", "role": "user" }, { "content": "is_android_api", "role": "assistant" } ]
def x(self, name, descriptor): warnings.warn( 'deprecated, use get_method instead. This function might be removed in a later release!' , DeprecationWarning) return self.get_method(name, descriptor)
GetMethod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, descriptor):\n warnings.warn(\n 'deprecated, use get_method instead. This function might be removed in a later release!'\n , DeprecationWarning)\n return self.get_method(name, descriptor)\n", "role": "user" }, { "content": "GetMethod", "role": "assistant" } ]
def x(self, name, descriptor): key = name + str(descriptor) if key not in self.methods: self.methods[key] = ExternalMethod(self.name, name, descriptor) return self.methods[key]
get_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, descriptor):\n key = name + str(descriptor)\n if key not in self.methods:\n self.methods[key] = ExternalMethod(self.name, name, descriptor)\n return self.methods[key]\n", "role": "user" }, { "content": "get_method", "role": "assistant" } ]
def x(self): api_candidates = ['Landroid/', 'Lcom/android/internal/util', 'Ldalvik/', 'Ljava/', 'Ljavax/', 'Lorg/apache/', 'Lorg/json/', 'Lorg/w3c/dom/', 'Lorg/xml/sax', 'Lorg/xmlpull/v1/', 'Ljunit/'] if not self.is_external(): return False if self.apilist: return self.orig_class.get_name() in self.apilist else: for candidate in api_candidates: if self.orig_class.get_name().startswith(candidate): return True return False
is_android_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n api_candidates = ['Landroid/', 'Lcom/android/internal/util', 'Ldalvik/',\n 'Ljava/', 'Ljavax/', 'Lorg/apache/', 'Lorg/json/', 'Lorg/w3c/dom/',\n 'Lorg/xml/sax', 'Lorg/xmlpull/v1/', 'Ljunit/']\n if not self.is_external():\n return False\n if self.apilist:\n return self.orig_class.get_name() in self.apilist\n else:\n for candidate in api_candidates:\n if self.orig_class.get_name().startswith(candidate):\n return True\n return False\n", "role": "user" }, { "content": "is_android_api", "role": "assistant" } ]
def x(self, name, descriptor): if self.external: return self.orig_class.get_method(name, descriptor) key = name + str(descriptor) if key not in self._inherits_methods: self._inherits_methods[key] = ExternalMethod(self.orig_class. get_name(), name, descriptor) return self._inherits_methods[key]
get_fake_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, descriptor):\n if self.external:\n return self.orig_class.get_method(name, descriptor)\n key = name + str(descriptor)\n if key not in self._inherits_methods:\n self._inherits_methods[key] = ExternalMethod(self.orig_class.\n get_name(), name, descriptor)\n return self._inherits_methods[key]\n", "role": "user" }, { "content": "get_fake_method", "role": "assistant" } ]
def x(self, method, classobj, field): if field not in self._fields: self._fields[field] = FieldClassAnalysis(field) self._fields[field].AddXrefRead(classobj, method)
AddFXrefRead
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, classobj, field):\n if field not in self._fields:\n self._fields[field] = FieldClassAnalysis(field)\n self._fields[field].AddXrefRead(classobj, method)\n", "role": "user" }, { "content": "AddFXrefRead", "role": "assistant" } ]
def x(self, method, classobj, field): if field not in self._fields: self._fields[field] = FieldClassAnalysis(field) self._fields[field].AddXrefWrite(classobj, method)
AddFXrefWrite
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, classobj, field):\n if field not in self._fields:\n self._fields[field] = FieldClassAnalysis(field)\n self._fields[field].AddXrefWrite(classobj, method)\n", "role": "user" }, { "content": "AddFXrefWrite", "role": "assistant" } ]
def x(self, ref_kind, classobj, methodobj, offset): self.xrefto[classobj].add((ref_kind, methodobj, offset))
AddXrefTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ref_kind, classobj, methodobj, offset):\n self.xrefto[classobj].add((ref_kind, methodobj, offset))\n", "role": "user" }, { "content": "AddXrefTo", "role": "assistant" } ]
def x(self, ref_kind, classobj, methodobj, offset): self.xreffrom[classobj].add((ref_kind, methodobj, offset))
AddXrefFrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ref_kind, classobj, methodobj, offset):\n self.xreffrom[classobj].add((ref_kind, methodobj, offset))\n", "role": "user" }, { "content": "AddXrefFrom", "role": "assistant" } ]
def x(self, vm): self.vms.append(vm) for current_class in vm.get_classes(): self.classes[current_class.get_name()] = ClassAnalysis(current_class) for method in vm.get_methods(): self.methods[method] = MethodAnalysis(vm, method)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vm):\n self.vms.append(vm)\n for current_class in vm.get_classes():\n self.classes[current_class.get_name()] = ClassAnalysis(current_class)\n for method in vm.get_methods():\n self.methods[method] = MethodAnalysis(vm, method)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self): log.debug('Creating Crossreferences (XREF)') tic = time.time() for c in self._get_all_classes(): self._create_xref(c) log.info('End of creating cross references (XREF)') log.info('run time: {:0d}min {:02d}s'.format(*divmod(int(time.time() - tic), 60)))
create_xref
[ { "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('Creating Crossreferences (XREF)')\n tic = time.time()\n for c in self._get_all_classes():\n self._create_xref(c)\n log.info('End of creating cross references (XREF)')\n log.info('run time: {:0d}min {:02d}s'.format(*divmod(int(time.time() -\n tic), 60)))\n", "role": "user" }, { "content": "create_xref", "role": "assistant" } ]
def x(self, current_class): cur_cls_name = current_class.get_name() log.debug('Creating XREF/DREF for %s' % cur_cls_name) for current_method in current_class.get_methods(): log.debug('Creating XREF for %s' % current_method) off = 0 for instruction in current_method.get_instructions(): op_value = instruction.get_op_value() if op_value in [28, 34]: idx_type = instruction.get_ref_kind() type_info = instruction.cm.vm.get_cm_type(idx_type) if type_info != cur_cls_name: if type_info not in self.classes: self.classes[type_info] = ClassAnalysis(ExternalClass (type_info)) cur_cls = self.classes[cur_cls_name] oth_cls = self.classes[type_info] cur_cls.AddXrefTo(REF_TYPE(op_value), oth_cls, current_method, off) oth_cls.AddXrefFrom(REF_TYPE(op_value), cur_cls, current_method, off) elif 110 <= op_value <= 114 or 116 <= op_value <= 120: idx_meth = instruction.get_ref_kind() method_info = instruction.cm.vm.get_cm_method(idx_meth) if method_info: class_info = method_info[0] method_item = None for vm in self.vms: method_item = vm.get_method_descriptor(method_info[ 0], method_info[1], ''.join(method_info[2])) if method_item: break if not method_item: if method_info[0] not in self.classes: self.classes[method_info[0]] = ClassAnalysis( ExternalClass(method_info[0])) method_item = self.classes[method_info[0] ].get_fake_method(method_info[1], method_info[2]) self.classes[cur_cls_name].AddMXrefTo(current_method, self.classes[class_info], method_item, off) self.classes[class_info].AddMXrefFrom(method_item, self .classes[cur_cls_name], current_method, off) if (class_info in self.classes and class_info != cur_cls_name): self.classes[cur_cls_name].AddXrefTo(REF_TYPE( op_value), self.classes[class_info], method_item, off) self.classes[class_info].AddXrefFrom(REF_TYPE( op_value), self.classes[cur_cls_name], current_method, off) elif 26 <= op_value <= 27: string_value = instruction.cm.vm.get_cm_string(instruction. get_ref_kind()) if string_value not in self.strings: self.strings[string_value] = StringAnalysis(string_value) self.strings[string_value].AddXrefFrom(self.classes[ cur_cls_name], current_method) elif 82 <= op_value <= 109: idx_field = instruction.get_ref_kind() field_info = instruction.cm.vm.get_cm_field(idx_field) field_item = instruction.cm.vm.get_field_descriptor(field_info [0], field_info[2], field_info[1]) if field_item: if 82 <= op_value <= 88 or 96 <= op_value <= 102: self.classes[cur_cls_name].AddFXrefRead(current_method, self.classes[cur_cls_name], field_item) else: self.classes[cur_cls_name].AddFXrefWrite(current_method , self.classes[cur_cls_name], field_item) off += instruction.get_length()
create_xref
[ { "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 cur_cls_name = current_class.get_name()\n log.debug('Creating XREF/DREF for %s' % cur_cls_name)\n for current_method in current_class.get_methods():\n log.debug('Creating XREF for %s' % current_method)\n off = 0\n for instruction in current_method.get_instructions():\n op_value = instruction.get_op_value()\n if op_value in [28, 34]:\n idx_type = instruction.get_ref_kind()\n type_info = instruction.cm.vm.get_cm_type(idx_type)\n if type_info != cur_cls_name:\n if type_info not in self.classes:\n self.classes[type_info] = ClassAnalysis(ExternalClass\n (type_info))\n cur_cls = self.classes[cur_cls_name]\n oth_cls = self.classes[type_info]\n cur_cls.AddXrefTo(REF_TYPE(op_value), oth_cls,\n current_method, off)\n oth_cls.AddXrefFrom(REF_TYPE(op_value), cur_cls,\n current_method, off)\n elif 110 <= op_value <= 114 or 116 <= op_value <= 120:\n idx_meth = instruction.get_ref_kind()\n method_info = instruction.cm.vm.get_cm_method(idx_meth)\n if method_info:\n class_info = method_info[0]\n method_item = None\n for vm in self.vms:\n method_item = vm.get_method_descriptor(method_info[\n 0], method_info[1], ''.join(method_info[2]))\n if method_item:\n break\n if not method_item:\n if method_info[0] not in self.classes:\n self.classes[method_info[0]] = ClassAnalysis(\n ExternalClass(method_info[0]))\n method_item = self.classes[method_info[0]\n ].get_fake_method(method_info[1], method_info[2])\n self.classes[cur_cls_name].AddMXrefTo(current_method,\n self.classes[class_info], method_item, off)\n self.classes[class_info].AddMXrefFrom(method_item, self\n .classes[cur_cls_name], current_method, off)\n if (class_info in self.classes and class_info !=\n cur_cls_name):\n self.classes[cur_cls_name].AddXrefTo(REF_TYPE(\n op_value), self.classes[class_info],\n method_item, off)\n self.classes[class_info].AddXrefFrom(REF_TYPE(\n op_value), self.classes[cur_cls_name],\n current_method, off)\n elif 26 <= op_value <= 27:\n string_value = instruction.cm.vm.get_cm_string(instruction.\n get_ref_kind())\n if string_value not in self.strings:\n self.strings[string_value] = StringAnalysis(string_value)\n self.strings[string_value].AddXrefFrom(self.classes[\n cur_cls_name], current_method)\n elif 82 <= op_value <= 109:\n idx_field = instruction.get_ref_kind()\n field_info = instruction.cm.vm.get_cm_field(idx_field)\n field_item = instruction.cm.vm.get_field_descriptor(field_info\n [0], field_info[2], field_info[1])\n if field_item:\n if 82 <= op_value <= 88 or 96 <= op_value <= 102:\n self.classes[cur_cls_name].AddFXrefRead(current_method,\n self.classes[cur_cls_name], field_item)\n else:\n self.classes[cur_cls_name].AddFXrefWrite(current_method\n , self.classes[cur_cls_name], field_item)\n off += instruction.get_length()\n", "role": "user" }, { "content": "create_xref", "role": "assistant" } ]
def x(self, class_name, method_name, method_descriptor): if class_name in self.classes: for method in self.classes[class_name].get_vm_class().get_methods(): if method.get_name() == method_name and method.get_descriptor( ) == method_descriptor: return method return None
get_method_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, class_name, method_name, method_descriptor):\n if class_name in self.classes:\n for method in self.classes[class_name].get_vm_class().get_methods():\n if method.get_name() == method_name and method.get_descriptor(\n ) == method_descriptor:\n return method\n return None\n", "role": "user" }, { "content": "get_method_by_name", "role": "assistant" } ]
def x(self, method): class_analysis = self.get_class_analysis(method.get_class_name()) if class_analysis: return class_analysis.get_method_analysis(method) return None
get_method_analysis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method):\n class_analysis = self.get_class_analysis(method.get_class_name())\n if class_analysis:\n return class_analysis.get_method_analysis(method)\n return None\n", "role": "user" }, { "content": "get_method_analysis", "role": "assistant" } ]
def x(self, class_name, method_name, method_descriptor): method = self.get_method_by_name(class_name, method_name, method_descriptor ) if method: return self.get_method_analysis(method) return None
get_method_analysis_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, class_name, method_name, method_descriptor):\n method = self.get_method_by_name(class_name, method_name, method_descriptor\n )\n if method:\n return self.get_method_analysis(method)\n return None\n", "role": "user" }, { "content": "get_method_analysis_by_name", "role": "assistant" } ]
def x(self, field): class_analysis = self.get_class_analysis(field.get_class_name()) if class_analysis: return class_analysis.get_field_analysis(field) return None
get_field_analysis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field):\n class_analysis = self.get_class_analysis(field.get_class_name())\n if class_analysis:\n return class_analysis.get_field_analysis(field)\n return None\n", "role": "user" }, { "content": "get_field_analysis", "role": "assistant" } ]
def x(self): for c in self.classes.values(): for m in c.get_methods(): yield m
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 for c in self.classes.values():\n for m in c.get_methods():\n yield m\n", "role": "user" }, { "content": "get_methods", "role": "assistant" } ]
def x(self): for c in self.classes.values(): for f in c.get_fields(): yield f
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 for c in self.classes.values():\n for f in c.get_fields():\n yield f\n", "role": "user" }, { "content": "get_fields", "role": "assistant" } ]
def x(self, name='.*', no_external=False): for cname, c in self.classes.items(): if no_external and isinstance(c.get_vm_class(), ExternalClass): continue if re.match(name, cname): yield c
find_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name='.*', no_external=False):\n for cname, c in self.classes.items():\n if no_external and isinstance(c.get_vm_class(), ExternalClass):\n continue\n if re.match(name, cname):\n yield c\n", "role": "user" }, { "content": "find_classes", "role": "assistant" } ]
def x(self, classname='.*', methodname='.*', descriptor='.*', accessflags= '.*', no_external=False): for cname, c in self.classes.items(): if re.match(classname, cname): for m in c.get_methods(): z = m.get_method() if no_external and isinstance(z, ExternalMethod): continue if re.match(methodname, z.get_name()) and re.match(descriptor, z.get_descriptor()) and re.match(accessflags, z. get_access_flags_string()): yield m
find_methods
[ { "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_external=False):\n for cname, c in self.classes.items():\n if re.match(classname, cname):\n for m in c.get_methods():\n z = m.get_method()\n if no_external and isinstance(z, ExternalMethod):\n continue\n if re.match(methodname, z.get_name()) and re.match(descriptor,\n z.get_descriptor()) and re.match(accessflags, z.\n get_access_flags_string()):\n yield m\n", "role": "user" }, { "content": "find_methods", "role": "assistant" } ]