让kwargs从封闭范围中获取

时间:2015-04-20 22:14:00

标签: python dictionary trie

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']

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

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

然后按预期工作。不知怎的,那么,self.children字典作为一个kwarg隐式传递给TrieNode(),但为什么呢?

2 个答案:

答案 0 :(得分:7)

您遇到mutable default argument问题。将您的__init__功能更改为此

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

子项的默认值仅在函数创建时计算一次,而您希望它在每次调用中都是新的dict。

以下是使用列表

的问题的简单示例
>>> 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程序员。

答案 1 :(得分:0)

您遇到的行为来自以下行:

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

children = {}被称为mutable default argument。在这种情况下,默认参数在函数定义上构造一次,并且每次修改都将影响每个将来的函数调用(使用默认值)。 要解决此问题,您应该将None作为默认值传递(因为None不可变,上面描述的行为不适用):

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