1

我是 Python 新手。最近我正在阅读Python 教程,我有一个关于“import *”的问题。这是教程所说的:

如果 __all__ 没有定义,则 from sound.effects import * 语句不会将 sound.effects 包中的所有子模块导入当前命名空间;它只确保包 sound.effects 已被导入(可能在 __init__.py 中运行任何初始化代码),然后导入包中定义的任何名称。这包括由 __init__.py 定义的任何名称(以及显式加载的子模块)。

据我了解,不应该from sound.effects import *表示“全部导入 sound.effects”吗?“它只确保包 sound.effects”已被导入”是什么意思?有人可以解释这一段,因为我现在真的很困惑?非常感谢。

4

3 回答 3

2

“它只确保已导入包 sound.effects”是什么意思?

导入模块意味着在文件内的最高缩进级别执行所有语句。大多数这些语句将是 def 或 class 语句,它们创建一个函数或类并为其命名;但如果还有其他语句,它们也会被执行。

james@Brindle:/tmp$ cat sound/effects/utils.py
mystring = "hello world"

def myfunc():
    print mystring

myfunc()
james@Brindle:/tmp$ python
Python 2.7.5 (default, Jun 14 2013, 22:12:26)
[GCC 4.2.1 Compatible Apple LLVM 5.0 (clang-500.0.60)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> import sound.effects.utils
hello world
>>> dir(sound.effects.utils)
['__builtins__', '__doc__', '__file__', '__name__', '__package__', 'myfunc', 'mystring']
>>>

在此示例中,您可以看到导入模块 sound.effects.utils 已在模块内部定义了名称“mystring”和“myfunc”,并在文件的最后一行定义了对“myfunc”的调用。

“导入包sound.effects”是指“导入(即执行)名为sound/effects/ init .py 的文件中的模块”。

当描述说

然后导入包中定义的任何名称

它(令人困惑地)对“导入”一词使用了不同的含义。在这种情况下,这意味着包中定义的名称(即init .py 中定义的名称)被复制到包的命名空间中。

如果我们将sounds/effects/utils.py之前的名称重命名为sounds/effects/__init__.py,则会发生以下情况:

>>> import sound.effects
hello world
>>> dir(sound.effects)
['__builtins__', '__doc__', '__file__', '__name__', '__package__', '__path__', 'myfunc', 'mystring']
>>> locals()
{'__builtins__': <module '__builtin__' (built-in)>, '__name__': '__main__', 'sound': <module 'sound' from 'sound/__init__.pyc'>, '__doc__': None, '__package__': None}

和以前一样,myfunc并且mystring已创建,现在它们位于sounds.effects名称空间中。

from x import y语法将事物加载到本地命名空间而不是它们自己的命名空间,因此如果我们切换import sound.effectsfrom sound.effects import *这些名称,则会将它们加载到本地命名空间中:

>>> locals()
{'__builtins__': <module '__builtin__' (built-in)>, '__name__': '__main__', '__doc__': None, '__package__': None}
>>> from sound.effects import *
hello world
>>> locals()
{'myfunc': <function myfunc at 0x109eb29b0>, '__builtins__': <module '__builtin__' (built-in)>, '__package__': None, 'mystring': 'hello world', '__name__': '__main__', '__doc__': None}
>>>
于 2013-07-09T03:17:45.303 回答
0

简要地:

据我了解,不应该from sound.effects import *是“在sound.effects下全部导入”吗?

不,它应该意味着import sound.effects,然后使其所有成员都可以无条件使用。

换句话说,它是关于 的成员sound.effects而不是它下面的任何模块或包。

如果是包,则sound.effects子模块或子包不会自动成为. 而且,如果它不是成员,它将不会在您的模块中可用。sound.effects.foosound.effects

那么,这个“不一定”的资格是怎么回事?好吧,一旦你import sound.effects.foo,它就成为了sound.effects。所以,如果你(或其他人——比如,说,soundsound.effects)已经这样做了import,那么sound.effects.foo 被复制到你的模块中from sound.effects import *

这就是最后一句话中的括号部分的全部内容:

这包括由__init__.py.

于 2013-07-09T03:17:53.223 回答
0
    import file

    v = file.Class(...)

是正常导入时必须做的,但是'from file import ' * 表示可以使用文件的所有内容而不需要关键字。代替“*”,您可以指定特定的类等...

于 2013-07-09T03:06:25.610 回答