不知何故,在下面的Node类中,wordList
和adjacencyList
变量在Node的所有实例之间共享。
>>> class Node:
... def __init__(self, wordList = [], adjacencyList = []):
... self.wordList = wordList
... self.adjacencyList = adjacencyList
...
>>> a = Node()
>>> b = Node()
>>> a.wordList.append("hahaha")
>>> b.wordList
['hahaha']
>>> b.adjacencyList.append("hoho")
>>> a.adjacencyList
['hoho']
我是否可以继续使用构造函数参数的默认值(在本例中为空列表),但要让a
和b
拥有自己的wordList
和adjacencyList
变量?
我正在使用python 3.1.2。
答案 0 :(得分:115)
可变默认参数通常不会执行您想要的操作。相反,试试这个:
class Node:
def __init__(self, wordList=None, adjacencyList=None):
if wordList is None:
self.wordList = []
else:
self.wordList = wordList
if adjacencyList is None:
self.adjacencyList = []
else:
self.adjacencyList = adjacencyList
答案 1 :(得分:29)
让我们来说明这里发生了什么:
Python 3.1.2 (r312:79147, Sep 27 2010, 09:45:41)
[GCC 4.4.3] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> class Foo:
... def __init__(self, x=[]):
... x.append(1)
...
>>> Foo.__init__.__defaults__
([],)
>>> f = Foo()
>>> Foo.__init__.__defaults__
([1],)
>>> f2 = Foo()
>>> Foo.__init__.__defaults__
([1, 1],)
您可以看到默认参数存储在元组中,元组是相关函数的属性。这实际上与所讨论的类无关,适用于任何功能。在python 2中,属性将是func.func_defaults
。
正如其他海报所指出的那样,您可能希望使用None
作为哨兵值,并为每个实例提供自己的列表。
答案 2 :(得分:16)
我会尝试:
self.wordList = list(wordList)
强制它复制而不是引用同一个对象。
答案 3 :(得分:16)
class Node:
def __init__(self, wordList=None adjacencyList=None):
self.wordList = wordList or []
self.adjacencyList = adjacencyList or []