File size: 17,855 Bytes
36cbb94 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 | import dis
from typing import List, Tuple, Union, Optional, Callable, Any, Dict, Set
from types import CodeType
import ast
import astor
from collections import defaultdict
import dataclasses
import sys
import hashlib
py311 = sys.version_info >= (3, 11)
all_jump_opcode_set = set(dis.hasjabs) | set(dis.hasjrel)
@dataclasses.dataclass
class Instruction:
"""A mutable version of dis.Instruction"""
opcode: int
opname: str
arg: Optional[int]
argval: Any
argrepr: str
offset: Optional[int] = None
starts_line: Optional[int] = None
is_jump_target: bool = False
def __hash__(self):
return id(self)
def __eq__(self, other):
return id(self) == id(other)
def short_inst_repr(self):
return f"Instruction(opname={self.opname}, offset={self.offset})"
def is_jump(self):
return self.opcode in all_jump_opcode_set
def get_jump_target(self: "Instruction"):
if self.is_jump() and "to " in self.argrepr:
return int(self.argrepr.replace("to ", "").strip())
# seems like a bug, "FOR_ITER" is in `dis.hasjrel`, but its `argval` is
# an absolute offset
if self.opcode in dis.hasjabs:
return self.argval
elif self.opcode in dis.hasjrel:
return self.offset + self.argval if not py311 else self.argval
else:
raise ValueError(
f"Instruction {self.opname} does not have jump target")
def convert_instruction(i: dis.Instruction) -> Instruction:
return Instruction(
i.opcode,
i.opname,
i.arg,
i.argval,
i.argrepr,
i.offset,
i.starts_line,
i.is_jump_target,
)
def nop_instruction(inst: Instruction):
"""Inplace modify an instruction as nop."""
inst.opname = "NOP"
inst.opcode = dis.opmap["NOP"]
inst.arg = 0
inst.argval = 0
inst.argrepr = ""
inst.offset
inst.starts_line
inst.is_jump_target = False
return inst
def propagate_line_nums(instructions: List[Instruction]):
"""Ensure every instruction has line number set in case some are removed"""
cur_line_no = None
def populate_line_num(inst):
nonlocal cur_line_no
if inst.starts_line:
cur_line_no = inst.starts_line
inst.starts_line = cur_line_no
for inst in instructions:
populate_line_num(inst)
# ======= begin code borrowed from pytorch/torch/_dynamo/bytecode_transformation.py ===========
@dataclasses.dataclass
class ExceptionTableEntry:
start: int
end: int
target: int
depth: int
lasti: bool
def decode_exception_table_varint(bytes_iter) -> int:
"""
Inverse of `encode_exception_table_varint`.
"""
b = next(bytes_iter)
val = b & 63
while b & 64:
val <<= 6
b = next(bytes_iter)
val |= b & 63
return val
def check_exception_table(tab: List[ExceptionTableEntry]) -> None:
"""
Verifies that a list of ExceptionTableEntries will make a well-formed
jump table: entries are non-empty, sorted, and do not overlap.
"""
for i in range(len(tab) - 1):
assert (
tab[i].start <= tab[i].end
and tab[i].end < tab[i + 1].start
and tab[i + 1].start <= tab[i + 1].end
)
def parse_exception_table(exntab) -> List[ExceptionTableEntry]:
"""
Parse the exception table according to
https://github.com/python/cpython/blob/3.11/Objects/exception_handling_notes.txt
"""
exntab_iter = iter(exntab)
tab = []
try:
while True:
start = decode_exception_table_varint(exntab_iter) * 2
length = decode_exception_table_varint(exntab_iter) * 2
end = start + length - 2
target = decode_exception_table_varint(exntab_iter) * 2
dl = decode_exception_table_varint(exntab_iter)
depth = dl >> 1
lasti = bool(dl & 1)
tab.append(ExceptionTableEntry(start, end, target, depth, lasti))
except StopIteration:
check_exception_table(tab)
return tab
# ======= end code borrowed from pytorch/torch/_dynamo/bytecode_transformation.py ===========
def simplify_finally_statement(instructions: List[Instruction]):
"""Simplify finally statement.
3.10 finally statement:
SETUP_FINALLY
body
POP_BLOCK
finally code
Exception code
RERAISE
"""
for i, inst in enumerate(instructions):
if inst.opname == "SETUP_FINALLY":
finally_target = inst.get_jump_target()
reraise_idx = [j for j, _inst in enumerate(
instructions) if _inst.offset >= finally_target and _inst.opname == "RERAISE"]
if reraise_idx:
reraise_index = reraise_idx[0]
for j, _inst in enumerate(instructions):
if _inst.offset >= finally_target and j <= reraise_index:
nop_instruction(_inst)
def nop_unreachable_bytecode(code,
instructions: List[dis.Instruction]) -> List[dis.Instruction]:
"""Mark unreachable bytecode as NOP."""
jumps = set(dis.hasjabs) | set(dis.hasjrel)
exception_targets = {}
if py311:
tab = parse_exception_table(code.co_exceptiontable)
exception_targets = {entry.target: entry for entry in tab}
# difference bwteween `i in deadcode_positions` and `reachable[i] == False`:
# `i in deadcode_positions` means that the instruction is not reachable, defnitely a NOP
# `reachable[i] == False` means that the instruction is not reachable currently, but it might be reachable later when we iterate through the instructions
reachable = [False for x in instructions]
deadcode_positions = set()
reachable[0] = True
# each instruction marks the instruction after it
for i, inst in enumerate(instructions):
if inst.is_jump_target or inst.offset in exception_targets:
# the instruction is the target of a jump
reachable[i] = True
# the last instruction does not need to mark any following instructions
if i == len(instructions) - 1:
break
# this instruction is not reachable, nothing to do
if not reachable[i]:
continue
# this instruction is reachable
# the following instruction is reachable if it is sequential op or
# conditional jump
if inst.opname in ["RETURN_VALUE", "BREAK_LOOP"]:
# the instruction after the return is unreachable
pass
elif inst.opcode in jumps:
if inst.opcode in dis.hasjrel and inst.get_jump_target() == inst.offset:
# this is a jump to itself, it is regarded as a NOP, per the documentation at
# https://devguide.python.org/internals/interpreter/#jumps
reachable[i] = False
reachable[i + 1] = True
continue
if "IF" in inst.opname or "FOR_ITER" in inst.opname or "SETUP_LOOP" in inst.opname:
# the fallback block is always reachable for conditional jumps
reachable[i + 1] = True
elif inst.opname in ["SETUP_FINALLY", "SETUP_WITH", "BEFORE_WITH"]:
# the with/finally block is always reachable
reachable[i + 1] = True
else:
# this is a direct jump, the target is reachable
# we further check if any outside instructions jump into in-between instructions
# if not, we can mark this instruction as unreachable, too
# later, in-between instructions will be marked as unreachable (NOP)
# and the interpreter will slide through all the NOP directly
# to the target
jump_forwards = [j for j, instruct in enumerate(
instructions) if instruct.offset >= inst.get_jump_target()]
if len(jump_forwards):
j = jump_forwards[0]
if j > i:
smallest_jump_in = j
has_jump_in = False
for ii, inst_ii in enumerate(instructions[i: j]):
# in python 3.11 exception table
# exception target indicates a jump target from many instructions
# and therefore it is treated as a jump-in
if inst_ii.offset in exception_targets:
has_jump_in = True
smallest_jump_in = min(
smallest_jump_in, ii)
for ii, inst_ii in enumerate(instructions):
try:
jump_location = inst_ii.get_jump_target()
if (ii < i or ii > j) and (jump_location >= inst.offset and jump_location < instructions[j].offset):
has_jump_in = True
smallest_jump_in = min(
smallest_jump_in, ii)
except Exception:
pass
if not has_jump_in:
reachable[i] = False
for _ in range(i, smallest_jump_in):
deadcode_positions.add(_)
else:
reachable[i + 1] = True
for i in deadcode_positions:
reachable[i] = False
# mark unreachable instructions as NOP
for inst, flag in zip(instructions, reachable):
if not flag:
nop_instruction(inst)
def add_indentation(code: str, indentation: int = 4) -> str:
"""Add indentation to code."""
return "".join(
" " *
indentation +
line +
"\n" for line in code.splitlines())
def remove_indentation(code: str, indentation: int = 4) -> str:
"""Remove indentation from code."""
return "".join(line[indentation:] + "\n" for line in code.splitlines())
class RemoveAssignmentTransformer(ast.NodeTransformer):
def __init__(self,
temp_name: str,
temp_occurrences: Dict[str,
List[ast.Name]]):
# optimize one temp_name at a time
self.temp_name = temp_name
self.temp_occurrences = temp_occurrences
def visit_Assign(self, node):
# single assimngment like `temp = xxx`
if len(node.targets) == 1 and isinstance(node.targets[0], ast.Name):
name = node.targets[0].id
# the assignment is like `temp = xxx`
if name == self.temp_name:
if len(self.temp_occurrences[name]) == 1:
return ast.Expr(value=node.value)
elif len(self.temp_occurrences[name]) == 3 and isinstance(self.temp_occurrences[name][-1], bool):
# we save the `xxx` here
self.temp_occurrences[name].append(node.value)
if self.temp_occurrences[name][-2]:
return None
return node
class RemoveAssignment2Transformer(ast.NodeTransformer):
def __init__(self,
temp_name: str,
temp_occurrences: Dict[str,
List[ast.Name]]):
# optimize one temp_name at a time
self.temp_name = temp_name
self.temp_occurrences = temp_occurrences
def visit_Name(self, node):
name = node.id
if name == self.temp_name and len(self.temp_occurrences[name]) == 4 and isinstance(
self.temp_occurrences[name][-2], bool):
if self.temp_occurrences[name][-2]:
return self.temp_occurrences[name][-1]
return node
def get_parents(node):
"""Collect all parent nodes of a given node."""
parents = []
while node:
parents.append(node)
node = getattr(node, "parent", None)
return parents
def set_parents(node, parent=None):
"""Recursively set the parent attribute for each node."""
for child in ast.iter_child_nodes(node):
child.parent = parent
set_parents(child, child)
def lowest_common_parent(node1, node2):
"""Get the lowest common parent for two nodes."""
parents1 = get_parents(node1)
parents2 = get_parents(node2)
# Reverse the parents list to start comparing from the root.
parents1.reverse()
parents2.reverse()
last_common = None
for p1, p2 in zip(parents1, parents2):
if p1 is p2:
last_common = p1
else:
break
return last_common, p1, p2
def remove_some_temp(
source_code: str,
temp_prefix: str,
indentation: int = 4) -> str:
tree = ast.parse(source_code)
set_parents(tree)
temp_occurrences = defaultdict(list)
for node in ast.walk(tree):
if isinstance(node, ast.Name) and node.id.startswith(temp_prefix):
temp_occurrences[node.id].append(node)
for key in temp_occurrences:
if len(temp_occurrences[key]) == 2:
node1 = temp_occurrences[key][0]
node2 = temp_occurrences[key][1]
parent, parent1, parent2 = lowest_common_parent(node1, node2)
assignment_node = node1 if isinstance(
node1.parent, ast.Assign) else node2
assignment_parent = parent1 if isinstance(
node1.parent, ast.Assign) else parent2
indentation_nodes = (
ast.FunctionDef,
ast.AsyncFunctionDef,
ast.For,
ast.AsyncFor,
ast.While,
ast.If,
ast.Try,
ast.With,
ast.AsyncWith,
ast.ClassDef)
# we cannot remove the assignment if the assignment `temp=xxx` is
# in an indentation block while the usage of `temp` is not
can_merge = not isinstance(assignment_parent, indentation_nodes)
temp_occurrences[key].append(can_merge)
tree = RemoveAssignmentTransformer(key, temp_occurrences).visit(tree)
tree = RemoveAssignment2Transformer(key, temp_occurrences).visit(tree)
reconstructed_code = astor.to_source(tree, indent_with=" " * indentation)
return reconstructed_code
class IdentifierReplacer(ast.NodeTransformer):
# def visit_Name(self, node):
# return ast.copy_location(ast.Name(id='PLACEHOLDER', ctx=node.ctx), node)
def visit_FunctionDef(self, node):
node.name = 'PLACEHOLDER'
return self.generic_visit(node)
# def visit_AsyncFunctionDef(self, node):
# node.name = 'PLACEHOLDER'
# return self.generic_visit(node)
# def visit_ClassDef(self, node):
# node.name = 'PLACEHOLDER'
# return self.generic_visit(node)
# def visit_Attribute(self, node):
# node.attr = 'PLACEHOLDER'
# return self.generic_visit(node)
def fix_irregular_code(
old_bytecode: CodeType,
src_code: str,
add_local_variables: Optional[List[str]]=None,
add_cellvars: Optional[List[str]]=None,
) -> str:
function_name = src_code.split("(")[0].split()[-1]
new_code = src_code
if add_local_variables is not None or add_cellvars is not None:
lines = src_code.splitlines()
header = lines[0]
body = lines[1:]
headers = [header]
if add_local_variables:
added_line = "; ".join(f"{x} = None" for x in add_local_variables)
added_line = " " + added_line + " # this line helps Python to generate bytecode with at least the same number of local variables as the original function\n"
headers.append(added_line)
if add_cellvars:
added_line = "return " + ", ".join(x for x in add_cellvars)
added_line = (
" def __helper_for_cellvars():\n"
" # this function helps Python to generate bytecode with at least the same number of cellvars as the original function\n"
) + " " + added_line
headers.append(added_line)
new_code = "".join([x + "\n" for x in headers + body])
freevars = old_bytecode.co_freevars
if freevars:
tmp_code = (
"def __helper_outer_function():\n"
" # this is a helper function to help compilers generate bytecode to read capture variables from closures, rather than reading values from global scope. The value of these variables does not matter, and will be determined in runtime.\n"
)
for freevar in freevars:
tmp_code += f" {freevar} = None\n"
tmp_code += add_indentation(new_code, 4)
new_code = tmp_code
# make sure the new bytecode has at least the same number of local variables as the original bytecode
# this seems to fix the test failure in https://github.com/thuml/depyf/actions/runs/7004325219/job/19051829613 , and might be related with the discussion in https://github.com/pytorch/pytorch/pull/111883
compiled_code = compile(new_code, "noname", "exec")
from .utils import collect_all_code_objects
code_objects = collect_all_code_objects(compiled_code)
target_code = [x for x in code_objects if x.co_name == function_name][0]
missing_local_variables = set(old_bytecode.co_varnames) - set(target_code.co_varnames)
missing_cellvars = set(old_bytecode.co_cellvars) - set(target_code.co_cellvars)
if missing_local_variables or missing_cellvars:
return fix_irregular_code(
old_bytecode, src_code,
add_local_variables=sorted(list(missing_local_variables)),
add_cellvars=sorted(list(missing_cellvars)))
return new_code
|