5

给定一个模块名称列表(例如 mymods = ['numpy', 'scipy', ...]),我如何检查模块是否可用?

我尝试了以下但不正确:

for module_name in mymods:
  try:
    import module_name
  except ImportError:
    print "Module %s not found." %(module_name)

谢谢。

4

3 回答 3

10

您可以使用__import__@Vinay 的答案中的函数代码中的try/ except

for module_name in mymods:
  try:
    __import__(module_name)
  except ImportError:
    print "Module %s not found." %(module_name)

或者,要检查可用性但实际加载模块,您可以使用标准库模块imp

import imp
for module_name in mymods:
  try:
    imp.find_module(module_name)
  except ImportError:
    print "Module %s not found." %(module_name)

如果您只想检查可用性,而不是(尚未)加载模块,特别是对于需要一段时间才能加载的模块,这可以大大加快速度。但是请注意,第二种方法仅专门检查模块是否存在——它不检查可能需要的任何其他模块的可用性(因为被检查的import模块在加载时会尝试其他模块)。根据您的确切规格,这可能是一个加号或减号!-)

于 2010-04-11T16:30:16.247 回答
3

使用__import__功能:

>>> for mname in ('sys', 'os', 're'): __import__(mname)
...
<module 'sys' (built-in)>
<module 'os' from 'C:\Python\lib\os.pyc'>
<module 're' from 'C:\Python\lib\re.pyc'>
>>>
于 2010-04-11T16:24:25.560 回答
0

如今,在提出问题 10 多年后,在 Python >= 3.4 中,要走的路是使用importlib.util.find_spec

import importlib
spec = importlib.util.find_spec('path.to.module')
if spam:
    print('module can be imported')

这种机制是他们的首选imp.find_module

import importlib.util
import sys


# this is optional set that if you what load from specific directory
moduledir="d:\\dirtest"

```python
try:
    spec = importlib.util.find_spec('path.to.module', moduledir)
    if spec is None:
        print("Import error 0: " + " module not found")
        sys.exit(0)
    toolbox = spec.loader.load_module()
except (ValueError, ImportError) as msg:
    print("Import error 3: "+str(msg))
    sys.exit(0)

print("load module")

对于旧的 Python 版本,还请查看如何检查 python 模块是否存在而不导入它

于 2021-04-24T19:27:28.660 回答