pyassem.py 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763
  1. """A flow graph representation for Python bytecode"""
  2. import dis
  3. import types
  4. import sys
  5. from compiler import misc
  6. from compiler.consts \
  7. import CO_OPTIMIZED, CO_NEWLOCALS, CO_VARARGS, CO_VARKEYWORDS
  8. class FlowGraph:
  9. def __init__(self):
  10. self.current = self.entry = Block()
  11. self.exit = Block("exit")
  12. self.blocks = misc.Set()
  13. self.blocks.add(self.entry)
  14. self.blocks.add(self.exit)
  15. def startBlock(self, block):
  16. if self._debug:
  17. if self.current:
  18. print "end", repr(self.current)
  19. print " next", self.current.next
  20. print " prev", self.current.prev
  21. print " ", self.current.get_children()
  22. print repr(block)
  23. self.current = block
  24. def nextBlock(self, block=None):
  25. # XXX think we need to specify when there is implicit transfer
  26. # from one block to the next. might be better to represent this
  27. # with explicit JUMP_ABSOLUTE instructions that are optimized
  28. # out when they are unnecessary.
  29. #
  30. # I think this strategy works: each block has a child
  31. # designated as "next" which is returned as the last of the
  32. # children. because the nodes in a graph are emitted in
  33. # reverse post order, the "next" block will always be emitted
  34. # immediately after its parent.
  35. # Worry: maintaining this invariant could be tricky
  36. if block is None:
  37. block = self.newBlock()
  38. # Note: If the current block ends with an unconditional control
  39. # transfer, then it is techically incorrect to add an implicit
  40. # transfer to the block graph. Doing so results in code generation
  41. # for unreachable blocks. That doesn't appear to be very common
  42. # with Python code and since the built-in compiler doesn't optimize
  43. # it out we don't either.
  44. self.current.addNext(block)
  45. self.startBlock(block)
  46. def newBlock(self):
  47. b = Block()
  48. self.blocks.add(b)
  49. return b
  50. def startExitBlock(self):
  51. self.startBlock(self.exit)
  52. _debug = 0
  53. def _enable_debug(self):
  54. self._debug = 1
  55. def _disable_debug(self):
  56. self._debug = 0
  57. def emit(self, *inst):
  58. if self._debug:
  59. print "\t", inst
  60. if len(inst) == 2 and isinstance(inst[1], Block):
  61. self.current.addOutEdge(inst[1])
  62. self.current.emit(inst)
  63. def getBlocksInOrder(self):
  64. """Return the blocks in reverse postorder
  65. i.e. each node appears before all of its successors
  66. """
  67. order = order_blocks(self.entry, self.exit)
  68. return order
  69. def getBlocks(self):
  70. return self.blocks.elements()
  71. def getRoot(self):
  72. """Return nodes appropriate for use with dominator"""
  73. return self.entry
  74. def getContainedGraphs(self):
  75. l = []
  76. for b in self.getBlocks():
  77. l.extend(b.getContainedGraphs())
  78. return l
  79. def order_blocks(start_block, exit_block):
  80. """Order blocks so that they are emitted in the right order"""
  81. # Rules:
  82. # - when a block has a next block, the next block must be emitted just after
  83. # - when a block has followers (relative jumps), it must be emitted before
  84. # them
  85. # - all reachable blocks must be emitted
  86. order = []
  87. # Find all the blocks to be emitted.
  88. remaining = set()
  89. todo = [start_block]
  90. while todo:
  91. b = todo.pop()
  92. if b in remaining:
  93. continue
  94. remaining.add(b)
  95. for c in b.get_children():
  96. if c not in remaining:
  97. todo.append(c)
  98. # A block is dominated by another block if that block must be emitted
  99. # before it.
  100. dominators = {}
  101. for b in remaining:
  102. if __debug__ and b.next:
  103. assert b is b.next[0].prev[0], (b, b.next)
  104. # Make sure every block appears in dominators, even if no
  105. # other block must precede it.
  106. dominators.setdefault(b, set())
  107. # preceding blocks dominate following blocks
  108. for c in b.get_followers():
  109. while 1:
  110. dominators.setdefault(c, set()).add(b)
  111. # Any block that has a next pointer leading to c is also
  112. # dominated because the whole chain will be emitted at once.
  113. # Walk backwards and add them all.
  114. if c.prev and c.prev[0] is not b:
  115. c = c.prev[0]
  116. else:
  117. break
  118. def find_next():
  119. # Find a block that can be emitted next.
  120. for b in remaining:
  121. for c in dominators[b]:
  122. if c in remaining:
  123. break # can't emit yet, dominated by a remaining block
  124. else:
  125. return b
  126. assert 0, 'circular dependency, cannot find next block'
  127. b = start_block
  128. while 1:
  129. order.append(b)
  130. remaining.discard(b)
  131. if b.next:
  132. b = b.next[0]
  133. continue
  134. elif b is not exit_block and not b.has_unconditional_transfer():
  135. order.append(exit_block)
  136. if not remaining:
  137. break
  138. b = find_next()
  139. return order
  140. class Block:
  141. _count = 0
  142. def __init__(self, label=''):
  143. self.insts = []
  144. self.outEdges = set()
  145. self.label = label
  146. self.bid = Block._count
  147. self.next = []
  148. self.prev = []
  149. Block._count = Block._count + 1
  150. def __repr__(self):
  151. if self.label:
  152. return "<block %s id=%d>" % (self.label, self.bid)
  153. else:
  154. return "<block id=%d>" % (self.bid)
  155. def __str__(self):
  156. insts = map(str, self.insts)
  157. return "<block %s %d:\n%s>" % (self.label, self.bid,
  158. '\n'.join(insts))
  159. def emit(self, inst):
  160. op = inst[0]
  161. self.insts.append(inst)
  162. def getInstructions(self):
  163. return self.insts
  164. def addOutEdge(self, block):
  165. self.outEdges.add(block)
  166. def addNext(self, block):
  167. self.next.append(block)
  168. assert len(self.next) == 1, map(str, self.next)
  169. block.prev.append(self)
  170. assert len(block.prev) == 1, map(str, block.prev)
  171. _uncond_transfer = ('RETURN_VALUE', 'RAISE_VARARGS',
  172. 'JUMP_ABSOLUTE', 'JUMP_FORWARD', 'CONTINUE_LOOP',
  173. )
  174. def has_unconditional_transfer(self):
  175. """Returns True if there is an unconditional transfer to an other block
  176. at the end of this block. This means there is no risk for the bytecode
  177. executer to go past this block's bytecode."""
  178. try:
  179. op, arg = self.insts[-1]
  180. except (IndexError, ValueError):
  181. return
  182. return op in self._uncond_transfer
  183. def get_children(self):
  184. return list(self.outEdges) + self.next
  185. def get_followers(self):
  186. """Get the whole list of followers, including the next block."""
  187. followers = set(self.next)
  188. # Blocks that must be emitted *after* this one, because of
  189. # bytecode offsets (e.g. relative jumps) pointing to them.
  190. for inst in self.insts:
  191. if inst[0] in PyFlowGraph.hasjrel:
  192. followers.add(inst[1])
  193. return followers
  194. def getContainedGraphs(self):
  195. """Return all graphs contained within this block.
  196. For example, a MAKE_FUNCTION block will contain a reference to
  197. the graph for the function body.
  198. """
  199. contained = []
  200. for inst in self.insts:
  201. if len(inst) == 1:
  202. continue
  203. op = inst[1]
  204. if hasattr(op, 'graph'):
  205. contained.append(op.graph)
  206. return contained
  207. # flags for code objects
  208. # the FlowGraph is transformed in place; it exists in one of these states
  209. RAW = "RAW"
  210. FLAT = "FLAT"
  211. CONV = "CONV"
  212. DONE = "DONE"
  213. class PyFlowGraph(FlowGraph):
  214. super_init = FlowGraph.__init__
  215. def __init__(self, name, filename, args=(), optimized=0, klass=None):
  216. self.super_init()
  217. self.name = name
  218. self.filename = filename
  219. self.docstring = None
  220. self.args = args # XXX
  221. self.argcount = getArgCount(args)
  222. self.klass = klass
  223. if optimized:
  224. self.flags = CO_OPTIMIZED | CO_NEWLOCALS
  225. else:
  226. self.flags = 0
  227. self.consts = []
  228. self.names = []
  229. # Free variables found by the symbol table scan, including
  230. # variables used only in nested scopes, are included here.
  231. self.freevars = []
  232. self.cellvars = []
  233. # The closure list is used to track the order of cell
  234. # variables and free variables in the resulting code object.
  235. # The offsets used by LOAD_CLOSURE/LOAD_DEREF refer to both
  236. # kinds of variables.
  237. self.closure = []
  238. self.varnames = list(args) or []
  239. for i in range(len(self.varnames)):
  240. var = self.varnames[i]
  241. if isinstance(var, TupleArg):
  242. self.varnames[i] = var.getName()
  243. self.stage = RAW
  244. def setDocstring(self, doc):
  245. self.docstring = doc
  246. def setFlag(self, flag):
  247. self.flags = self.flags | flag
  248. if flag == CO_VARARGS:
  249. self.argcount = self.argcount - 1
  250. def checkFlag(self, flag):
  251. if self.flags & flag:
  252. return 1
  253. def setFreeVars(self, names):
  254. self.freevars = list(names)
  255. def setCellVars(self, names):
  256. self.cellvars = names
  257. def getCode(self):
  258. """Get a Python code object"""
  259. assert self.stage == RAW
  260. self.computeStackDepth()
  261. self.flattenGraph()
  262. assert self.stage == FLAT
  263. self.convertArgs()
  264. assert self.stage == CONV
  265. self.makeByteCode()
  266. assert self.stage == DONE
  267. return self.newCodeObject()
  268. def dump(self, io=None):
  269. if io:
  270. save = sys.stdout
  271. sys.stdout = io
  272. pc = 0
  273. for t in self.insts:
  274. opname = t[0]
  275. if opname == "SET_LINENO":
  276. print
  277. if len(t) == 1:
  278. print "\t", "%3d" % pc, opname
  279. pc = pc + 1
  280. else:
  281. print "\t", "%3d" % pc, opname, t[1]
  282. pc = pc + 3
  283. if io:
  284. sys.stdout = save
  285. def computeStackDepth(self):
  286. """Compute the max stack depth.
  287. Approach is to compute the stack effect of each basic block.
  288. Then find the path through the code with the largest total
  289. effect.
  290. """
  291. depth = {}
  292. exit = None
  293. for b in self.getBlocks():
  294. depth[b] = findDepth(b.getInstructions())
  295. seen = {}
  296. def max_depth(b, d):
  297. if b in seen:
  298. return d
  299. seen[b] = 1
  300. d = d + depth[b]
  301. children = b.get_children()
  302. if children:
  303. return max([max_depth(c, d) for c in children])
  304. else:
  305. if not b.label == "exit":
  306. return max_depth(self.exit, d)
  307. else:
  308. return d
  309. self.stacksize = max_depth(self.entry, 0)
  310. def flattenGraph(self):
  311. """Arrange the blocks in order and resolve jumps"""
  312. assert self.stage == RAW
  313. self.insts = insts = []
  314. pc = 0
  315. begin = {}
  316. end = {}
  317. for b in self.getBlocksInOrder():
  318. begin[b] = pc
  319. for inst in b.getInstructions():
  320. insts.append(inst)
  321. if len(inst) == 1:
  322. pc = pc + 1
  323. elif inst[0] != "SET_LINENO":
  324. # arg takes 2 bytes
  325. pc = pc + 3
  326. end[b] = pc
  327. pc = 0
  328. for i in range(len(insts)):
  329. inst = insts[i]
  330. if len(inst) == 1:
  331. pc = pc + 1
  332. elif inst[0] != "SET_LINENO":
  333. pc = pc + 3
  334. opname = inst[0]
  335. if opname in self.hasjrel:
  336. oparg = inst[1]
  337. offset = begin[oparg] - pc
  338. insts[i] = opname, offset
  339. elif opname in self.hasjabs:
  340. insts[i] = opname, begin[inst[1]]
  341. self.stage = FLAT
  342. hasjrel = set()
  343. for i in dis.hasjrel:
  344. hasjrel.add(dis.opname[i])
  345. hasjabs = set()
  346. for i in dis.hasjabs:
  347. hasjabs.add(dis.opname[i])
  348. def convertArgs(self):
  349. """Convert arguments from symbolic to concrete form"""
  350. assert self.stage == FLAT
  351. self.consts.insert(0, self.docstring)
  352. self.sort_cellvars()
  353. for i in range(len(self.insts)):
  354. t = self.insts[i]
  355. if len(t) == 2:
  356. opname, oparg = t
  357. conv = self._converters.get(opname, None)
  358. if conv:
  359. self.insts[i] = opname, conv(self, oparg)
  360. self.stage = CONV
  361. def sort_cellvars(self):
  362. """Sort cellvars in the order of varnames and prune from freevars.
  363. """
  364. cells = {}
  365. for name in self.cellvars:
  366. cells[name] = 1
  367. self.cellvars = [name for name in self.varnames
  368. if name in cells]
  369. for name in self.cellvars:
  370. del cells[name]
  371. self.cellvars = self.cellvars + cells.keys()
  372. self.closure = self.cellvars + self.freevars
  373. def _lookupName(self, name, list):
  374. """Return index of name in list, appending if necessary
  375. This routine uses a list instead of a dictionary, because a
  376. dictionary can't store two different keys if the keys have the
  377. same value but different types, e.g. 2 and 2L. The compiler
  378. must treat these two separately, so it does an explicit type
  379. comparison before comparing the values.
  380. """
  381. t = type(name)
  382. for i in range(len(list)):
  383. if t == type(list[i]) and list[i] == name:
  384. return i
  385. end = len(list)
  386. list.append(name)
  387. return end
  388. _converters = {}
  389. def _convert_LOAD_CONST(self, arg):
  390. if hasattr(arg, 'getCode'):
  391. arg = arg.getCode()
  392. return self._lookupName(arg, self.consts)
  393. def _convert_LOAD_FAST(self, arg):
  394. self._lookupName(arg, self.names)
  395. return self._lookupName(arg, self.varnames)
  396. _convert_STORE_FAST = _convert_LOAD_FAST
  397. _convert_DELETE_FAST = _convert_LOAD_FAST
  398. def _convert_LOAD_NAME(self, arg):
  399. if self.klass is None:
  400. self._lookupName(arg, self.varnames)
  401. return self._lookupName(arg, self.names)
  402. def _convert_NAME(self, arg):
  403. if self.klass is None:
  404. self._lookupName(arg, self.varnames)
  405. return self._lookupName(arg, self.names)
  406. _convert_STORE_NAME = _convert_NAME
  407. _convert_DELETE_NAME = _convert_NAME
  408. _convert_IMPORT_NAME = _convert_NAME
  409. _convert_IMPORT_FROM = _convert_NAME
  410. _convert_STORE_ATTR = _convert_NAME
  411. _convert_LOAD_ATTR = _convert_NAME
  412. _convert_DELETE_ATTR = _convert_NAME
  413. _convert_LOAD_GLOBAL = _convert_NAME
  414. _convert_STORE_GLOBAL = _convert_NAME
  415. _convert_DELETE_GLOBAL = _convert_NAME
  416. def _convert_DEREF(self, arg):
  417. self._lookupName(arg, self.names)
  418. self._lookupName(arg, self.varnames)
  419. return self._lookupName(arg, self.closure)
  420. _convert_LOAD_DEREF = _convert_DEREF
  421. _convert_STORE_DEREF = _convert_DEREF
  422. def _convert_LOAD_CLOSURE(self, arg):
  423. self._lookupName(arg, self.varnames)
  424. return self._lookupName(arg, self.closure)
  425. _cmp = list(dis.cmp_op)
  426. def _convert_COMPARE_OP(self, arg):
  427. return self._cmp.index(arg)
  428. # similarly for other opcodes...
  429. for name, obj in locals().items():
  430. if name[:9] == "_convert_":
  431. opname = name[9:]
  432. _converters[opname] = obj
  433. del name, obj, opname
  434. def makeByteCode(self):
  435. assert self.stage == CONV
  436. self.lnotab = lnotab = LineAddrTable()
  437. for t in self.insts:
  438. opname = t[0]
  439. if len(t) == 1:
  440. lnotab.addCode(self.opnum[opname])
  441. else:
  442. oparg = t[1]
  443. if opname == "SET_LINENO":
  444. lnotab.nextLine(oparg)
  445. continue
  446. hi, lo = twobyte(oparg)
  447. try:
  448. lnotab.addCode(self.opnum[opname], lo, hi)
  449. except ValueError:
  450. print opname, oparg
  451. print self.opnum[opname], lo, hi
  452. raise
  453. self.stage = DONE
  454. opnum = {}
  455. for num in range(len(dis.opname)):
  456. opnum[dis.opname[num]] = num
  457. del num
  458. def newCodeObject(self):
  459. assert self.stage == DONE
  460. if (self.flags & CO_NEWLOCALS) == 0:
  461. nlocals = 0
  462. else:
  463. nlocals = len(self.varnames)
  464. argcount = self.argcount
  465. if self.flags & CO_VARKEYWORDS:
  466. argcount = argcount - 1
  467. return types.CodeType(argcount, nlocals, self.stacksize, self.flags,
  468. self.lnotab.getCode(), self.getConsts(),
  469. tuple(self.names), tuple(self.varnames),
  470. self.filename, self.name, self.lnotab.firstline,
  471. self.lnotab.getTable(), tuple(self.freevars),
  472. tuple(self.cellvars))
  473. def getConsts(self):
  474. """Return a tuple for the const slot of the code object
  475. Must convert references to code (MAKE_FUNCTION) to code
  476. objects recursively.
  477. """
  478. l = []
  479. for elt in self.consts:
  480. if isinstance(elt, PyFlowGraph):
  481. elt = elt.getCode()
  482. l.append(elt)
  483. return tuple(l)
  484. def isJump(opname):
  485. if opname[:4] == 'JUMP':
  486. return 1
  487. class TupleArg:
  488. """Helper for marking func defs with nested tuples in arglist"""
  489. def __init__(self, count, names):
  490. self.count = count
  491. self.names = names
  492. def __repr__(self):
  493. return "TupleArg(%s, %s)" % (self.count, self.names)
  494. def getName(self):
  495. return ".%d" % self.count
  496. def getArgCount(args):
  497. argcount = len(args)
  498. if args:
  499. for arg in args:
  500. if isinstance(arg, TupleArg):
  501. numNames = len(misc.flatten(arg.names))
  502. argcount = argcount - numNames
  503. return argcount
  504. def twobyte(val):
  505. """Convert an int argument into high and low bytes"""
  506. assert isinstance(val, int)
  507. return divmod(val, 256)
  508. class LineAddrTable:
  509. """lnotab
  510. This class builds the lnotab, which is documented in compile.c.
  511. Here's a brief recap:
  512. For each SET_LINENO instruction after the first one, two bytes are
  513. added to lnotab. (In some cases, multiple two-byte entries are
  514. added.) The first byte is the distance in bytes between the
  515. instruction for the last SET_LINENO and the current SET_LINENO.
  516. The second byte is offset in line numbers. If either offset is
  517. greater than 255, multiple two-byte entries are added -- see
  518. compile.c for the delicate details.
  519. """
  520. def __init__(self):
  521. self.code = []
  522. self.codeOffset = 0
  523. self.firstline = 0
  524. self.lastline = 0
  525. self.lastoff = 0
  526. self.lnotab = []
  527. def addCode(self, *args):
  528. for arg in args:
  529. self.code.append(chr(arg))
  530. self.codeOffset = self.codeOffset + len(args)
  531. def nextLine(self, lineno):
  532. if self.firstline == 0:
  533. self.firstline = lineno
  534. self.lastline = lineno
  535. else:
  536. # compute deltas
  537. addr = self.codeOffset - self.lastoff
  538. line = lineno - self.lastline
  539. # Python assumes that lineno always increases with
  540. # increasing bytecode address (lnotab is unsigned char).
  541. # Depending on when SET_LINENO instructions are emitted
  542. # this is not always true. Consider the code:
  543. # a = (1,
  544. # b)
  545. # In the bytecode stream, the assignment to "a" occurs
  546. # after the loading of "b". This works with the C Python
  547. # compiler because it only generates a SET_LINENO instruction
  548. # for the assignment.
  549. if line >= 0:
  550. push = self.lnotab.append
  551. while addr > 255:
  552. push(255); push(0)
  553. addr -= 255
  554. while line > 255:
  555. push(addr); push(255)
  556. line -= 255
  557. addr = 0
  558. if addr > 0 or line > 0:
  559. push(addr); push(line)
  560. self.lastline = lineno
  561. self.lastoff = self.codeOffset
  562. def getCode(self):
  563. return ''.join(self.code)
  564. def getTable(self):
  565. return ''.join(map(chr, self.lnotab))
  566. class StackDepthTracker:
  567. # XXX 1. need to keep track of stack depth on jumps
  568. # XXX 2. at least partly as a result, this code is broken
  569. def findDepth(self, insts, debug=0):
  570. depth = 0
  571. maxDepth = 0
  572. for i in insts:
  573. opname = i[0]
  574. if debug:
  575. print i,
  576. delta = self.effect.get(opname, None)
  577. if delta is not None:
  578. depth = depth + delta
  579. else:
  580. # now check patterns
  581. for pat, pat_delta in self.patterns:
  582. if opname[:len(pat)] == pat:
  583. delta = pat_delta
  584. depth = depth + delta
  585. break
  586. # if we still haven't found a match
  587. if delta is None:
  588. meth = getattr(self, opname, None)
  589. if meth is not None:
  590. depth = depth + meth(i[1])
  591. if depth > maxDepth:
  592. maxDepth = depth
  593. if debug:
  594. print depth, maxDepth
  595. return maxDepth
  596. effect = {
  597. 'POP_TOP': -1,
  598. 'DUP_TOP': 1,
  599. 'LIST_APPEND': -1,
  600. 'SET_ADD': -1,
  601. 'MAP_ADD': -2,
  602. 'SLICE+1': -1,
  603. 'SLICE+2': -1,
  604. 'SLICE+3': -2,
  605. 'STORE_SLICE+0': -1,
  606. 'STORE_SLICE+1': -2,
  607. 'STORE_SLICE+2': -2,
  608. 'STORE_SLICE+3': -3,
  609. 'DELETE_SLICE+0': -1,
  610. 'DELETE_SLICE+1': -2,
  611. 'DELETE_SLICE+2': -2,
  612. 'DELETE_SLICE+3': -3,
  613. 'STORE_SUBSCR': -3,
  614. 'DELETE_SUBSCR': -2,
  615. # PRINT_EXPR?
  616. 'PRINT_ITEM': -1,
  617. 'RETURN_VALUE': -1,
  618. 'YIELD_VALUE': -1,
  619. 'EXEC_STMT': -3,
  620. 'BUILD_CLASS': -2,
  621. 'STORE_NAME': -1,
  622. 'STORE_ATTR': -2,
  623. 'DELETE_ATTR': -1,
  624. 'STORE_GLOBAL': -1,
  625. 'BUILD_MAP': 1,
  626. 'COMPARE_OP': -1,
  627. 'STORE_FAST': -1,
  628. 'IMPORT_STAR': -1,
  629. 'IMPORT_NAME': -1,
  630. 'IMPORT_FROM': 1,
  631. 'LOAD_ATTR': 0, # unlike other loads
  632. # close enough...
  633. 'SETUP_EXCEPT': 3,
  634. 'SETUP_FINALLY': 3,
  635. 'FOR_ITER': 1,
  636. 'WITH_CLEANUP': -1,
  637. }
  638. # use pattern match
  639. patterns = [
  640. ('BINARY_', -1),
  641. ('LOAD_', 1),
  642. ]
  643. def UNPACK_SEQUENCE(self, count):
  644. return count-1
  645. def BUILD_TUPLE(self, count):
  646. return -count+1
  647. def BUILD_LIST(self, count):
  648. return -count+1
  649. def BUILD_SET(self, count):
  650. return -count+1
  651. def CALL_FUNCTION(self, argc):
  652. hi, lo = divmod(argc, 256)
  653. return -(lo + hi * 2)
  654. def CALL_FUNCTION_VAR(self, argc):
  655. return self.CALL_FUNCTION(argc)-1
  656. def CALL_FUNCTION_KW(self, argc):
  657. return self.CALL_FUNCTION(argc)-1
  658. def CALL_FUNCTION_VAR_KW(self, argc):
  659. return self.CALL_FUNCTION(argc)-2
  660. def MAKE_FUNCTION(self, argc):
  661. return -argc
  662. def MAKE_CLOSURE(self, argc):
  663. # XXX need to account for free variables too!
  664. return -argc
  665. def BUILD_SLICE(self, argc):
  666. if argc == 2:
  667. return -1
  668. elif argc == 3:
  669. return -2
  670. def DUP_TOPX(self, argc):
  671. return argc
  672. findDepth = StackDepthTracker().findDepth