pytree.py 28 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887
  1. # Copyright 2006 Google, Inc. All Rights Reserved.
  2. # Licensed to PSF under a Contributor Agreement.
  3. """
  4. Python parse tree definitions.
  5. This is a very concrete parse tree; we need to keep every token and
  6. even the comments and whitespace between tokens.
  7. There's also a pattern matching implementation here.
  8. """
  9. __author__ = "Guido van Rossum <guido@python.org>"
  10. import sys
  11. import warnings
  12. from StringIO import StringIO
  13. HUGE = 0x7FFFFFFF # maximum repeat count, default max
  14. _type_reprs = {}
  15. def type_repr(type_num):
  16. global _type_reprs
  17. if not _type_reprs:
  18. from .pygram import python_symbols
  19. # printing tokens is possible but not as useful
  20. # from .pgen2 import token // token.__dict__.items():
  21. for name, val in python_symbols.__dict__.items():
  22. if type(val) == int: _type_reprs[val] = name
  23. return _type_reprs.setdefault(type_num, type_num)
  24. class Base(object):
  25. """
  26. Abstract base class for Node and Leaf.
  27. This provides some default functionality and boilerplate using the
  28. template pattern.
  29. A node may be a subnode of at most one parent.
  30. """
  31. # Default values for instance variables
  32. type = None # int: token number (< 256) or symbol number (>= 256)
  33. parent = None # Parent node pointer, or None
  34. children = () # Tuple of subnodes
  35. was_changed = False
  36. was_checked = False
  37. def __new__(cls, *args, **kwds):
  38. """Constructor that prevents Base from being instantiated."""
  39. assert cls is not Base, "Cannot instantiate Base"
  40. return object.__new__(cls)
  41. def __eq__(self, other):
  42. """
  43. Compare two nodes for equality.
  44. This calls the method _eq().
  45. """
  46. if self.__class__ is not other.__class__:
  47. return NotImplemented
  48. return self._eq(other)
  49. __hash__ = None # For Py3 compatibility.
  50. def __ne__(self, other):
  51. """
  52. Compare two nodes for inequality.
  53. This calls the method _eq().
  54. """
  55. if self.__class__ is not other.__class__:
  56. return NotImplemented
  57. return not self._eq(other)
  58. def _eq(self, other):
  59. """
  60. Compare two nodes for equality.
  61. This is called by __eq__ and __ne__. It is only called if the two nodes
  62. have the same type. This must be implemented by the concrete subclass.
  63. Nodes should be considered equal if they have the same structure,
  64. ignoring the prefix string and other context information.
  65. """
  66. raise NotImplementedError
  67. def clone(self):
  68. """
  69. Return a cloned (deep) copy of self.
  70. This must be implemented by the concrete subclass.
  71. """
  72. raise NotImplementedError
  73. def post_order(self):
  74. """
  75. Return a post-order iterator for the tree.
  76. This must be implemented by the concrete subclass.
  77. """
  78. raise NotImplementedError
  79. def pre_order(self):
  80. """
  81. Return a pre-order iterator for the tree.
  82. This must be implemented by the concrete subclass.
  83. """
  84. raise NotImplementedError
  85. def set_prefix(self, prefix):
  86. """
  87. Set the prefix for the node (see Leaf class).
  88. DEPRECATED; use the prefix property directly.
  89. """
  90. warnings.warn("set_prefix() is deprecated; use the prefix property",
  91. DeprecationWarning, stacklevel=2)
  92. self.prefix = prefix
  93. def get_prefix(self):
  94. """
  95. Return the prefix for the node (see Leaf class).
  96. DEPRECATED; use the prefix property directly.
  97. """
  98. warnings.warn("get_prefix() is deprecated; use the prefix property",
  99. DeprecationWarning, stacklevel=2)
  100. return self.prefix
  101. def replace(self, new):
  102. """Replace this node with a new one in the parent."""
  103. assert self.parent is not None, str(self)
  104. assert new is not None
  105. if not isinstance(new, list):
  106. new = [new]
  107. l_children = []
  108. found = False
  109. for ch in self.parent.children:
  110. if ch is self:
  111. assert not found, (self.parent.children, self, new)
  112. if new is not None:
  113. l_children.extend(new)
  114. found = True
  115. else:
  116. l_children.append(ch)
  117. assert found, (self.children, self, new)
  118. self.parent.changed()
  119. self.parent.children = l_children
  120. for x in new:
  121. x.parent = self.parent
  122. self.parent = None
  123. def get_lineno(self):
  124. """Return the line number which generated the invocant node."""
  125. node = self
  126. while not isinstance(node, Leaf):
  127. if not node.children:
  128. return
  129. node = node.children[0]
  130. return node.lineno
  131. def changed(self):
  132. if self.parent:
  133. self.parent.changed()
  134. self.was_changed = True
  135. def remove(self):
  136. """
  137. Remove the node from the tree. Returns the position of the node in its
  138. parent's children before it was removed.
  139. """
  140. if self.parent:
  141. for i, node in enumerate(self.parent.children):
  142. if node is self:
  143. self.parent.changed()
  144. del self.parent.children[i]
  145. self.parent = None
  146. return i
  147. @property
  148. def next_sibling(self):
  149. """
  150. The node immediately following the invocant in their parent's children
  151. list. If the invocant does not have a next sibling, it is None
  152. """
  153. if self.parent is None:
  154. return None
  155. # Can't use index(); we need to test by identity
  156. for i, child in enumerate(self.parent.children):
  157. if child is self:
  158. try:
  159. return self.parent.children[i+1]
  160. except IndexError:
  161. return None
  162. @property
  163. def prev_sibling(self):
  164. """
  165. The node immediately preceding the invocant in their parent's children
  166. list. If the invocant does not have a previous sibling, it is None.
  167. """
  168. if self.parent is None:
  169. return None
  170. # Can't use index(); we need to test by identity
  171. for i, child in enumerate(self.parent.children):
  172. if child is self:
  173. if i == 0:
  174. return None
  175. return self.parent.children[i-1]
  176. def leaves(self):
  177. for child in self.children:
  178. for x in child.leaves():
  179. yield x
  180. def depth(self):
  181. if self.parent is None:
  182. return 0
  183. return 1 + self.parent.depth()
  184. def get_suffix(self):
  185. """
  186. Return the string immediately following the invocant node. This is
  187. effectively equivalent to node.next_sibling.prefix
  188. """
  189. next_sib = self.next_sibling
  190. if next_sib is None:
  191. return u""
  192. return next_sib.prefix
  193. if sys.version_info < (3, 0):
  194. def __str__(self):
  195. return unicode(self).encode("ascii")
  196. class Node(Base):
  197. """Concrete implementation for interior nodes."""
  198. def __init__(self,type, children,
  199. context=None,
  200. prefix=None,
  201. fixers_applied=None):
  202. """
  203. Initializer.
  204. Takes a type constant (a symbol number >= 256), a sequence of
  205. child nodes, and an optional context keyword argument.
  206. As a side effect, the parent pointers of the children are updated.
  207. """
  208. assert type >= 256, type
  209. self.type = type
  210. self.children = list(children)
  211. for ch in self.children:
  212. assert ch.parent is None, repr(ch)
  213. ch.parent = self
  214. if prefix is not None:
  215. self.prefix = prefix
  216. if fixers_applied:
  217. self.fixers_applied = fixers_applied[:]
  218. else:
  219. self.fixers_applied = None
  220. def __repr__(self):
  221. """Return a canonical string representation."""
  222. return "%s(%s, %r)" % (self.__class__.__name__,
  223. type_repr(self.type),
  224. self.children)
  225. def __unicode__(self):
  226. """
  227. Return a pretty string representation.
  228. This reproduces the input source exactly.
  229. """
  230. return u"".join(map(unicode, self.children))
  231. if sys.version_info > (3, 0):
  232. __str__ = __unicode__
  233. def _eq(self, other):
  234. """Compare two nodes for equality."""
  235. return (self.type, self.children) == (other.type, other.children)
  236. def clone(self):
  237. """Return a cloned (deep) copy of self."""
  238. return Node(self.type, [ch.clone() for ch in self.children],
  239. fixers_applied=self.fixers_applied)
  240. def post_order(self):
  241. """Return a post-order iterator for the tree."""
  242. for child in self.children:
  243. for node in child.post_order():
  244. yield node
  245. yield self
  246. def pre_order(self):
  247. """Return a pre-order iterator for the tree."""
  248. yield self
  249. for child in self.children:
  250. for node in child.pre_order():
  251. yield node
  252. def _prefix_getter(self):
  253. """
  254. The whitespace and comments preceding this node in the input.
  255. """
  256. if not self.children:
  257. return ""
  258. return self.children[0].prefix
  259. def _prefix_setter(self, prefix):
  260. if self.children:
  261. self.children[0].prefix = prefix
  262. prefix = property(_prefix_getter, _prefix_setter)
  263. def set_child(self, i, child):
  264. """
  265. Equivalent to 'node.children[i] = child'. This method also sets the
  266. child's parent attribute appropriately.
  267. """
  268. child.parent = self
  269. self.children[i].parent = None
  270. self.children[i] = child
  271. self.changed()
  272. def insert_child(self, i, child):
  273. """
  274. Equivalent to 'node.children.insert(i, child)'. This method also sets
  275. the child's parent attribute appropriately.
  276. """
  277. child.parent = self
  278. self.children.insert(i, child)
  279. self.changed()
  280. def append_child(self, child):
  281. """
  282. Equivalent to 'node.children.append(child)'. This method also sets the
  283. child's parent attribute appropriately.
  284. """
  285. child.parent = self
  286. self.children.append(child)
  287. self.changed()
  288. class Leaf(Base):
  289. """Concrete implementation for leaf nodes."""
  290. # Default values for instance variables
  291. _prefix = "" # Whitespace and comments preceding this token in the input
  292. lineno = 0 # Line where this token starts in the input
  293. column = 0 # Column where this token tarts in the input
  294. def __init__(self, type, value,
  295. context=None,
  296. prefix=None,
  297. fixers_applied=[]):
  298. """
  299. Initializer.
  300. Takes a type constant (a token number < 256), a string value, and an
  301. optional context keyword argument.
  302. """
  303. assert 0 <= type < 256, type
  304. if context is not None:
  305. self._prefix, (self.lineno, self.column) = context
  306. self.type = type
  307. self.value = value
  308. if prefix is not None:
  309. self._prefix = prefix
  310. self.fixers_applied = fixers_applied[:]
  311. def __repr__(self):
  312. """Return a canonical string representation."""
  313. return "%s(%r, %r)" % (self.__class__.__name__,
  314. self.type,
  315. self.value)
  316. def __unicode__(self):
  317. """
  318. Return a pretty string representation.
  319. This reproduces the input source exactly.
  320. """
  321. return self.prefix + unicode(self.value)
  322. if sys.version_info > (3, 0):
  323. __str__ = __unicode__
  324. def _eq(self, other):
  325. """Compare two nodes for equality."""
  326. return (self.type, self.value) == (other.type, other.value)
  327. def clone(self):
  328. """Return a cloned (deep) copy of self."""
  329. return Leaf(self.type, self.value,
  330. (self.prefix, (self.lineno, self.column)),
  331. fixers_applied=self.fixers_applied)
  332. def leaves(self):
  333. yield self
  334. def post_order(self):
  335. """Return a post-order iterator for the tree."""
  336. yield self
  337. def pre_order(self):
  338. """Return a pre-order iterator for the tree."""
  339. yield self
  340. def _prefix_getter(self):
  341. """
  342. The whitespace and comments preceding this token in the input.
  343. """
  344. return self._prefix
  345. def _prefix_setter(self, prefix):
  346. self.changed()
  347. self._prefix = prefix
  348. prefix = property(_prefix_getter, _prefix_setter)
  349. def convert(gr, raw_node):
  350. """
  351. Convert raw node information to a Node or Leaf instance.
  352. This is passed to the parser driver which calls it whenever a reduction of a
  353. grammar rule produces a new complete node, so that the tree is build
  354. strictly bottom-up.
  355. """
  356. type, value, context, children = raw_node
  357. if children or type in gr.number2symbol:
  358. # If there's exactly one child, return that child instead of
  359. # creating a new node.
  360. if len(children) == 1:
  361. return children[0]
  362. return Node(type, children, context=context)
  363. else:
  364. return Leaf(type, value, context=context)
  365. class BasePattern(object):
  366. """
  367. A pattern is a tree matching pattern.
  368. It looks for a specific node type (token or symbol), and
  369. optionally for a specific content.
  370. This is an abstract base class. There are three concrete
  371. subclasses:
  372. - LeafPattern matches a single leaf node;
  373. - NodePattern matches a single node (usually non-leaf);
  374. - WildcardPattern matches a sequence of nodes of variable length.
  375. """
  376. # Defaults for instance variables
  377. type = None # Node type (token if < 256, symbol if >= 256)
  378. content = None # Optional content matching pattern
  379. name = None # Optional name used to store match in results dict
  380. def __new__(cls, *args, **kwds):
  381. """Constructor that prevents BasePattern from being instantiated."""
  382. assert cls is not BasePattern, "Cannot instantiate BasePattern"
  383. return object.__new__(cls)
  384. def __repr__(self):
  385. args = [type_repr(self.type), self.content, self.name]
  386. while args and args[-1] is None:
  387. del args[-1]
  388. return "%s(%s)" % (self.__class__.__name__, ", ".join(map(repr, args)))
  389. def optimize(self):
  390. """
  391. A subclass can define this as a hook for optimizations.
  392. Returns either self or another node with the same effect.
  393. """
  394. return self
  395. def match(self, node, results=None):
  396. """
  397. Does this pattern exactly match a node?
  398. Returns True if it matches, False if not.
  399. If results is not None, it must be a dict which will be
  400. updated with the nodes matching named subpatterns.
  401. Default implementation for non-wildcard patterns.
  402. """
  403. if self.type is not None and node.type != self.type:
  404. return False
  405. if self.content is not None:
  406. r = None
  407. if results is not None:
  408. r = {}
  409. if not self._submatch(node, r):
  410. return False
  411. if r:
  412. results.update(r)
  413. if results is not None and self.name:
  414. results[self.name] = node
  415. return True
  416. def match_seq(self, nodes, results=None):
  417. """
  418. Does this pattern exactly match a sequence of nodes?
  419. Default implementation for non-wildcard patterns.
  420. """
  421. if len(nodes) != 1:
  422. return False
  423. return self.match(nodes[0], results)
  424. def generate_matches(self, nodes):
  425. """
  426. Generator yielding all matches for this pattern.
  427. Default implementation for non-wildcard patterns.
  428. """
  429. r = {}
  430. if nodes and self.match(nodes[0], r):
  431. yield 1, r
  432. class LeafPattern(BasePattern):
  433. def __init__(self, type=None, content=None, name=None):
  434. """
  435. Initializer. Takes optional type, content, and name.
  436. The type, if given must be a token type (< 256). If not given,
  437. this matches any *leaf* node; the content may still be required.
  438. The content, if given, must be a string.
  439. If a name is given, the matching node is stored in the results
  440. dict under that key.
  441. """
  442. if type is not None:
  443. assert 0 <= type < 256, type
  444. if content is not None:
  445. assert isinstance(content, basestring), repr(content)
  446. self.type = type
  447. self.content = content
  448. self.name = name
  449. def match(self, node, results=None):
  450. """Override match() to insist on a leaf node."""
  451. if not isinstance(node, Leaf):
  452. return False
  453. return BasePattern.match(self, node, results)
  454. def _submatch(self, node, results=None):
  455. """
  456. Match the pattern's content to the node's children.
  457. This assumes the node type matches and self.content is not None.
  458. Returns True if it matches, False if not.
  459. If results is not None, it must be a dict which will be
  460. updated with the nodes matching named subpatterns.
  461. When returning False, the results dict may still be updated.
  462. """
  463. return self.content == node.value
  464. class NodePattern(BasePattern):
  465. wildcards = False
  466. def __init__(self, type=None, content=None, name=None):
  467. """
  468. Initializer. Takes optional type, content, and name.
  469. The type, if given, must be a symbol type (>= 256). If the
  470. type is None this matches *any* single node (leaf or not),
  471. except if content is not None, in which it only matches
  472. non-leaf nodes that also match the content pattern.
  473. The content, if not None, must be a sequence of Patterns that
  474. must match the node's children exactly. If the content is
  475. given, the type must not be None.
  476. If a name is given, the matching node is stored in the results
  477. dict under that key.
  478. """
  479. if type is not None:
  480. assert type >= 256, type
  481. if content is not None:
  482. assert not isinstance(content, basestring), repr(content)
  483. content = list(content)
  484. for i, item in enumerate(content):
  485. assert isinstance(item, BasePattern), (i, item)
  486. if isinstance(item, WildcardPattern):
  487. self.wildcards = True
  488. self.type = type
  489. self.content = content
  490. self.name = name
  491. def _submatch(self, node, results=None):
  492. """
  493. Match the pattern's content to the node's children.
  494. This assumes the node type matches and self.content is not None.
  495. Returns True if it matches, False if not.
  496. If results is not None, it must be a dict which will be
  497. updated with the nodes matching named subpatterns.
  498. When returning False, the results dict may still be updated.
  499. """
  500. if self.wildcards:
  501. for c, r in generate_matches(self.content, node.children):
  502. if c == len(node.children):
  503. if results is not None:
  504. results.update(r)
  505. return True
  506. return False
  507. if len(self.content) != len(node.children):
  508. return False
  509. for subpattern, child in zip(self.content, node.children):
  510. if not subpattern.match(child, results):
  511. return False
  512. return True
  513. class WildcardPattern(BasePattern):
  514. """
  515. A wildcard pattern can match zero or more nodes.
  516. This has all the flexibility needed to implement patterns like:
  517. .* .+ .? .{m,n}
  518. (a b c | d e | f)
  519. (...)* (...)+ (...)? (...){m,n}
  520. except it always uses non-greedy matching.
  521. """
  522. def __init__(self, content=None, min=0, max=HUGE, name=None):
  523. """
  524. Initializer.
  525. Args:
  526. content: optional sequence of subsequences of patterns;
  527. if absent, matches one node;
  528. if present, each subsequence is an alternative [*]
  529. min: optional minimum number of times to match, default 0
  530. max: optional maximum number of times to match, default HUGE
  531. name: optional name assigned to this match
  532. [*] Thus, if content is [[a, b, c], [d, e], [f, g, h]] this is
  533. equivalent to (a b c | d e | f g h); if content is None,
  534. this is equivalent to '.' in regular expression terms.
  535. The min and max parameters work as follows:
  536. min=0, max=maxint: .*
  537. min=1, max=maxint: .+
  538. min=0, max=1: .?
  539. min=1, max=1: .
  540. If content is not None, replace the dot with the parenthesized
  541. list of alternatives, e.g. (a b c | d e | f g h)*
  542. """
  543. assert 0 <= min <= max <= HUGE, (min, max)
  544. if content is not None:
  545. content = tuple(map(tuple, content)) # Protect against alterations
  546. # Check sanity of alternatives
  547. assert len(content), repr(content) # Can't have zero alternatives
  548. for alt in content:
  549. assert len(alt), repr(alt) # Can have empty alternatives
  550. self.content = content
  551. self.min = min
  552. self.max = max
  553. self.name = name
  554. def optimize(self):
  555. """Optimize certain stacked wildcard patterns."""
  556. subpattern = None
  557. if (self.content is not None and
  558. len(self.content) == 1 and len(self.content[0]) == 1):
  559. subpattern = self.content[0][0]
  560. if self.min == 1 and self.max == 1:
  561. if self.content is None:
  562. return NodePattern(name=self.name)
  563. if subpattern is not None and self.name == subpattern.name:
  564. return subpattern.optimize()
  565. if (self.min <= 1 and isinstance(subpattern, WildcardPattern) and
  566. subpattern.min <= 1 and self.name == subpattern.name):
  567. return WildcardPattern(subpattern.content,
  568. self.min*subpattern.min,
  569. self.max*subpattern.max,
  570. subpattern.name)
  571. return self
  572. def match(self, node, results=None):
  573. """Does this pattern exactly match a node?"""
  574. return self.match_seq([node], results)
  575. def match_seq(self, nodes, results=None):
  576. """Does this pattern exactly match a sequence of nodes?"""
  577. for c, r in self.generate_matches(nodes):
  578. if c == len(nodes):
  579. if results is not None:
  580. results.update(r)
  581. if self.name:
  582. results[self.name] = list(nodes)
  583. return True
  584. return False
  585. def generate_matches(self, nodes):
  586. """
  587. Generator yielding matches for a sequence of nodes.
  588. Args:
  589. nodes: sequence of nodes
  590. Yields:
  591. (count, results) tuples where:
  592. count: the match comprises nodes[:count];
  593. results: dict containing named submatches.
  594. """
  595. if self.content is None:
  596. # Shortcut for special case (see __init__.__doc__)
  597. for count in xrange(self.min, 1 + min(len(nodes), self.max)):
  598. r = {}
  599. if self.name:
  600. r[self.name] = nodes[:count]
  601. yield count, r
  602. elif self.name == "bare_name":
  603. yield self._bare_name_matches(nodes)
  604. else:
  605. # The reason for this is that hitting the recursion limit usually
  606. # results in some ugly messages about how RuntimeErrors are being
  607. # ignored. We don't do this on non-CPython implementation because
  608. # they don't have this problem.
  609. if hasattr(sys, "getrefcount"):
  610. save_stderr = sys.stderr
  611. sys.stderr = StringIO()
  612. try:
  613. for count, r in self._recursive_matches(nodes, 0):
  614. if self.name:
  615. r[self.name] = nodes[:count]
  616. yield count, r
  617. except RuntimeError:
  618. # We fall back to the iterative pattern matching scheme if the recursive
  619. # scheme hits the recursion limit.
  620. for count, r in self._iterative_matches(nodes):
  621. if self.name:
  622. r[self.name] = nodes[:count]
  623. yield count, r
  624. finally:
  625. if hasattr(sys, "getrefcount"):
  626. sys.stderr = save_stderr
  627. def _iterative_matches(self, nodes):
  628. """Helper to iteratively yield the matches."""
  629. nodelen = len(nodes)
  630. if 0 >= self.min:
  631. yield 0, {}
  632. results = []
  633. # generate matches that use just one alt from self.content
  634. for alt in self.content:
  635. for c, r in generate_matches(alt, nodes):
  636. yield c, r
  637. results.append((c, r))
  638. # for each match, iterate down the nodes
  639. while results:
  640. new_results = []
  641. for c0, r0 in results:
  642. # stop if the entire set of nodes has been matched
  643. if c0 < nodelen and c0 <= self.max:
  644. for alt in self.content:
  645. for c1, r1 in generate_matches(alt, nodes[c0:]):
  646. if c1 > 0:
  647. r = {}
  648. r.update(r0)
  649. r.update(r1)
  650. yield c0 + c1, r
  651. new_results.append((c0 + c1, r))
  652. results = new_results
  653. def _bare_name_matches(self, nodes):
  654. """Special optimized matcher for bare_name."""
  655. count = 0
  656. r = {}
  657. done = False
  658. max = len(nodes)
  659. while not done and count < max:
  660. done = True
  661. for leaf in self.content:
  662. if leaf[0].match(nodes[count], r):
  663. count += 1
  664. done = False
  665. break
  666. r[self.name] = nodes[:count]
  667. return count, r
  668. def _recursive_matches(self, nodes, count):
  669. """Helper to recursively yield the matches."""
  670. assert self.content is not None
  671. if count >= self.min:
  672. yield 0, {}
  673. if count < self.max:
  674. for alt in self.content:
  675. for c0, r0 in generate_matches(alt, nodes):
  676. for c1, r1 in self._recursive_matches(nodes[c0:], count+1):
  677. r = {}
  678. r.update(r0)
  679. r.update(r1)
  680. yield c0 + c1, r
  681. class NegatedPattern(BasePattern):
  682. def __init__(self, content=None):
  683. """
  684. Initializer.
  685. The argument is either a pattern or None. If it is None, this
  686. only matches an empty sequence (effectively '$' in regex
  687. lingo). If it is not None, this matches whenever the argument
  688. pattern doesn't have any matches.
  689. """
  690. if content is not None:
  691. assert isinstance(content, BasePattern), repr(content)
  692. self.content = content
  693. def match(self, node):
  694. # We never match a node in its entirety
  695. return False
  696. def match_seq(self, nodes):
  697. # We only match an empty sequence of nodes in its entirety
  698. return len(nodes) == 0
  699. def generate_matches(self, nodes):
  700. if self.content is None:
  701. # Return a match if there is an empty sequence
  702. if len(nodes) == 0:
  703. yield 0, {}
  704. else:
  705. # Return a match if the argument pattern has no matches
  706. for c, r in self.content.generate_matches(nodes):
  707. return
  708. yield 0, {}
  709. def generate_matches(patterns, nodes):
  710. """
  711. Generator yielding matches for a sequence of patterns and nodes.
  712. Args:
  713. patterns: a sequence of patterns
  714. nodes: a sequence of nodes
  715. Yields:
  716. (count, results) tuples where:
  717. count: the entire sequence of patterns matches nodes[:count];
  718. results: dict containing named submatches.
  719. """
  720. if not patterns:
  721. yield 0, {}
  722. else:
  723. p, rest = patterns[0], patterns[1:]
  724. for c0, r0 in p.generate_matches(nodes):
  725. if not rest:
  726. yield c0, r0
  727. else:
  728. for c1, r1 in generate_matches(rest, nodes[c0:]):
  729. r = {}
  730. r.update(r0)
  731. r.update(r1)
  732. yield c0 + c1, r