pkgutil.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629
  1. """Utilities to support packages."""
  2. from functools import singledispatch as simplegeneric
  3. import importlib
  4. import importlib.util
  5. import importlib.machinery
  6. import os
  7. import os.path
  8. import sys
  9. from types import ModuleType
  10. import warnings
  11. __all__ = [
  12. 'get_importer', 'iter_importers', 'get_loader', 'find_loader',
  13. 'walk_packages', 'iter_modules', 'get_data',
  14. 'ImpImporter', 'ImpLoader', 'read_code', 'extend_path',
  15. ]
  16. def _get_spec(finder, name):
  17. """Return the finder-specific module spec."""
  18. # Works with legacy finders.
  19. try:
  20. find_spec = finder.find_spec
  21. except AttributeError:
  22. loader = finder.find_module(name)
  23. if loader is None:
  24. return None
  25. return importlib.util.spec_from_loader(name, loader)
  26. else:
  27. return find_spec(name)
  28. def read_code(stream):
  29. # This helper is needed in order for the PEP 302 emulation to
  30. # correctly handle compiled files
  31. import marshal
  32. magic = stream.read(4)
  33. if magic != importlib.util.MAGIC_NUMBER:
  34. return None
  35. stream.read(8) # Skip timestamp and size
  36. return marshal.load(stream)
  37. def walk_packages(path=None, prefix='', onerror=None):
  38. """Yields (module_loader, name, ispkg) for all modules recursively
  39. on path, or, if path is None, all accessible modules.
  40. 'path' should be either None or a list of paths to look for
  41. modules in.
  42. 'prefix' is a string to output on the front of every module name
  43. on output.
  44. Note that this function must import all *packages* (NOT all
  45. modules!) on the given path, in order to access the __path__
  46. attribute to find submodules.
  47. 'onerror' is a function which gets called with one argument (the
  48. name of the package which was being imported) if any exception
  49. occurs while trying to import a package. If no onerror function is
  50. supplied, ImportErrors are caught and ignored, while all other
  51. exceptions are propagated, terminating the search.
  52. Examples:
  53. # list all modules python can access
  54. walk_packages()
  55. # list all submodules of ctypes
  56. walk_packages(ctypes.__path__, ctypes.__name__+'.')
  57. """
  58. def seen(p, m={}):
  59. if p in m:
  60. return True
  61. m[p] = True
  62. for importer, name, ispkg in iter_modules(path, prefix):
  63. yield importer, name, ispkg
  64. if ispkg:
  65. try:
  66. __import__(name)
  67. except ImportError:
  68. if onerror is not None:
  69. onerror(name)
  70. except Exception:
  71. if onerror is not None:
  72. onerror(name)
  73. else:
  74. raise
  75. else:
  76. path = getattr(sys.modules[name], '__path__', None) or []
  77. # don't traverse path items we've seen before
  78. path = [p for p in path if not seen(p)]
  79. yield from walk_packages(path, name+'.', onerror)
  80. def iter_modules(path=None, prefix=''):
  81. """Yields (module_loader, name, ispkg) for all submodules on path,
  82. or, if path is None, all top-level modules on sys.path.
  83. 'path' should be either None or a list of paths to look for
  84. modules in.
  85. 'prefix' is a string to output on the front of every module name
  86. on output.
  87. """
  88. if path is None:
  89. importers = iter_importers()
  90. else:
  91. importers = map(get_importer, path)
  92. yielded = {}
  93. for i in importers:
  94. for name, ispkg in iter_importer_modules(i, prefix):
  95. if name not in yielded:
  96. yielded[name] = 1
  97. yield i, name, ispkg
  98. @simplegeneric
  99. def iter_importer_modules(importer, prefix=''):
  100. if not hasattr(importer, 'iter_modules'):
  101. return []
  102. return importer.iter_modules(prefix)
  103. # Implement a file walker for the normal importlib path hook
  104. def _iter_file_finder_modules(importer, prefix=''):
  105. if importer.path is None or not os.path.isdir(importer.path):
  106. return
  107. yielded = {}
  108. import inspect
  109. try:
  110. filenames = os.listdir(importer.path)
  111. except OSError:
  112. # ignore unreadable directories like import does
  113. filenames = []
  114. filenames.sort() # handle packages before same-named modules
  115. for fn in filenames:
  116. modname = inspect.getmodulename(fn)
  117. if modname=='__init__' or modname in yielded:
  118. continue
  119. path = os.path.join(importer.path, fn)
  120. ispkg = False
  121. if not modname and os.path.isdir(path) and '.' not in fn:
  122. modname = fn
  123. try:
  124. dircontents = os.listdir(path)
  125. except OSError:
  126. # ignore unreadable directories like import does
  127. dircontents = []
  128. for fn in dircontents:
  129. subname = inspect.getmodulename(fn)
  130. if subname=='__init__':
  131. ispkg = True
  132. break
  133. else:
  134. continue # not a package
  135. if modname and '.' not in modname:
  136. yielded[modname] = 1
  137. yield prefix + modname, ispkg
  138. iter_importer_modules.register(
  139. importlib.machinery.FileFinder, _iter_file_finder_modules)
  140. def _import_imp():
  141. global imp
  142. with warnings.catch_warnings():
  143. warnings.simplefilter('ignore', PendingDeprecationWarning)
  144. imp = importlib.import_module('imp')
  145. class ImpImporter:
  146. """PEP 302 Importer that wraps Python's "classic" import algorithm
  147. ImpImporter(dirname) produces a PEP 302 importer that searches that
  148. directory. ImpImporter(None) produces a PEP 302 importer that searches
  149. the current sys.path, plus any modules that are frozen or built-in.
  150. Note that ImpImporter does not currently support being used by placement
  151. on sys.meta_path.
  152. """
  153. def __init__(self, path=None):
  154. global imp
  155. warnings.warn("This emulation is deprecated, use 'importlib' instead",
  156. DeprecationWarning)
  157. _import_imp()
  158. self.path = path
  159. def find_module(self, fullname, path=None):
  160. # Note: we ignore 'path' argument since it is only used via meta_path
  161. subname = fullname.split(".")[-1]
  162. if subname != fullname and self.path is None:
  163. return None
  164. if self.path is None:
  165. path = None
  166. else:
  167. path = [os.path.realpath(self.path)]
  168. try:
  169. file, filename, etc = imp.find_module(subname, path)
  170. except ImportError:
  171. return None
  172. return ImpLoader(fullname, file, filename, etc)
  173. def iter_modules(self, prefix=''):
  174. if self.path is None or not os.path.isdir(self.path):
  175. return
  176. yielded = {}
  177. import inspect
  178. try:
  179. filenames = os.listdir(self.path)
  180. except OSError:
  181. # ignore unreadable directories like import does
  182. filenames = []
  183. filenames.sort() # handle packages before same-named modules
  184. for fn in filenames:
  185. modname = inspect.getmodulename(fn)
  186. if modname=='__init__' or modname in yielded:
  187. continue
  188. path = os.path.join(self.path, fn)
  189. ispkg = False
  190. if not modname and os.path.isdir(path) and '.' not in fn:
  191. modname = fn
  192. try:
  193. dircontents = os.listdir(path)
  194. except OSError:
  195. # ignore unreadable directories like import does
  196. dircontents = []
  197. for fn in dircontents:
  198. subname = inspect.getmodulename(fn)
  199. if subname=='__init__':
  200. ispkg = True
  201. break
  202. else:
  203. continue # not a package
  204. if modname and '.' not in modname:
  205. yielded[modname] = 1
  206. yield prefix + modname, ispkg
  207. class ImpLoader:
  208. """PEP 302 Loader that wraps Python's "classic" import algorithm
  209. """
  210. code = source = None
  211. def __init__(self, fullname, file, filename, etc):
  212. warnings.warn("This emulation is deprecated, use 'importlib' instead",
  213. DeprecationWarning)
  214. _import_imp()
  215. self.file = file
  216. self.filename = filename
  217. self.fullname = fullname
  218. self.etc = etc
  219. def load_module(self, fullname):
  220. self._reopen()
  221. try:
  222. mod = imp.load_module(fullname, self.file, self.filename, self.etc)
  223. finally:
  224. if self.file:
  225. self.file.close()
  226. # Note: we don't set __loader__ because we want the module to look
  227. # normal; i.e. this is just a wrapper for standard import machinery
  228. return mod
  229. def get_data(self, pathname):
  230. with open(pathname, "rb") as file:
  231. return file.read()
  232. def _reopen(self):
  233. if self.file and self.file.closed:
  234. mod_type = self.etc[2]
  235. if mod_type==imp.PY_SOURCE:
  236. self.file = open(self.filename, 'r')
  237. elif mod_type in (imp.PY_COMPILED, imp.C_EXTENSION):
  238. self.file = open(self.filename, 'rb')
  239. def _fix_name(self, fullname):
  240. if fullname is None:
  241. fullname = self.fullname
  242. elif fullname != self.fullname:
  243. raise ImportError("Loader for module %s cannot handle "
  244. "module %s" % (self.fullname, fullname))
  245. return fullname
  246. def is_package(self, fullname):
  247. fullname = self._fix_name(fullname)
  248. return self.etc[2]==imp.PKG_DIRECTORY
  249. def get_code(self, fullname=None):
  250. fullname = self._fix_name(fullname)
  251. if self.code is None:
  252. mod_type = self.etc[2]
  253. if mod_type==imp.PY_SOURCE:
  254. source = self.get_source(fullname)
  255. self.code = compile(source, self.filename, 'exec')
  256. elif mod_type==imp.PY_COMPILED:
  257. self._reopen()
  258. try:
  259. self.code = read_code(self.file)
  260. finally:
  261. self.file.close()
  262. elif mod_type==imp.PKG_DIRECTORY:
  263. self.code = self._get_delegate().get_code()
  264. return self.code
  265. def get_source(self, fullname=None):
  266. fullname = self._fix_name(fullname)
  267. if self.source is None:
  268. mod_type = self.etc[2]
  269. if mod_type==imp.PY_SOURCE:
  270. self._reopen()
  271. try:
  272. self.source = self.file.read()
  273. finally:
  274. self.file.close()
  275. elif mod_type==imp.PY_COMPILED:
  276. if os.path.exists(self.filename[:-1]):
  277. with open(self.filename[:-1], 'r') as f:
  278. self.source = f.read()
  279. elif mod_type==imp.PKG_DIRECTORY:
  280. self.source = self._get_delegate().get_source()
  281. return self.source
  282. def _get_delegate(self):
  283. finder = ImpImporter(self.filename)
  284. spec = _get_spec(finder, '__init__')
  285. return spec.loader
  286. def get_filename(self, fullname=None):
  287. fullname = self._fix_name(fullname)
  288. mod_type = self.etc[2]
  289. if mod_type==imp.PKG_DIRECTORY:
  290. return self._get_delegate().get_filename()
  291. elif mod_type in (imp.PY_SOURCE, imp.PY_COMPILED, imp.C_EXTENSION):
  292. return self.filename
  293. return None
  294. try:
  295. import zipimport
  296. from zipimport import zipimporter
  297. def iter_zipimport_modules(importer, prefix=''):
  298. dirlist = sorted(zipimport._zip_directory_cache[importer.archive])
  299. _prefix = importer.prefix
  300. plen = len(_prefix)
  301. yielded = {}
  302. import inspect
  303. for fn in dirlist:
  304. if not fn.startswith(_prefix):
  305. continue
  306. fn = fn[plen:].split(os.sep)
  307. if len(fn)==2 and fn[1].startswith('__init__.py'):
  308. if fn[0] not in yielded:
  309. yielded[fn[0]] = 1
  310. yield prefix + fn[0], True
  311. if len(fn)!=1:
  312. continue
  313. modname = inspect.getmodulename(fn[0])
  314. if modname=='__init__':
  315. continue
  316. if modname and '.' not in modname and modname not in yielded:
  317. yielded[modname] = 1
  318. yield prefix + modname, False
  319. iter_importer_modules.register(zipimporter, iter_zipimport_modules)
  320. except ImportError:
  321. pass
  322. def get_importer(path_item):
  323. """Retrieve a PEP 302 importer for the given path item
  324. The returned importer is cached in sys.path_importer_cache
  325. if it was newly created by a path hook.
  326. The cache (or part of it) can be cleared manually if a
  327. rescan of sys.path_hooks is necessary.
  328. """
  329. try:
  330. importer = sys.path_importer_cache[path_item]
  331. except KeyError:
  332. for path_hook in sys.path_hooks:
  333. try:
  334. importer = path_hook(path_item)
  335. sys.path_importer_cache.setdefault(path_item, importer)
  336. break
  337. except ImportError:
  338. pass
  339. else:
  340. importer = None
  341. return importer
  342. def iter_importers(fullname=""):
  343. """Yield PEP 302 importers for the given module name
  344. If fullname contains a '.', the importers will be for the package
  345. containing fullname, otherwise they will be all registered top level
  346. importers (i.e. those on both sys.meta_path and sys.path_hooks).
  347. If the named module is in a package, that package is imported as a side
  348. effect of invoking this function.
  349. If no module name is specified, all top level importers are produced.
  350. """
  351. if fullname.startswith('.'):
  352. msg = "Relative module name {!r} not supported".format(fullname)
  353. raise ImportError(msg)
  354. if '.' in fullname:
  355. # Get the containing package's __path__
  356. pkg_name = fullname.rpartition(".")[0]
  357. pkg = importlib.import_module(pkg_name)
  358. path = getattr(pkg, '__path__', None)
  359. if path is None:
  360. return
  361. else:
  362. yield from sys.meta_path
  363. path = sys.path
  364. for item in path:
  365. yield get_importer(item)
  366. def get_loader(module_or_name):
  367. """Get a PEP 302 "loader" object for module_or_name
  368. Returns None if the module cannot be found or imported.
  369. If the named module is not already imported, its containing package
  370. (if any) is imported, in order to establish the package __path__.
  371. """
  372. if module_or_name in sys.modules:
  373. module_or_name = sys.modules[module_or_name]
  374. if module_or_name is None:
  375. return None
  376. if isinstance(module_or_name, ModuleType):
  377. module = module_or_name
  378. loader = getattr(module, '__loader__', None)
  379. if loader is not None:
  380. return loader
  381. if getattr(module, '__spec__', None) is None:
  382. return None
  383. fullname = module.__name__
  384. else:
  385. fullname = module_or_name
  386. return find_loader(fullname)
  387. def find_loader(fullname):
  388. """Find a PEP 302 "loader" object for fullname
  389. This is a backwards compatibility wrapper around
  390. importlib.util.find_spec that converts most failures to ImportError
  391. and only returns the loader rather than the full spec
  392. """
  393. if fullname.startswith('.'):
  394. msg = "Relative module name {!r} not supported".format(fullname)
  395. raise ImportError(msg)
  396. try:
  397. spec = importlib.util.find_spec(fullname)
  398. except (ImportError, AttributeError, TypeError, ValueError) as ex:
  399. # This hack fixes an impedance mismatch between pkgutil and
  400. # importlib, where the latter raises other errors for cases where
  401. # pkgutil previously raised ImportError
  402. msg = "Error while finding loader for {!r} ({}: {})"
  403. raise ImportError(msg.format(fullname, type(ex), ex)) from ex
  404. return spec.loader if spec is not None else None
  405. def extend_path(path, name):
  406. """Extend a package's path.
  407. Intended use is to place the following code in a package's __init__.py:
  408. from pkgutil import extend_path
  409. __path__ = extend_path(__path__, __name__)
  410. This will add to the package's __path__ all subdirectories of
  411. directories on sys.path named after the package. This is useful
  412. if one wants to distribute different parts of a single logical
  413. package as multiple directories.
  414. It also looks for *.pkg files beginning where * matches the name
  415. argument. This feature is similar to *.pth files (see site.py),
  416. except that it doesn't special-case lines starting with 'import'.
  417. A *.pkg file is trusted at face value: apart from checking for
  418. duplicates, all entries found in a *.pkg file are added to the
  419. path, regardless of whether they are exist the filesystem. (This
  420. is a feature.)
  421. If the input path is not a list (as is the case for frozen
  422. packages) it is returned unchanged. The input path is not
  423. modified; an extended copy is returned. Items are only appended
  424. to the copy at the end.
  425. It is assumed that sys.path is a sequence. Items of sys.path that
  426. are not (unicode or 8-bit) strings referring to existing
  427. directories are ignored. Unicode items of sys.path that cause
  428. errors when used as filenames may cause this function to raise an
  429. exception (in line with os.path.isdir() behavior).
  430. """
  431. if not isinstance(path, list):
  432. # This could happen e.g. when this is called from inside a
  433. # frozen package. Return the path unchanged in that case.
  434. return path
  435. sname_pkg = name + ".pkg"
  436. path = path[:] # Start with a copy of the existing path
  437. parent_package, _, final_name = name.rpartition('.')
  438. if parent_package:
  439. try:
  440. search_path = sys.modules[parent_package].__path__
  441. except (KeyError, AttributeError):
  442. # We can't do anything: find_loader() returns None when
  443. # passed a dotted name.
  444. return path
  445. else:
  446. search_path = sys.path
  447. for dir in search_path:
  448. if not isinstance(dir, str):
  449. continue
  450. finder = get_importer(dir)
  451. if finder is not None:
  452. portions = []
  453. if hasattr(finder, 'find_spec'):
  454. spec = finder.find_spec(final_name)
  455. if spec is not None:
  456. portions = spec.submodule_search_locations or []
  457. # Is this finder PEP 420 compliant?
  458. elif hasattr(finder, 'find_loader'):
  459. _, portions = finder.find_loader(final_name)
  460. for portion in portions:
  461. # XXX This may still add duplicate entries to path on
  462. # case-insensitive filesystems
  463. if portion not in path:
  464. path.append(portion)
  465. # XXX Is this the right thing for subpackages like zope.app?
  466. # It looks for a file named "zope.app.pkg"
  467. pkgfile = os.path.join(dir, sname_pkg)
  468. if os.path.isfile(pkgfile):
  469. try:
  470. f = open(pkgfile)
  471. except OSError as msg:
  472. sys.stderr.write("Can't open %s: %s\n" %
  473. (pkgfile, msg))
  474. else:
  475. with f:
  476. for line in f:
  477. line = line.rstrip('\n')
  478. if not line or line.startswith('#'):
  479. continue
  480. path.append(line) # Don't check for existence!
  481. return path
  482. def get_data(package, resource):
  483. """Get a resource from a package.
  484. This is a wrapper round the PEP 302 loader get_data API. The package
  485. argument should be the name of a package, in standard module format
  486. (foo.bar). The resource argument should be in the form of a relative
  487. filename, using '/' as the path separator. The parent directory name '..'
  488. is not allowed, and nor is a rooted name (starting with a '/').
  489. The function returns a binary string, which is the contents of the
  490. specified resource.
  491. For packages located in the filesystem, which have already been imported,
  492. this is the rough equivalent of
  493. d = os.path.dirname(sys.modules[package].__file__)
  494. data = open(os.path.join(d, resource), 'rb').read()
  495. If the package cannot be located or loaded, or it uses a PEP 302 loader
  496. which does not support get_data(), then None is returned.
  497. """
  498. spec = importlib.util.find_spec(package)
  499. if spec is None:
  500. return None
  501. loader = spec.loader
  502. if loader is None or not hasattr(loader, 'get_data'):
  503. return None
  504. # XXX needs test
  505. mod = (sys.modules.get(package) or
  506. importlib._bootstrap._load(spec))
  507. if mod is None or not hasattr(mod, '__file__'):
  508. return None
  509. # Modify the resource name to be compatible with the loader.get_data
  510. # signature - an os.path format "filename" starting with the dirname of
  511. # the package's __file__
  512. parts = resource.split('/')
  513. parts.insert(0, os.path.dirname(mod.__file__))
  514. resource_name = os.path.join(*parts)
  515. return loader.get_data(resource_name)