parse.py 7.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201
  1. # Copyright 2004-2005 Elemental Security, Inc. All Rights Reserved.
  2. # Licensed to PSF under a Contributor Agreement.
  3. """Parser engine for the grammar tables generated by pgen.
  4. The grammar table must be loaded first.
  5. See Parser/parser.c in the Python distribution for additional info on
  6. how this parsing engine works.
  7. """
  8. # Local imports
  9. from . import token
  10. class ParseError(Exception):
  11. """Exception to signal the parser is stuck."""
  12. def __init__(self, msg, type, value, context):
  13. Exception.__init__(self, "%s: type=%r, value=%r, context=%r" %
  14. (msg, type, value, context))
  15. self.msg = msg
  16. self.type = type
  17. self.value = value
  18. self.context = context
  19. class Parser(object):
  20. """Parser engine.
  21. The proper usage sequence is:
  22. p = Parser(grammar, [converter]) # create instance
  23. p.setup([start]) # prepare for parsing
  24. <for each input token>:
  25. if p.addtoken(...): # parse a token; may raise ParseError
  26. break
  27. root = p.rootnode # root of abstract syntax tree
  28. A Parser instance may be reused by calling setup() repeatedly.
  29. A Parser instance contains state pertaining to the current token
  30. sequence, and should not be used concurrently by different threads
  31. to parse separate token sequences.
  32. See driver.py for how to get input tokens by tokenizing a file or
  33. string.
  34. Parsing is complete when addtoken() returns True; the root of the
  35. abstract syntax tree can then be retrieved from the rootnode
  36. instance variable. When a syntax error occurs, addtoken() raises
  37. the ParseError exception. There is no error recovery; the parser
  38. cannot be used after a syntax error was reported (but it can be
  39. reinitialized by calling setup()).
  40. """
  41. def __init__(self, grammar, convert=None):
  42. """Constructor.
  43. The grammar argument is a grammar.Grammar instance; see the
  44. grammar module for more information.
  45. The parser is not ready yet for parsing; you must call the
  46. setup() method to get it started.
  47. The optional convert argument is a function mapping concrete
  48. syntax tree nodes to abstract syntax tree nodes. If not
  49. given, no conversion is done and the syntax tree produced is
  50. the concrete syntax tree. If given, it must be a function of
  51. two arguments, the first being the grammar (a grammar.Grammar
  52. instance), and the second being the concrete syntax tree node
  53. to be converted. The syntax tree is converted from the bottom
  54. up.
  55. A concrete syntax tree node is a (type, value, context, nodes)
  56. tuple, where type is the node type (a token or symbol number),
  57. value is None for symbols and a string for tokens, context is
  58. None or an opaque value used for error reporting (typically a
  59. (lineno, offset) pair), and nodes is a list of children for
  60. symbols, and None for tokens.
  61. An abstract syntax tree node may be anything; this is entirely
  62. up to the converter function.
  63. """
  64. self.grammar = grammar
  65. self.convert = convert or (lambda grammar, node: node)
  66. def setup(self, start=None):
  67. """Prepare for parsing.
  68. This *must* be called before starting to parse.
  69. The optional argument is an alternative start symbol; it
  70. defaults to the grammar's start symbol.
  71. You can use a Parser instance to parse any number of programs;
  72. each time you call setup() the parser is reset to an initial
  73. state determined by the (implicit or explicit) start symbol.
  74. """
  75. if start is None:
  76. start = self.grammar.start
  77. # Each stack entry is a tuple: (dfa, state, node).
  78. # A node is a tuple: (type, value, context, children),
  79. # where children is a list of nodes or None, and context may be None.
  80. newnode = (start, None, None, [])
  81. stackentry = (self.grammar.dfas[start], 0, newnode)
  82. self.stack = [stackentry]
  83. self.rootnode = None
  84. self.used_names = set() # Aliased to self.rootnode.used_names in pop()
  85. def addtoken(self, type, value, context):
  86. """Add a token; return True iff this is the end of the program."""
  87. # Map from token to label
  88. ilabel = self.classify(type, value, context)
  89. # Loop until the token is shifted; may raise exceptions
  90. while True:
  91. dfa, state, node = self.stack[-1]
  92. states, first = dfa
  93. arcs = states[state]
  94. # Look for a state with this label
  95. for i, newstate in arcs:
  96. t, v = self.grammar.labels[i]
  97. if ilabel == i:
  98. # Look it up in the list of labels
  99. assert t < 256
  100. # Shift a token; we're done with it
  101. self.shift(type, value, newstate, context)
  102. # Pop while we are in an accept-only state
  103. state = newstate
  104. while states[state] == [(0, state)]:
  105. self.pop()
  106. if not self.stack:
  107. # Done parsing!
  108. return True
  109. dfa, state, node = self.stack[-1]
  110. states, first = dfa
  111. # Done with this token
  112. return False
  113. elif t >= 256:
  114. # See if it's a symbol and if we're in its first set
  115. itsdfa = self.grammar.dfas[t]
  116. itsstates, itsfirst = itsdfa
  117. if ilabel in itsfirst:
  118. # Push a symbol
  119. self.push(t, self.grammar.dfas[t], newstate, context)
  120. break # To continue the outer while loop
  121. else:
  122. if (0, state) in arcs:
  123. # An accepting state, pop it and try something else
  124. self.pop()
  125. if not self.stack:
  126. # Done parsing, but another token is input
  127. raise ParseError("too much input",
  128. type, value, context)
  129. else:
  130. # No success finding a transition
  131. raise ParseError("bad input", type, value, context)
  132. def classify(self, type, value, context):
  133. """Turn a token into a label. (Internal)"""
  134. if type == token.NAME:
  135. # Keep a listing of all used names
  136. self.used_names.add(value)
  137. # Check for reserved words
  138. ilabel = self.grammar.keywords.get(value)
  139. if ilabel is not None:
  140. return ilabel
  141. ilabel = self.grammar.tokens.get(type)
  142. if ilabel is None:
  143. raise ParseError("bad token", type, value, context)
  144. return ilabel
  145. def shift(self, type, value, newstate, context):
  146. """Shift a token. (Internal)"""
  147. dfa, state, node = self.stack[-1]
  148. newnode = (type, value, context, None)
  149. newnode = self.convert(self.grammar, newnode)
  150. if newnode is not None:
  151. node[-1].append(newnode)
  152. self.stack[-1] = (dfa, newstate, node)
  153. def push(self, type, newdfa, newstate, context):
  154. """Push a nonterminal. (Internal)"""
  155. dfa, state, node = self.stack[-1]
  156. newnode = (type, None, context, [])
  157. self.stack[-1] = (dfa, newstate, node)
  158. self.stack.append((newdfa, 0, newnode))
  159. def pop(self):
  160. """Pop a nonterminal. (Internal)"""
  161. popdfa, popstate, popnode = self.stack.pop()
  162. newnode = self.convert(self.grammar, popnode)
  163. if newnode is not None:
  164. if self.stack:
  165. dfa, state, node = self.stack[-1]
  166. node[-1].append(newnode)
  167. else:
  168. self.rootnode = newnode
  169. self.rootnode.used_names = self.used_names