fixer_util.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432
  1. """Utility functions, node construction macros, etc."""
  2. # Author: Collin Winter
  3. from itertools import islice
  4. # Local imports
  5. from .pgen2 import token
  6. from .pytree import Leaf, Node
  7. from .pygram import python_symbols as syms
  8. from . import patcomp
  9. ###########################################################
  10. ### Common node-construction "macros"
  11. ###########################################################
  12. def KeywordArg(keyword, value):
  13. return Node(syms.argument,
  14. [keyword, Leaf(token.EQUAL, u"="), value])
  15. def LParen():
  16. return Leaf(token.LPAR, u"(")
  17. def RParen():
  18. return Leaf(token.RPAR, u")")
  19. def Assign(target, source):
  20. """Build an assignment statement"""
  21. if not isinstance(target, list):
  22. target = [target]
  23. if not isinstance(source, list):
  24. source.prefix = u" "
  25. source = [source]
  26. return Node(syms.atom,
  27. target + [Leaf(token.EQUAL, u"=", prefix=u" ")] + source)
  28. def Name(name, prefix=None):
  29. """Return a NAME leaf"""
  30. return Leaf(token.NAME, name, prefix=prefix)
  31. def Attr(obj, attr):
  32. """A node tuple for obj.attr"""
  33. return [obj, Node(syms.trailer, [Dot(), attr])]
  34. def Comma():
  35. """A comma leaf"""
  36. return Leaf(token.COMMA, u",")
  37. def Dot():
  38. """A period (.) leaf"""
  39. return Leaf(token.DOT, u".")
  40. def ArgList(args, lparen=LParen(), rparen=RParen()):
  41. """A parenthesised argument list, used by Call()"""
  42. node = Node(syms.trailer, [lparen.clone(), rparen.clone()])
  43. if args:
  44. node.insert_child(1, Node(syms.arglist, args))
  45. return node
  46. def Call(func_name, args=None, prefix=None):
  47. """A function call"""
  48. node = Node(syms.power, [func_name, ArgList(args)])
  49. if prefix is not None:
  50. node.prefix = prefix
  51. return node
  52. def Newline():
  53. """A newline literal"""
  54. return Leaf(token.NEWLINE, u"\n")
  55. def BlankLine():
  56. """A blank line"""
  57. return Leaf(token.NEWLINE, u"")
  58. def Number(n, prefix=None):
  59. return Leaf(token.NUMBER, n, prefix=prefix)
  60. def Subscript(index_node):
  61. """A numeric or string subscript"""
  62. return Node(syms.trailer, [Leaf(token.LBRACE, u"["),
  63. index_node,
  64. Leaf(token.RBRACE, u"]")])
  65. def String(string, prefix=None):
  66. """A string leaf"""
  67. return Leaf(token.STRING, string, prefix=prefix)
  68. def ListComp(xp, fp, it, test=None):
  69. """A list comprehension of the form [xp for fp in it if test].
  70. If test is None, the "if test" part is omitted.
  71. """
  72. xp.prefix = u""
  73. fp.prefix = u" "
  74. it.prefix = u" "
  75. for_leaf = Leaf(token.NAME, u"for")
  76. for_leaf.prefix = u" "
  77. in_leaf = Leaf(token.NAME, u"in")
  78. in_leaf.prefix = u" "
  79. inner_args = [for_leaf, fp, in_leaf, it]
  80. if test:
  81. test.prefix = u" "
  82. if_leaf = Leaf(token.NAME, u"if")
  83. if_leaf.prefix = u" "
  84. inner_args.append(Node(syms.comp_if, [if_leaf, test]))
  85. inner = Node(syms.listmaker, [xp, Node(syms.comp_for, inner_args)])
  86. return Node(syms.atom,
  87. [Leaf(token.LBRACE, u"["),
  88. inner,
  89. Leaf(token.RBRACE, u"]")])
  90. def FromImport(package_name, name_leafs):
  91. """ Return an import statement in the form:
  92. from package import name_leafs"""
  93. # XXX: May not handle dotted imports properly (eg, package_name='foo.bar')
  94. #assert package_name == '.' or '.' not in package_name, "FromImport has "\
  95. # "not been tested with dotted package names -- use at your own "\
  96. # "peril!"
  97. for leaf in name_leafs:
  98. # Pull the leaves out of their old tree
  99. leaf.remove()
  100. children = [Leaf(token.NAME, u"from"),
  101. Leaf(token.NAME, package_name, prefix=u" "),
  102. Leaf(token.NAME, u"import", prefix=u" "),
  103. Node(syms.import_as_names, name_leafs)]
  104. imp = Node(syms.import_from, children)
  105. return imp
  106. ###########################################################
  107. ### Determine whether a node represents a given literal
  108. ###########################################################
  109. def is_tuple(node):
  110. """Does the node represent a tuple literal?"""
  111. if isinstance(node, Node) and node.children == [LParen(), RParen()]:
  112. return True
  113. return (isinstance(node, Node)
  114. and len(node.children) == 3
  115. and isinstance(node.children[0], Leaf)
  116. and isinstance(node.children[1], Node)
  117. and isinstance(node.children[2], Leaf)
  118. and node.children[0].value == u"("
  119. and node.children[2].value == u")")
  120. def is_list(node):
  121. """Does the node represent a list literal?"""
  122. return (isinstance(node, Node)
  123. and len(node.children) > 1
  124. and isinstance(node.children[0], Leaf)
  125. and isinstance(node.children[-1], Leaf)
  126. and node.children[0].value == u"["
  127. and node.children[-1].value == u"]")
  128. ###########################################################
  129. ### Misc
  130. ###########################################################
  131. def parenthesize(node):
  132. return Node(syms.atom, [LParen(), node, RParen()])
  133. consuming_calls = set(["sorted", "list", "set", "any", "all", "tuple", "sum",
  134. "min", "max", "enumerate"])
  135. def attr_chain(obj, attr):
  136. """Follow an attribute chain.
  137. If you have a chain of objects where a.foo -> b, b.foo-> c, etc,
  138. use this to iterate over all objects in the chain. Iteration is
  139. terminated by getattr(x, attr) is None.
  140. Args:
  141. obj: the starting object
  142. attr: the name of the chaining attribute
  143. Yields:
  144. Each successive object in the chain.
  145. """
  146. next = getattr(obj, attr)
  147. while next:
  148. yield next
  149. next = getattr(next, attr)
  150. p0 = """for_stmt< 'for' any 'in' node=any ':' any* >
  151. | comp_for< 'for' any 'in' node=any any* >
  152. """
  153. p1 = """
  154. power<
  155. ( 'iter' | 'list' | 'tuple' | 'sorted' | 'set' | 'sum' |
  156. 'any' | 'all' | 'enumerate' | (any* trailer< '.' 'join' >) )
  157. trailer< '(' node=any ')' >
  158. any*
  159. >
  160. """
  161. p2 = """
  162. power<
  163. ( 'sorted' | 'enumerate' )
  164. trailer< '(' arglist<node=any any*> ')' >
  165. any*
  166. >
  167. """
  168. pats_built = False
  169. def in_special_context(node):
  170. """ Returns true if node is in an environment where all that is required
  171. of it is being iterable (ie, it doesn't matter if it returns a list
  172. or an iterator).
  173. See test_map_nochange in test_fixers.py for some examples and tests.
  174. """
  175. global p0, p1, p2, pats_built
  176. if not pats_built:
  177. p0 = patcomp.compile_pattern(p0)
  178. p1 = patcomp.compile_pattern(p1)
  179. p2 = patcomp.compile_pattern(p2)
  180. pats_built = True
  181. patterns = [p0, p1, p2]
  182. for pattern, parent in zip(patterns, attr_chain(node, "parent")):
  183. results = {}
  184. if pattern.match(parent, results) and results["node"] is node:
  185. return True
  186. return False
  187. def is_probably_builtin(node):
  188. """
  189. Check that something isn't an attribute or function name etc.
  190. """
  191. prev = node.prev_sibling
  192. if prev is not None and prev.type == token.DOT:
  193. # Attribute lookup.
  194. return False
  195. parent = node.parent
  196. if parent.type in (syms.funcdef, syms.classdef):
  197. return False
  198. if parent.type == syms.expr_stmt and parent.children[0] is node:
  199. # Assignment.
  200. return False
  201. if parent.type == syms.parameters or \
  202. (parent.type == syms.typedargslist and (
  203. (prev is not None and prev.type == token.COMMA) or
  204. parent.children[0] is node
  205. )):
  206. # The name of an argument.
  207. return False
  208. return True
  209. def find_indentation(node):
  210. """Find the indentation of *node*."""
  211. while node is not None:
  212. if node.type == syms.suite and len(node.children) > 2:
  213. indent = node.children[1]
  214. if indent.type == token.INDENT:
  215. return indent.value
  216. node = node.parent
  217. return u""
  218. ###########################################################
  219. ### The following functions are to find bindings in a suite
  220. ###########################################################
  221. def make_suite(node):
  222. if node.type == syms.suite:
  223. return node
  224. node = node.clone()
  225. parent, node.parent = node.parent, None
  226. suite = Node(syms.suite, [node])
  227. suite.parent = parent
  228. return suite
  229. def find_root(node):
  230. """Find the top level namespace."""
  231. # Scamper up to the top level namespace
  232. while node.type != syms.file_input:
  233. node = node.parent
  234. if not node:
  235. raise ValueError("root found before file_input node was found.")
  236. return node
  237. def does_tree_import(package, name, node):
  238. """ Returns true if name is imported from package at the
  239. top level of the tree which node belongs to.
  240. To cover the case of an import like 'import foo', use
  241. None for the package and 'foo' for the name. """
  242. binding = find_binding(name, find_root(node), package)
  243. return bool(binding)
  244. def is_import(node):
  245. """Returns true if the node is an import statement."""
  246. return node.type in (syms.import_name, syms.import_from)
  247. def touch_import(package, name, node):
  248. """ Works like `does_tree_import` but adds an import statement
  249. if it was not imported. """
  250. def is_import_stmt(node):
  251. return (node.type == syms.simple_stmt and node.children and
  252. is_import(node.children[0]))
  253. root = find_root(node)
  254. if does_tree_import(package, name, root):
  255. return
  256. # figure out where to insert the new import. First try to find
  257. # the first import and then skip to the last one.
  258. insert_pos = offset = 0
  259. for idx, node in enumerate(root.children):
  260. if not is_import_stmt(node):
  261. continue
  262. for offset, node2 in enumerate(root.children[idx:]):
  263. if not is_import_stmt(node2):
  264. break
  265. insert_pos = idx + offset
  266. break
  267. # if there are no imports where we can insert, find the docstring.
  268. # if that also fails, we stick to the beginning of the file
  269. if insert_pos == 0:
  270. for idx, node in enumerate(root.children):
  271. if (node.type == syms.simple_stmt and node.children and
  272. node.children[0].type == token.STRING):
  273. insert_pos = idx + 1
  274. break
  275. if package is None:
  276. import_ = Node(syms.import_name, [
  277. Leaf(token.NAME, u"import"),
  278. Leaf(token.NAME, name, prefix=u" ")
  279. ])
  280. else:
  281. import_ = FromImport(package, [Leaf(token.NAME, name, prefix=u" ")])
  282. children = [import_, Newline()]
  283. root.insert_child(insert_pos, Node(syms.simple_stmt, children))
  284. _def_syms = set([syms.classdef, syms.funcdef])
  285. def find_binding(name, node, package=None):
  286. """ Returns the node which binds variable name, otherwise None.
  287. If optional argument package is supplied, only imports will
  288. be returned.
  289. See test cases for examples."""
  290. for child in node.children:
  291. ret = None
  292. if child.type == syms.for_stmt:
  293. if _find(name, child.children[1]):
  294. return child
  295. n = find_binding(name, make_suite(child.children[-1]), package)
  296. if n: ret = n
  297. elif child.type in (syms.if_stmt, syms.while_stmt):
  298. n = find_binding(name, make_suite(child.children[-1]), package)
  299. if n: ret = n
  300. elif child.type == syms.try_stmt:
  301. n = find_binding(name, make_suite(child.children[2]), package)
  302. if n:
  303. ret = n
  304. else:
  305. for i, kid in enumerate(child.children[3:]):
  306. if kid.type == token.COLON and kid.value == ":":
  307. # i+3 is the colon, i+4 is the suite
  308. n = find_binding(name, make_suite(child.children[i+4]), package)
  309. if n: ret = n
  310. elif child.type in _def_syms and child.children[1].value == name:
  311. ret = child
  312. elif _is_import_binding(child, name, package):
  313. ret = child
  314. elif child.type == syms.simple_stmt:
  315. ret = find_binding(name, child, package)
  316. elif child.type == syms.expr_stmt:
  317. if _find(name, child.children[0]):
  318. ret = child
  319. if ret:
  320. if not package:
  321. return ret
  322. if is_import(ret):
  323. return ret
  324. return None
  325. _block_syms = set([syms.funcdef, syms.classdef, syms.trailer])
  326. def _find(name, node):
  327. nodes = [node]
  328. while nodes:
  329. node = nodes.pop()
  330. if node.type > 256 and node.type not in _block_syms:
  331. nodes.extend(node.children)
  332. elif node.type == token.NAME and node.value == name:
  333. return node
  334. return None
  335. def _is_import_binding(node, name, package=None):
  336. """ Will reuturn node if node will import name, or node
  337. will import * from package. None is returned otherwise.
  338. See test cases for examples. """
  339. if node.type == syms.import_name and not package:
  340. imp = node.children[1]
  341. if imp.type == syms.dotted_as_names:
  342. for child in imp.children:
  343. if child.type == syms.dotted_as_name:
  344. if child.children[2].value == name:
  345. return node
  346. elif child.type == token.NAME and child.value == name:
  347. return node
  348. elif imp.type == syms.dotted_as_name:
  349. last = imp.children[-1]
  350. if last.type == token.NAME and last.value == name:
  351. return node
  352. elif imp.type == token.NAME and imp.value == name:
  353. return node
  354. elif node.type == syms.import_from:
  355. # unicode(...) is used to make life easier here, because
  356. # from a.b import parses to ['import', ['a', '.', 'b'], ...]
  357. if package and unicode(node.children[1]).strip() != package:
  358. return None
  359. n = node.children[3]
  360. if package and _find(u"as", n):
  361. # See test_from_import_as for explanation
  362. return None
  363. elif n.type == syms.import_as_names and _find(name, n):
  364. return node
  365. elif n.type == syms.import_as_name:
  366. child = n.children[2]
  367. if child.type == token.NAME and child.value == name:
  368. return node
  369. elif n.type == token.NAME and n.value == name:
  370. return node
  371. elif package and n.type == token.STAR:
  372. return node
  373. return None