我是Python的新手,并且正在学习教程。list本教程中有一个示例:
list
example = list('easyhoss')
现在,在教程中,example= ['e','a',...,'s']。但就我而言,我得到以下错误:
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
命名空间。Python支持嵌套名称空间。从理论上讲,你可以无休止地嵌套名称空间。正如我已经提到的,名称空间基本上是名称和对相应对象的引用的字典。你创建的任何模块都有其自己的“全局”名称空间。实际上,它只是特定模块的本地名称空间。
这是一个简单的例子。
>>> 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会话时,你将创建一个临时模块。