driver.py 5.0 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157
  1. # Copyright 2004-2005 Elemental Security, Inc. All Rights Reserved.
  2. # Licensed to PSF under a Contributor Agreement.
  3. # Modifications:
  4. # Copyright 2006 Google, Inc. All Rights Reserved.
  5. # Licensed to PSF under a Contributor Agreement.
  6. """Parser driver.
  7. This provides a high-level interface to parse a file into a syntax tree.
  8. """
  9. __author__ = "Guido van Rossum <guido@python.org>"
  10. __all__ = ["Driver", "load_grammar"]
  11. # Python imports
  12. import codecs
  13. import os
  14. import logging
  15. import StringIO
  16. import sys
  17. # Pgen imports
  18. from . import grammar, parse, token, tokenize, pgen
  19. class Driver(object):
  20. def __init__(self, grammar, convert=None, logger=None):
  21. self.grammar = grammar
  22. if logger is None:
  23. logger = logging.getLogger()
  24. self.logger = logger
  25. self.convert = convert
  26. def parse_tokens(self, tokens, debug=False):
  27. """Parse a series of tokens and return the syntax tree."""
  28. # XXX Move the prefix computation into a wrapper around tokenize.
  29. p = parse.Parser(self.grammar, self.convert)
  30. p.setup()
  31. lineno = 1
  32. column = 0
  33. type = value = start = end = line_text = None
  34. prefix = u""
  35. for quintuple in tokens:
  36. type, value, start, end, line_text = quintuple
  37. if start != (lineno, column):
  38. assert (lineno, column) <= start, ((lineno, column), start)
  39. s_lineno, s_column = start
  40. if lineno < s_lineno:
  41. prefix += "\n" * (s_lineno - lineno)
  42. lineno = s_lineno
  43. column = 0
  44. if column < s_column:
  45. prefix += line_text[column:s_column]
  46. column = s_column
  47. if type in (tokenize.COMMENT, tokenize.NL):
  48. prefix += value
  49. lineno, column = end
  50. if value.endswith("\n"):
  51. lineno += 1
  52. column = 0
  53. continue
  54. if type == token.OP:
  55. type = grammar.opmap[value]
  56. if debug:
  57. self.logger.debug("%s %r (prefix=%r)",
  58. token.tok_name[type], value, prefix)
  59. if p.addtoken(type, value, (prefix, start)):
  60. if debug:
  61. self.logger.debug("Stop.")
  62. break
  63. prefix = ""
  64. lineno, column = end
  65. if value.endswith("\n"):
  66. lineno += 1
  67. column = 0
  68. else:
  69. # We never broke out -- EOF is too soon (how can this happen???)
  70. raise parse.ParseError("incomplete input",
  71. type, value, (prefix, start))
  72. return p.rootnode
  73. def parse_stream_raw(self, stream, debug=False):
  74. """Parse a stream and return the syntax tree."""
  75. tokens = tokenize.generate_tokens(stream.readline)
  76. return self.parse_tokens(tokens, debug)
  77. def parse_stream(self, stream, debug=False):
  78. """Parse a stream and return the syntax tree."""
  79. return self.parse_stream_raw(stream, debug)
  80. def parse_file(self, filename, encoding=None, debug=False):
  81. """Parse a file and return the syntax tree."""
  82. stream = codecs.open(filename, "r", encoding)
  83. try:
  84. return self.parse_stream(stream, debug)
  85. finally:
  86. stream.close()
  87. def parse_string(self, text, debug=False):
  88. """Parse a string and return the syntax tree."""
  89. tokens = tokenize.generate_tokens(StringIO.StringIO(text).readline)
  90. return self.parse_tokens(tokens, debug)
  91. def load_grammar(gt="Grammar.txt", gp=None,
  92. save=True, force=False, logger=None):
  93. """Load the grammar (maybe from a pickle)."""
  94. if logger is None:
  95. logger = logging.getLogger()
  96. if gp is None:
  97. head, tail = os.path.splitext(gt)
  98. if tail == ".txt":
  99. tail = ""
  100. gp = head + tail + ".".join(map(str, sys.version_info)) + ".pickle"
  101. if force or not _newer(gp, gt):
  102. logger.info("Generating grammar tables from %s", gt)
  103. g = pgen.generate_grammar(gt)
  104. if save:
  105. logger.info("Writing grammar tables to %s", gp)
  106. try:
  107. g.dump(gp)
  108. except IOError, e:
  109. logger.info("Writing failed:"+str(e))
  110. else:
  111. g = grammar.Grammar()
  112. g.load(gp)
  113. return g
  114. def _newer(a, b):
  115. """Inquire whether file a was written since file b."""
  116. if not os.path.exists(a):
  117. return False
  118. if not os.path.exists(b):
  119. return True
  120. return os.path.getmtime(a) >= os.path.getmtime(b)
  121. def main(*args):
  122. """Main program, when run as a script: produce grammar pickle files.
  123. Calls load_grammar for each argument, a path to a grammar text file.
  124. """
  125. if not args:
  126. args = sys.argv[1:]
  127. logging.basicConfig(level=logging.INFO, stream=sys.stdout,
  128. format='%(message)s')
  129. for gt in args:
  130. load_grammar(gt, save=True, force=True)
  131. return True
  132. if __name__ == "__main__":
  133. sys.exit(int(not main()))