gpt4 book ai didi

python - 类从封闭范围获取 kwargs

转载 作者:太空狗 更新时间:2023-10-30 02:19:28 25 4
gpt4 key购买 nike

Python 似乎从类方法的封闭范围中推断出一些 kwargs,我不确定为什么。我正在实现 Trie:

class TrieNode(object):
def __init__(self, value = None, children = {}):
self.children = children
self.value = value

def __getitem__(self, key):
if key == "":
return self.value
return self.children[key[0]].__getitem__(key[1:])

def __setitem__(self, key, value):
if key == "":
self.value = value
return
if key[0] not in self.children:
self.children[key[0]] = TrieNode()
self.children[key[0]].__setitem__(key[1:], value)

在倒数第二行,我创建了一个新的 TrieNode,其中大概有一个空的子字典。但是,当我检查生成的数据结构时,树中的所有 TrieNode 都使用相同的子字典。即,如果我们这样做:

>>>test = TrieNode()
>>>test["pickle"] = 5
>>>test.children.keys()
['c', 'e', 'i', 'k', 'l', 'p']

而 test 的子节点应该只包含指向新 TrieNode 的“p”。另一方面,如果我们进入该代码的倒数第二行并将其替换为:

        self.children[key[0]] = TrieNode(children = {})

然后它按预期工作。那么,self.children 字典以某种方式作为 kwarg 隐式传递给 TrieNode(),但为什么呢?

最佳答案

你有一个 mutable default argument问题。将你的 __init__ 函数改成这样

def __init__(self, value=None, children=None):
if not children:
children = {}

children 的默认值只会在函数创建时计算一次,而您希望它在每次调用时都是一个新的字典。

这是一个使用列表的问题的简单示例

>>> def f(seq=[]):
... seq.append('x') #append one 'x' to the argument
... print(seq) # print it
>>> f() # as expected
['x']
>>> f() # but this appends 'x' to the same list
['x', 'x']
>>> f() # again it grows
['x', 'x', 'x']
>>> f()
['x', 'x', 'x', 'x']
>>> f()
['x', 'x', 'x', 'x', 'x']

正如我链接到的答案所描述的,这最终会咬住每个 python 程序员。

关于python - 类从封闭范围获取 kwargs,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/29759387/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com