TypeError:“列表”对象在python中不可调用

我是Python的新手,并且正在学习教程。list本教程中有一个示例:

example = list('easyhoss')

现在,在教程中,example= ['e','a',...,'s']。但就我而言,我得到以下错误:

>>> example = list('easyhoss')

Traceback (most recent call last):

File "<stdin>", line 1, in <module>

TypeError: 'list' object is not callable

回答:

好像你已经用list指向类实例的相同名称遮盖了指向类的内置名称。这是一个例子:

>>> example = list('easyhoss')  # here `list` refers to the builtin class

>>> list = list('abc') # we create a variable `list` referencing an instance of `list`

>>> example = list('easyhoss') # here `list` refers to the instance

Traceback (most recent call last):

File "<string>", line 1, in <module>

TypeError: 'list' object is not callable

  1. 我相信这是显而易见的。Python将对象名称(函数和类也是对象)存储在字典中(命名空间实现为字典),因此你可以在任何范围内重写几乎任何名称。它不会显示为某种错误。如你所知,Python强调“特殊情况不足以打破规则”。你面临的问题背后有两个主要规则。

命名空间。Python支持嵌套名称空间。从理论上讲,你可以无休止地嵌套名称空间。正如我已经提到的,名称空间基本上是名称和对相应对象的引用的字典。你创建的任何模块都有其自己的“全局”名称空间。实际上,它只是特定模块的本地名称空间。

  1. 范围界定。引用名称时,Python运行时会在本地名称空间(相对于引用)中查找该名称,如果该名称不存在,它将在更高级别的名称空间中重复该尝试。该过程将继续进行,直到没有更高的名称空间为止。在这种情况下,你会得到一个NameError。内置函数和类驻留在特殊的高级命名空间中__builtins__。如果你list在模块的全局命名空间中声明了一个命名的变量,则解释器将永远不会在更高级别的命名空间(即__builtins__)中搜索该名称。同样,假设你var在模块中的函数内部创建一个变量,并在模块中创建另一个变量var。然后,如果var在函数内部引用,则永远不会获得全局var,因为var本地名称空间中有一个-解释器无需在其他位置搜索它。

这是一个简单的例子。

    >>> example = list("abc") # Works fine

# Creating name "list" in the global namespace of the module

>>> list = list("abc")

>>> example = list("abc")

Traceback (most recent call last):

File "<stdin>", line 1, in <module>

TypeError: 'list' object is not callable

# Python looks for "list" and finds it in the global namespace.

# But it's not the proper "list".

# Let's remove "list" from the global namespace

>>> del list

# Since there is no "list" in the global namespace of the module,

# Python goes to a higher-level namespace to find the name.

>>> example = list("abc") # It works.

因此,如你所见,Python内置函数没有什么特别的。你的情况仅仅是通用规则的示例。你最好使用IDE(例如带有Python插件的PyCharm或Atom的免费版本)来突出显示名称阴影,以避免此类错误。

你可能还想知道什么是“可调用的”,在这种情况下,你可以阅读以下文章:https : //stackoverflow.com/a/111255/3846213。list,是一个类,是可以调用的。调用类会触发实例构造和初始化。实例可能是可调用的,但list实例不是。如果你对类和实例之间的区别更加困惑,那么你可能想要阅读文档(非常方便,同一页面介绍了名称空间和作用域)。

如果你想进一步了解内建函数,请阅读Christian Dean的答案。

聚苯乙烯

当启动交互式Python会话时,你将创建一个临时模块。

以上是 TypeError:“列表”对象在python中不可调用 的全部内容, 来源链接: utcz.com/qa/434246.html

回到顶部