1 """runpy.py - locating and running Python code using the module namespace
3 Provides support for locating and running Python scripts using the Python
4 module namespace instead of the native filesystem.
6 This allows Python code to play nicely with non-filesystem based PEP 302
7 importers when locating support scripts as well as when importing modules.
9 # Written by Nick Coghlan <ncoghlan at gmail.com>
10 # to implement PEP 338 (Executing Modules as Scripts)
15 from imp
import get_loader
17 from pkgutil
import get_loader
24 def _run_code(code
, run_globals
, init_globals
,
25 mod_name
, mod_fname
, mod_loader
):
26 """Helper for _run_module_code"""
27 if init_globals
is not None:
28 run_globals
.update(init_globals
)
29 run_globals
.update(__name__
= mod_name
,
31 __loader__
= mod_loader
)
32 exec code
in run_globals
35 def _run_module_code(code
, init_globals
=None,
36 mod_name
=None, mod_fname
=None,
37 mod_loader
=None, alter_sys
=False):
38 """Helper for run_module"""
39 # Set up the top level namespace dictionary
41 # Modify sys.argv[0] and sys.module[mod_name]
42 temp_module
= imp
.new_module(mod_name
)
43 mod_globals
= temp_module
.__dict
__
44 saved_argv0
= sys
.argv
[0]
45 restore_module
= mod_name
in sys
.modules
47 saved_module
= sys
.modules
[mod_name
]
48 sys
.argv
[0] = mod_fname
49 sys
.modules
[mod_name
] = temp_module
51 _run_code(code
, mod_globals
, init_globals
,
52 mod_name
, mod_fname
, mod_loader
)
54 sys
.argv
[0] = saved_argv0
56 sys
.modules
[mod_name
] = saved_module
58 del sys
.modules
[mod_name
]
59 # Copy the globals of the temporary module, as they
60 # may be cleared when the temporary module goes away
61 return mod_globals
.copy()
63 # Leave the sys module alone
64 return _run_code(code
, {}, init_globals
,
65 mod_name
, mod_fname
, mod_loader
)
68 # This helper is needed due to a missing component in the PEP 302
69 # loader protocol (specifically, "get_filename" is non-standard)
70 def _get_filename(loader
, mod_name
):
72 get_filename
= loader
.get_filename
73 except AttributeError:
76 return get_filename(mod_name
)
79 def run_module(mod_name
, init_globals
=None,
80 run_name
=None, alter_sys
=False):
81 """Execute a module's code without importing it
83 Returns the resulting top level namespace dictionary
85 loader
= get_loader(mod_name
)
87 raise ImportError("No module named " + mod_name
)
88 code
= loader
.get_code(mod_name
)
90 raise ImportError("No code object available for " + mod_name
)
91 filename
= _get_filename(loader
, mod_name
)
94 return _run_module_code(code
, init_globals
, run_name
,
95 filename
, loader
, alter_sys
)
98 if __name__
== "__main__":
99 # Run the module specified as the next command line argument
100 if len(sys
.argv
) < 2:
101 print >> sys
.stderr
, "No module specified for execution"
103 del sys
.argv
[0] # Make the requested module sys.argv[0]
104 run_module(sys
.argv
[0], run_name
="__main__", alter_sys
=True)