runpy.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285
  1. """runpy.py - locating and running Python code using the module namespace
  2. Provides support for locating and running Python scripts using the Python
  3. module namespace instead of the native filesystem.
  4. This allows Python code to play nicely with non-filesystem based PEP 302
  5. importers when locating support scripts as well as when importing modules.
  6. """
  7. # Written by Nick Coghlan <ncoghlan at gmail.com>
  8. # to implement PEP 338 (Executing Modules as Scripts)
  9. import sys
  10. import importlib.machinery # importlib first so we can test #15386 via -m
  11. import importlib.util
  12. import types
  13. from pkgutil import read_code, get_importer
  14. __all__ = [
  15. "run_module", "run_path",
  16. ]
  17. class _TempModule(object):
  18. """Temporarily replace a module in sys.modules with an empty namespace"""
  19. def __init__(self, mod_name):
  20. self.mod_name = mod_name
  21. self.module = types.ModuleType(mod_name)
  22. self._saved_module = []
  23. def __enter__(self):
  24. mod_name = self.mod_name
  25. try:
  26. self._saved_module.append(sys.modules[mod_name])
  27. except KeyError:
  28. pass
  29. sys.modules[mod_name] = self.module
  30. return self
  31. def __exit__(self, *args):
  32. if self._saved_module:
  33. sys.modules[self.mod_name] = self._saved_module[0]
  34. else:
  35. del sys.modules[self.mod_name]
  36. self._saved_module = []
  37. class _ModifiedArgv0(object):
  38. def __init__(self, value):
  39. self.value = value
  40. self._saved_value = self._sentinel = object()
  41. def __enter__(self):
  42. if self._saved_value is not self._sentinel:
  43. raise RuntimeError("Already preserving saved value")
  44. self._saved_value = sys.argv[0]
  45. sys.argv[0] = self.value
  46. def __exit__(self, *args):
  47. self.value = self._sentinel
  48. sys.argv[0] = self._saved_value
  49. # TODO: Replace these helpers with importlib._bootstrap_external functions.
  50. def _run_code(code, run_globals, init_globals=None,
  51. mod_name=None, mod_spec=None,
  52. pkg_name=None, script_name=None):
  53. """Helper to run code in nominated namespace"""
  54. if init_globals is not None:
  55. run_globals.update(init_globals)
  56. if mod_spec is None:
  57. loader = None
  58. fname = script_name
  59. cached = None
  60. else:
  61. loader = mod_spec.loader
  62. fname = mod_spec.origin
  63. cached = mod_spec.cached
  64. if pkg_name is None:
  65. pkg_name = mod_spec.parent
  66. run_globals.update(__name__ = mod_name,
  67. __file__ = fname,
  68. __cached__ = cached,
  69. __doc__ = None,
  70. __loader__ = loader,
  71. __package__ = pkg_name,
  72. __spec__ = mod_spec)
  73. exec(code, run_globals)
  74. return run_globals
  75. def _run_module_code(code, init_globals=None,
  76. mod_name=None, mod_spec=None,
  77. pkg_name=None, script_name=None):
  78. """Helper to run code in new namespace with sys modified"""
  79. fname = script_name if mod_spec is None else mod_spec.origin
  80. with _TempModule(mod_name) as temp_module, _ModifiedArgv0(fname):
  81. mod_globals = temp_module.module.__dict__
  82. _run_code(code, mod_globals, init_globals,
  83. mod_name, mod_spec, pkg_name, script_name)
  84. # Copy the globals of the temporary module, as they
  85. # may be cleared when the temporary module goes away
  86. return mod_globals.copy()
  87. # Helper to get the loader, code and filename for a module
  88. def _get_module_details(mod_name, error=ImportError):
  89. if mod_name.startswith("."):
  90. raise error("Relative module names not supported")
  91. pkg_name, _, _ = mod_name.rpartition(".")
  92. if pkg_name:
  93. # Try importing the parent to avoid catching initialization errors
  94. try:
  95. __import__(pkg_name)
  96. except ImportError as e:
  97. # If the parent or higher ancestor package is missing, let the
  98. # error be raised by find_spec() below and then be caught. But do
  99. # not allow other errors to be caught.
  100. if e.name is None or (e.name != pkg_name and
  101. not pkg_name.startswith(e.name + ".")):
  102. raise
  103. try:
  104. spec = importlib.util.find_spec(mod_name)
  105. except (ImportError, AttributeError, TypeError, ValueError) as ex:
  106. # This hack fixes an impedance mismatch between pkgutil and
  107. # importlib, where the latter raises other errors for cases where
  108. # pkgutil previously raised ImportError
  109. msg = "Error while finding spec for {!r} ({}: {})"
  110. raise error(msg.format(mod_name, type(ex).__name__, ex)) from ex
  111. if spec is None:
  112. raise error("No module named %s" % mod_name)
  113. if spec.submodule_search_locations is not None:
  114. if mod_name == "__main__" or mod_name.endswith(".__main__"):
  115. raise error("Cannot use package as __main__ module")
  116. try:
  117. pkg_main_name = mod_name + ".__main__"
  118. return _get_module_details(pkg_main_name, error)
  119. except error as e:
  120. if mod_name not in sys.modules:
  121. raise # No module loaded; being a package is irrelevant
  122. raise error(("%s; %r is a package and cannot " +
  123. "be directly executed") %(e, mod_name))
  124. loader = spec.loader
  125. if loader is None:
  126. raise error("%r is a namespace package and cannot be executed"
  127. % mod_name)
  128. try:
  129. code = loader.get_code(mod_name)
  130. except ImportError as e:
  131. raise error(format(e)) from e
  132. if code is None:
  133. raise error("No code object available for %s" % mod_name)
  134. return mod_name, spec, code
  135. class _Error(Exception):
  136. """Error that _run_module_as_main() should report without a traceback"""
  137. # XXX ncoghlan: Should this be documented and made public?
  138. # (Current thoughts: don't repeat the mistake that lead to its
  139. # creation when run_module() no longer met the needs of
  140. # mainmodule.c, but couldn't be changed because it was public)
  141. def _run_module_as_main(mod_name, alter_argv=True):
  142. """Runs the designated module in the __main__ namespace
  143. Note that the executed module will have full access to the
  144. __main__ namespace. If this is not desirable, the run_module()
  145. function should be used to run the module code in a fresh namespace.
  146. At the very least, these variables in __main__ will be overwritten:
  147. __name__
  148. __file__
  149. __cached__
  150. __loader__
  151. __package__
  152. """
  153. try:
  154. if alter_argv or mod_name != "__main__": # i.e. -m switch
  155. mod_name, mod_spec, code = _get_module_details(mod_name, _Error)
  156. else: # i.e. directory or zipfile execution
  157. mod_name, mod_spec, code = _get_main_module_details(_Error)
  158. except _Error as exc:
  159. msg = "%s: %s" % (sys.executable, exc)
  160. sys.exit(msg)
  161. main_globals = sys.modules["__main__"].__dict__
  162. if alter_argv:
  163. sys.argv[0] = mod_spec.origin
  164. return _run_code(code, main_globals, None,
  165. "__main__", mod_spec)
  166. def run_module(mod_name, init_globals=None,
  167. run_name=None, alter_sys=False):
  168. """Execute a module's code without importing it
  169. Returns the resulting top level namespace dictionary
  170. """
  171. mod_name, mod_spec, code = _get_module_details(mod_name)
  172. if run_name is None:
  173. run_name = mod_name
  174. if alter_sys:
  175. return _run_module_code(code, init_globals, run_name, mod_spec)
  176. else:
  177. # Leave the sys module alone
  178. return _run_code(code, {}, init_globals, run_name, mod_spec)
  179. def _get_main_module_details(error=ImportError):
  180. # Helper that gives a nicer error message when attempting to
  181. # execute a zipfile or directory by invoking __main__.py
  182. # Also moves the standard __main__ out of the way so that the
  183. # preexisting __loader__ entry doesn't cause issues
  184. main_name = "__main__"
  185. saved_main = sys.modules[main_name]
  186. del sys.modules[main_name]
  187. try:
  188. return _get_module_details(main_name)
  189. except ImportError as exc:
  190. if main_name in str(exc):
  191. raise error("can't find %r module in %r" %
  192. (main_name, sys.path[0])) from exc
  193. raise
  194. finally:
  195. sys.modules[main_name] = saved_main
  196. def _get_code_from_file(run_name, fname):
  197. # Check for a compiled file first
  198. with open(fname, "rb") as f:
  199. code = read_code(f)
  200. if code is None:
  201. # That didn't work, so try it as normal source code
  202. with open(fname, "rb") as f:
  203. code = compile(f.read(), fname, 'exec')
  204. return code, fname
  205. def run_path(path_name, init_globals=None, run_name=None):
  206. """Execute code located at the specified filesystem location
  207. Returns the resulting top level namespace dictionary
  208. The file path may refer directly to a Python script (i.e.
  209. one that could be directly executed with execfile) or else
  210. it may refer to a zipfile or directory containing a top
  211. level __main__.py script.
  212. """
  213. if run_name is None:
  214. run_name = "<run_path>"
  215. pkg_name = run_name.rpartition(".")[0]
  216. importer = get_importer(path_name)
  217. # Trying to avoid importing imp so as to not consume the deprecation warning.
  218. is_NullImporter = False
  219. if type(importer).__module__ == 'imp':
  220. if type(importer).__name__ == 'NullImporter':
  221. is_NullImporter = True
  222. if isinstance(importer, type(None)) or is_NullImporter:
  223. # Not a valid sys.path entry, so run the code directly
  224. # execfile() doesn't help as we want to allow compiled files
  225. code, fname = _get_code_from_file(run_name, path_name)
  226. return _run_module_code(code, init_globals, run_name,
  227. pkg_name=pkg_name, script_name=fname)
  228. else:
  229. # Importer is defined for path, so add it to
  230. # the start of sys.path
  231. sys.path.insert(0, path_name)
  232. try:
  233. # Here's where things are a little different from the run_module
  234. # case. There, we only had to replace the module in sys while the
  235. # code was running and doing so was somewhat optional. Here, we
  236. # have no choice and we have to remove it even while we read the
  237. # code. If we don't do this, a __loader__ attribute in the
  238. # existing __main__ module may prevent location of the new module.
  239. mod_name, mod_spec, code = _get_main_module_details()
  240. with _TempModule(run_name) as temp_module, \
  241. _ModifiedArgv0(path_name):
  242. mod_globals = temp_module.module.__dict__
  243. return _run_code(code, mod_globals, init_globals,
  244. run_name, mod_spec, pkg_name).copy()
  245. finally:
  246. try:
  247. sys.path.remove(path_name)
  248. except ValueError:
  249. pass
  250. if __name__ == "__main__":
  251. # Run the module specified as the next command line argument
  252. if len(sys.argv) < 2:
  253. print("No module specified for execution", file=sys.stderr)
  254. else:
  255. del sys.argv[0] # Make the requested module sys.argv[0]
  256. _run_module_as_main(sys.argv[0])