Python defaultdict class 使用默认值实例化
Python defaultdict class instantiation with default values
当 defaultdict 配置为实例化 class 时,如果 class 具有默认参数,则行为会有所不同。
例如,这是预期的行为:
from typing import List
from collections import defaultdict
class Test:
def __init__(self):
self.values = []
tests = defaultdict(Test)
tests['a'].values.append(1)
tests['b'].values.append(2)
print([f"{id}: {t.values}" for id, t in tests.items()]) #--> ['a: [1]', 'b: [2]']
现在,当 class 具有默认值时,所有对象共享相同的引用:
class Test:
def __init__(self, values = []):
self.values = values
tests = defaultdict(Test)
tests['a'].values.append(1)
tests['b'].values.append(2)
print([f"{id}: {t.values}" for id, t in tests.items()]) #--> ['a: [1, 2]', 'b: [1, 2]']
仅当参数是引用时才会发生这种情况,例如:
class Test:
def __init__(self, values = 0):
self.values = values
tests = defaultdict(Test)
tests['a'].values += 1
tests['b'].values += 1
print([f"{id}: {t.values}" for id, t in tests.items()]) #--> ['a: 1', 'b: 1']
这是为什么?
发生这种情况是因为默认值在定义函数时被精确计算一次,而不是每次调用它时。
https://docs.python-guide.org/writing/gotchas/#mutable-default-arguments
澄清一下,python 中的所有变量都是引用。只是它们所指的有些东西是可变的,有些则不是。
当 defaultdict 配置为实例化 class 时,如果 class 具有默认参数,则行为会有所不同。
例如,这是预期的行为:
from typing import List
from collections import defaultdict
class Test:
def __init__(self):
self.values = []
tests = defaultdict(Test)
tests['a'].values.append(1)
tests['b'].values.append(2)
print([f"{id}: {t.values}" for id, t in tests.items()]) #--> ['a: [1]', 'b: [2]']
现在,当 class 具有默认值时,所有对象共享相同的引用:
class Test:
def __init__(self, values = []):
self.values = values
tests = defaultdict(Test)
tests['a'].values.append(1)
tests['b'].values.append(2)
print([f"{id}: {t.values}" for id, t in tests.items()]) #--> ['a: [1, 2]', 'b: [1, 2]']
仅当参数是引用时才会发生这种情况,例如:
class Test:
def __init__(self, values = 0):
self.values = values
tests = defaultdict(Test)
tests['a'].values += 1
tests['b'].values += 1
print([f"{id}: {t.values}" for id, t in tests.items()]) #--> ['a: 1', 'b: 1']
这是为什么?
发生这种情况是因为默认值在定义函数时被精确计算一次,而不是每次调用它时。
https://docs.python-guide.org/writing/gotchas/#mutable-default-arguments
澄清一下,python 中的所有变量都是引用。只是它们所指的有些东西是可变的,有些则不是。