syntax.py 1.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546
  1. """Check for errs in the AST.
  2. The Python parser does not catch all syntax errors. Others, like
  3. assignments with invalid targets, are caught in the code generation
  4. phase.
  5. The compiler package catches some errors in the transformer module.
  6. But it seems clearer to write checkers that use the AST to detect
  7. errors.
  8. """
  9. from compiler import ast, walk
  10. def check(tree, multi=None):
  11. v = SyntaxErrorChecker(multi)
  12. walk(tree, v)
  13. return v.errors
  14. class SyntaxErrorChecker:
  15. """A visitor to find syntax errors in the AST."""
  16. def __init__(self, multi=None):
  17. """Create new visitor object.
  18. If optional argument multi is not None, then print messages
  19. for each error rather than raising a SyntaxError for the
  20. first.
  21. """
  22. self.multi = multi
  23. self.errors = 0
  24. def error(self, node, msg):
  25. self.errors = self.errors + 1
  26. if self.multi is not None:
  27. print "%s:%s: %s" % (node.filename, node.lineno, msg)
  28. else:
  29. raise SyntaxError, "%s (%s:%s)" % (msg, node.filename, node.lineno)
  30. def visitAssign(self, node):
  31. # the transformer module handles many of these
  32. pass
  33. ## for target in node.nodes:
  34. ## if isinstance(target, ast.AssList):
  35. ## if target.lineno is None:
  36. ## target.lineno = node.lineno
  37. ## self.error(target, "can't assign to list comprehension")