一尘不染

有没有办法在Python中访问父模块

python

我需要知道是否存在从子模块访问父模块的方法。如果我导入子模块:

from subprocess import types

我有types-是否有一些Python魔术可以从中访问subprocess模块types?上课与此类似().__class__.__bases__[0].__subclasses__()


阅读 134

收藏
2021-01-20

共1个答案

一尘不染

如果您已经访问了模块,则通常可以从sys.modules词典中访问它。Python不会使用名称保留“父指针”,特别是因为这种关系不是一对一的。例如,使用您的示例:

>>> from subprocess import types
>>> types
<module 'types' from '/opt/local/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/types.pyc'>
>>> import sys
>>> sys.modules['subprocess']
<module 'subprocess' from '/opt/local/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/subprocess.pyc'>

如果你会注意到存在types的在subprocess模块只是一个假象import types在里面的语句。只要import types您需要该模块即可。

实际上,将来的版本subprocess可能不再导入types,并且您的代码将中断。您应该只导入出现在__all__模块列表中的名称;考虑其他名称作为实现细节。

因此,例如:

>>> import subprocess
>>> dir(subprocess)
['CalledProcessError', 'MAXFD', 'PIPE', 'Popen', 'STDOUT', '_PIPE_BUF', '__all__', '__builtins__', '__doc__',
 '__file__', '__name__', '__package__', '_active', '_cleanup', '_demo_posix', '_demo_windows', '_eintr_retry_call',
 '_has_poll', 'call', 'check_call', 'check_output', 'errno', 'fcntl', 'gc', 'list2cmdline', 'mswindows', 'os',
 'pickle', 'select', 'signal', 'sys', 'traceback', 'types']
>>> subprocess.__all__
['Popen', 'PIPE', 'STDOUT', 'call', 'check_call', 'check_output', 'CalledProcessError']

您可以看到其中可见的大多数名称subprocess只是它导入的其他顶级模块。

2021-01-20