在REPL,尝试使用以下命令将列表分配给变量示例时,您可能会遇到错误“TypeError: 'list' object is not callable”” code:
example = list('easyhoss')
出现此问题的原因是,引用类的 Python 内置名称列表已通过创建同名变量而被隐藏。该变量指向列表类的实例。
为了说明这种阴影:
>>> example = list('easyhoss') # 'list' refers to the builtin class >>> list = list('abc') # Create a variable 'list' referencing an instance of 'list' >>> example = list('easyhoss') # 'list' now refers to the instance Traceback (most recent call last): File "<string>", line 1, in <module> TypeError: 'list' object is not callable
由于 Python 在命名空间中按名称引用对象(包括函数和类),因此您可以重写任何任何范围内的名称。运行时在本地命名空间中搜索该名称,如果未找到,则继续到更高级别的命名空间。此过程一直持续到遇到名称或引发 NameError。
Builtins(例如 list)驻留在高阶命名空间 __builtins__ 中。如果变量列表是在模块的全局命名空间中声明的,解释器将不会在 __builtins__ 中搜索它。同样,如果在函数内创建变量 var,并在全局命名空间中定义另一个 var,则从函数引用 var 将始终引用局部变量。
例如:
>>> example = list("abc") # Works fine >>> >>> # Creating variable "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 finds "list" in the global namespace, >>> # but it is not the desired "list". >>> >>> # Remove "list" from the global namespace >>> del list >>> # Since "list" is no longer in the global namespace, >>> # Python searches in a higher-level namespace. >>> example = list("abc") # Works now
因此,Python 内置函数遵循与所有其他对象相同的规则。本例中所示的阴影可以通过使用突出显示名称阴影问题的 IDE 来避免。
此外,作为类的 list 是可调用的。调用类会触发实例构造和初始化。虽然实例也可以是可调用的,但列表实例却不是。类和实例是 Python 文档中解释的截然不同的概念。
以上是为什么 `example = list(...)` 会引发 `TypeError: 'list' object is not callable`?的详细内容。更多信息请关注PHP中文网其他相关文章!