fixer_base.py 6.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189
  1. # Copyright 2006 Google, Inc. All Rights Reserved.
  2. # Licensed to PSF under a Contributor Agreement.
  3. """Base class for fixers (optional, but recommended)."""
  4. # Python imports
  5. import logging
  6. import itertools
  7. # Local imports
  8. from .patcomp import PatternCompiler
  9. from . import pygram
  10. from .fixer_util import does_tree_import
  11. class BaseFix(object):
  12. """Optional base class for fixers.
  13. The subclass name must be FixFooBar where FooBar is the result of
  14. removing underscores and capitalizing the words of the fix name.
  15. For example, the class name for a fixer named 'has_key' should be
  16. FixHasKey.
  17. """
  18. PATTERN = None # Most subclasses should override with a string literal
  19. pattern = None # Compiled pattern, set by compile_pattern()
  20. pattern_tree = None # Tree representation of the pattern
  21. options = None # Options object passed to initializer
  22. filename = None # The filename (set by set_filename)
  23. logger = None # A logger (set by set_filename)
  24. numbers = itertools.count(1) # For new_name()
  25. used_names = set() # A set of all used NAMEs
  26. order = "post" # Does the fixer prefer pre- or post-order traversal
  27. explicit = False # Is this ignored by refactor.py -f all?
  28. run_order = 5 # Fixers will be sorted by run order before execution
  29. # Lower numbers will be run first.
  30. _accept_type = None # [Advanced and not public] This tells RefactoringTool
  31. # which node type to accept when there's not a pattern.
  32. keep_line_order = False # For the bottom matcher: match with the
  33. # original line order
  34. BM_compatible = False # Compatibility with the bottom matching
  35. # module; every fixer should set this
  36. # manually
  37. # Shortcut for access to Python grammar symbols
  38. syms = pygram.python_symbols
  39. def __init__(self, options, log):
  40. """Initializer. Subclass may override.
  41. Args:
  42. options: a dict containing the options passed to RefactoringTool
  43. that could be used to customize the fixer through the command line.
  44. log: a list to append warnings and other messages to.
  45. """
  46. self.options = options
  47. self.log = log
  48. self.compile_pattern()
  49. def compile_pattern(self):
  50. """Compiles self.PATTERN into self.pattern.
  51. Subclass may override if it doesn't want to use
  52. self.{pattern,PATTERN} in .match().
  53. """
  54. if self.PATTERN is not None:
  55. PC = PatternCompiler()
  56. self.pattern, self.pattern_tree = PC.compile_pattern(self.PATTERN,
  57. with_tree=True)
  58. def set_filename(self, filename):
  59. """Set the filename, and a logger derived from it.
  60. The main refactoring tool should call this.
  61. """
  62. self.filename = filename
  63. self.logger = logging.getLogger(filename)
  64. def match(self, node):
  65. """Returns match for a given parse tree node.
  66. Should return a true or false object (not necessarily a bool).
  67. It may return a non-empty dict of matching sub-nodes as
  68. returned by a matching pattern.
  69. Subclass may override.
  70. """
  71. results = {"node": node}
  72. return self.pattern.match(node, results) and results
  73. def transform(self, node, results):
  74. """Returns the transformation for a given parse tree node.
  75. Args:
  76. node: the root of the parse tree that matched the fixer.
  77. results: a dict mapping symbolic names to part of the match.
  78. Returns:
  79. None, or a node that is a modified copy of the
  80. argument node. The node argument may also be modified in-place to
  81. effect the same change.
  82. Subclass *must* override.
  83. """
  84. raise NotImplementedError()
  85. def new_name(self, template=u"xxx_todo_changeme"):
  86. """Return a string suitable for use as an identifier
  87. The new name is guaranteed not to conflict with other identifiers.
  88. """
  89. name = template
  90. while name in self.used_names:
  91. name = template + unicode(self.numbers.next())
  92. self.used_names.add(name)
  93. return name
  94. def log_message(self, message):
  95. if self.first_log:
  96. self.first_log = False
  97. self.log.append("### In file %s ###" % self.filename)
  98. self.log.append(message)
  99. def cannot_convert(self, node, reason=None):
  100. """Warn the user that a given chunk of code is not valid Python 3,
  101. but that it cannot be converted automatically.
  102. First argument is the top-level node for the code in question.
  103. Optional second argument is why it can't be converted.
  104. """
  105. lineno = node.get_lineno()
  106. for_output = node.clone()
  107. for_output.prefix = u""
  108. msg = "Line %d: could not convert: %s"
  109. self.log_message(msg % (lineno, for_output))
  110. if reason:
  111. self.log_message(reason)
  112. def warning(self, node, reason):
  113. """Used for warning the user about possible uncertainty in the
  114. translation.
  115. First argument is the top-level node for the code in question.
  116. Optional second argument is why it can't be converted.
  117. """
  118. lineno = node.get_lineno()
  119. self.log_message("Line %d: %s" % (lineno, reason))
  120. def start_tree(self, tree, filename):
  121. """Some fixers need to maintain tree-wide state.
  122. This method is called once, at the start of tree fix-up.
  123. tree - the root node of the tree to be processed.
  124. filename - the name of the file the tree came from.
  125. """
  126. self.used_names = tree.used_names
  127. self.set_filename(filename)
  128. self.numbers = itertools.count(1)
  129. self.first_log = True
  130. def finish_tree(self, tree, filename):
  131. """Some fixers need to maintain tree-wide state.
  132. This method is called once, at the conclusion of tree fix-up.
  133. tree - the root node of the tree to be processed.
  134. filename - the name of the file the tree came from.
  135. """
  136. pass
  137. class ConditionalFix(BaseFix):
  138. """ Base class for fixers which not execute if an import is found. """
  139. # This is the name of the import which, if found, will cause the test to be skipped
  140. skip_on = None
  141. def start_tree(self, *args):
  142. super(ConditionalFix, self).start_tree(*args)
  143. self._should_skip = None
  144. def should_skip(self, node):
  145. if self._should_skip is not None:
  146. return self._should_skip
  147. pkg = self.skip_on.split(".")
  148. name = pkg[-1]
  149. pkg = ".".join(pkg[:-1])
  150. self._should_skip = does_tree_import(pkg, name, node)
  151. return self._should_skip