pyclbr.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353
  1. """Parse a Python module and describe its classes and methods.
  2. Parse enough of a Python file to recognize imports and class and
  3. method definitions, and to find out the superclasses of a class.
  4. The interface consists of a single function:
  5. readmodule_ex(module [, path])
  6. where module is the name of a Python module, and path is an optional
  7. list of directories where the module is to be searched. If present,
  8. path is prepended to the system search path sys.path. The return
  9. value is a dictionary. The keys of the dictionary are the names of
  10. the classes defined in the module (including classes that are defined
  11. via the from XXX import YYY construct). The values are class
  12. instances of the class Class defined here. One special key/value pair
  13. is present for packages: the key '__path__' has a list as its value
  14. which contains the package search path.
  15. A class is described by the class Class in this module. Instances
  16. of this class have the following instance variables:
  17. module -- the module name
  18. name -- the name of the class
  19. super -- a list of super classes (Class instances)
  20. methods -- a dictionary of methods
  21. file -- the file in which the class was defined
  22. lineno -- the line in the file on which the class statement occurred
  23. The dictionary of methods uses the method names as keys and the line
  24. numbers on which the method was defined as values.
  25. If the name of a super class is not recognized, the corresponding
  26. entry in the list of super classes is not a class instance but a
  27. string giving the name of the super class. Since import statements
  28. are recognized and imported modules are scanned as well, this
  29. shouldn't happen often.
  30. A function is described by the class Function in this module.
  31. Instances of this class have the following instance variables:
  32. module -- the module name
  33. name -- the name of the class
  34. file -- the file in which the class was defined
  35. lineno -- the line in the file on which the class statement occurred
  36. """
  37. import io
  38. import os
  39. import sys
  40. import importlib.util
  41. import tokenize
  42. from token import NAME, DEDENT, OP
  43. from operator import itemgetter
  44. __all__ = ["readmodule", "readmodule_ex", "Class", "Function"]
  45. _modules = {} # cache of modules we've seen
  46. # each Python class is represented by an instance of this class
  47. class Class:
  48. '''Class to represent a Python class.'''
  49. def __init__(self, module, name, super, file, lineno):
  50. self.module = module
  51. self.name = name
  52. if super is None:
  53. super = []
  54. self.super = super
  55. self.methods = {}
  56. self.file = file
  57. self.lineno = lineno
  58. def _addmethod(self, name, lineno):
  59. self.methods[name] = lineno
  60. class Function:
  61. '''Class to represent a top-level Python function'''
  62. def __init__(self, module, name, file, lineno):
  63. self.module = module
  64. self.name = name
  65. self.file = file
  66. self.lineno = lineno
  67. def readmodule(module, path=None):
  68. '''Backwards compatible interface.
  69. Call readmodule_ex() and then only keep Class objects from the
  70. resulting dictionary.'''
  71. res = {}
  72. for key, value in _readmodule(module, path or []).items():
  73. if isinstance(value, Class):
  74. res[key] = value
  75. return res
  76. def readmodule_ex(module, path=None):
  77. '''Read a module file and return a dictionary of classes.
  78. Search for MODULE in PATH and sys.path, read and parse the
  79. module and return a dictionary with one entry for each class
  80. found in the module.
  81. '''
  82. return _readmodule(module, path or [])
  83. def _readmodule(module, path, inpackage=None):
  84. '''Do the hard work for readmodule[_ex].
  85. If INPACKAGE is given, it must be the dotted name of the package in
  86. which we are searching for a submodule, and then PATH must be the
  87. package search path; otherwise, we are searching for a top-level
  88. module, and PATH is combined with sys.path.
  89. '''
  90. # Compute the full module name (prepending inpackage if set)
  91. if inpackage is not None:
  92. fullmodule = "%s.%s" % (inpackage, module)
  93. else:
  94. fullmodule = module
  95. # Check in the cache
  96. if fullmodule in _modules:
  97. return _modules[fullmodule]
  98. # Initialize the dict for this module's contents
  99. dict = {}
  100. # Check if it is a built-in module; we don't do much for these
  101. if module in sys.builtin_module_names and inpackage is None:
  102. _modules[module] = dict
  103. return dict
  104. # Check for a dotted module name
  105. i = module.rfind('.')
  106. if i >= 0:
  107. package = module[:i]
  108. submodule = module[i+1:]
  109. parent = _readmodule(package, path, inpackage)
  110. if inpackage is not None:
  111. package = "%s.%s" % (inpackage, package)
  112. if not '__path__' in parent:
  113. raise ImportError('No package named {}'.format(package))
  114. return _readmodule(submodule, parent['__path__'], package)
  115. # Search the path for the module
  116. f = None
  117. if inpackage is not None:
  118. search_path = path
  119. else:
  120. search_path = path + sys.path
  121. # XXX This will change once issue19944 lands.
  122. spec = importlib.util._find_spec_from_path(fullmodule, search_path)
  123. _modules[fullmodule] = dict
  124. # is module a package?
  125. if spec.submodule_search_locations is not None:
  126. dict['__path__'] = spec.submodule_search_locations
  127. try:
  128. source = spec.loader.get_source(fullmodule)
  129. if source is None:
  130. return dict
  131. except (AttributeError, ImportError):
  132. # not Python source, can't do anything with this module
  133. return dict
  134. fname = spec.loader.get_filename(fullmodule)
  135. f = io.StringIO(source)
  136. stack = [] # stack of (class, indent) pairs
  137. g = tokenize.generate_tokens(f.readline)
  138. try:
  139. for tokentype, token, start, _end, _line in g:
  140. if tokentype == DEDENT:
  141. lineno, thisindent = start
  142. # close nested classes and defs
  143. while stack and stack[-1][1] >= thisindent:
  144. del stack[-1]
  145. elif token == 'def':
  146. lineno, thisindent = start
  147. # close previous nested classes and defs
  148. while stack and stack[-1][1] >= thisindent:
  149. del stack[-1]
  150. tokentype, meth_name, start = next(g)[0:3]
  151. if tokentype != NAME:
  152. continue # Syntax error
  153. if stack:
  154. cur_class = stack[-1][0]
  155. if isinstance(cur_class, Class):
  156. # it's a method
  157. cur_class._addmethod(meth_name, lineno)
  158. # else it's a nested def
  159. else:
  160. # it's a function
  161. dict[meth_name] = Function(fullmodule, meth_name,
  162. fname, lineno)
  163. stack.append((None, thisindent)) # Marker for nested fns
  164. elif token == 'class':
  165. lineno, thisindent = start
  166. # close previous nested classes and defs
  167. while stack and stack[-1][1] >= thisindent:
  168. del stack[-1]
  169. tokentype, class_name, start = next(g)[0:3]
  170. if tokentype != NAME:
  171. continue # Syntax error
  172. # parse what follows the class name
  173. tokentype, token, start = next(g)[0:3]
  174. inherit = None
  175. if token == '(':
  176. names = [] # List of superclasses
  177. # there's a list of superclasses
  178. level = 1
  179. super = [] # Tokens making up current superclass
  180. while True:
  181. tokentype, token, start = next(g)[0:3]
  182. if token in (')', ',') and level == 1:
  183. n = "".join(super)
  184. if n in dict:
  185. # we know this super class
  186. n = dict[n]
  187. else:
  188. c = n.split('.')
  189. if len(c) > 1:
  190. # super class is of the form
  191. # module.class: look in module for
  192. # class
  193. m = c[-2]
  194. c = c[-1]
  195. if m in _modules:
  196. d = _modules[m]
  197. if c in d:
  198. n = d[c]
  199. names.append(n)
  200. super = []
  201. if token == '(':
  202. level += 1
  203. elif token == ')':
  204. level -= 1
  205. if level == 0:
  206. break
  207. elif token == ',' and level == 1:
  208. pass
  209. # only use NAME and OP (== dot) tokens for type name
  210. elif tokentype in (NAME, OP) and level == 1:
  211. super.append(token)
  212. # expressions in the base list are not supported
  213. inherit = names
  214. cur_class = Class(fullmodule, class_name, inherit,
  215. fname, lineno)
  216. if not stack:
  217. dict[class_name] = cur_class
  218. stack.append((cur_class, thisindent))
  219. elif token == 'import' and start[1] == 0:
  220. modules = _getnamelist(g)
  221. for mod, _mod2 in modules:
  222. try:
  223. # Recursively read the imported module
  224. if inpackage is None:
  225. _readmodule(mod, path)
  226. else:
  227. try:
  228. _readmodule(mod, path, inpackage)
  229. except ImportError:
  230. _readmodule(mod, [])
  231. except:
  232. # If we can't find or parse the imported module,
  233. # too bad -- don't die here.
  234. pass
  235. elif token == 'from' and start[1] == 0:
  236. mod, token = _getname(g)
  237. if not mod or token != "import":
  238. continue
  239. names = _getnamelist(g)
  240. try:
  241. # Recursively read the imported module
  242. d = _readmodule(mod, path, inpackage)
  243. except:
  244. # If we can't find or parse the imported module,
  245. # too bad -- don't die here.
  246. continue
  247. # add any classes that were defined in the imported module
  248. # to our name space if they were mentioned in the list
  249. for n, n2 in names:
  250. if n in d:
  251. dict[n2 or n] = d[n]
  252. elif n == '*':
  253. # don't add names that start with _
  254. for n in d:
  255. if n[0] != '_':
  256. dict[n] = d[n]
  257. except StopIteration:
  258. pass
  259. f.close()
  260. return dict
  261. def _getnamelist(g):
  262. # Helper to get a comma-separated list of dotted names plus 'as'
  263. # clauses. Return a list of pairs (name, name2) where name2 is
  264. # the 'as' name, or None if there is no 'as' clause.
  265. names = []
  266. while True:
  267. name, token = _getname(g)
  268. if not name:
  269. break
  270. if token == 'as':
  271. name2, token = _getname(g)
  272. else:
  273. name2 = None
  274. names.append((name, name2))
  275. while token != "," and "\n" not in token:
  276. token = next(g)[1]
  277. if token != ",":
  278. break
  279. return names
  280. def _getname(g):
  281. # Helper to get a dotted name, return a pair (name, token) where
  282. # name is the dotted name, or None if there was no dotted name,
  283. # and token is the next input token.
  284. parts = []
  285. tokentype, token = next(g)[0:2]
  286. if tokentype != NAME and token != '*':
  287. return (None, token)
  288. parts.append(token)
  289. while True:
  290. tokentype, token = next(g)[0:2]
  291. if token != '.':
  292. break
  293. tokentype, token = next(g)[0:2]
  294. if tokentype != NAME:
  295. break
  296. parts.append(token)
  297. return (".".join(parts), token)
  298. def _main():
  299. # Main program for testing.
  300. import os
  301. mod = sys.argv[1]
  302. if os.path.exists(mod):
  303. path = [os.path.dirname(mod)]
  304. mod = os.path.basename(mod)
  305. if mod.lower().endswith(".py"):
  306. mod = mod[:-3]
  307. else:
  308. path = []
  309. dict = readmodule_ex(mod, path)
  310. objs = list(dict.values())
  311. objs.sort(key=lambda a: getattr(a, 'lineno', 0))
  312. for obj in objs:
  313. if isinstance(obj, Class):
  314. print("class", obj.name, obj.super, obj.lineno)
  315. methods = sorted(obj.methods.items(), key=itemgetter(1))
  316. for name, lineno in methods:
  317. if name != "__path__":
  318. print(" def", name, lineno)
  319. elif isinstance(obj, Function):
  320. print("def", obj.name, obj.lineno)
  321. if __name__ == "__main__":
  322. _main()