2

我收到以下错误

AttributeError: 'NoneType' object has no attribute 'add'

当我尝试这个时。

not_yet_bought_set = set()
.
.
.
for value in set_dict.itervalues():
    for item in value:
        not_yet_bought_set = not_yet_bought_set.add(item)

我不明白为什么会出现此错误,是因为我总是将 not_yet_bought_set 设为新的吗?我做这个,因为当我只做

not_yet_bought_set.add(item)

不会有所有值的所有项目。我不知道为什么。

值是集合和

not_yet_bought_set.union(value)

也会产生这个错误

谢谢你的帮助。

4

2 回答 2

3
not_yet_bought_set.add(item)

这将返回None,您将其分配给not_yet_bought_set. 所以,not_yet_bought_set变成None了现在。下一次

not_yet_bought_set = not_yet_bought_set.add(item)

被执行,add将在None. 这就是它失败的原因。

要解决此问题,只需执行此操作。不要把它分配给任何东西。

 not_yet_bought_set.add(item)
于 2013-11-08T07:43:15.853 回答
2

set.add什么都不返回。

>>> s = set()
>>> the_return_value_of_the_add = s.add(1)
>>> the_return_value_of_the_add is None
True

替换以下行:

not_yet_bought_set = not_yet_bought_set.add(item)

和:

not_yet_bought_set.add(item)
于 2013-11-08T07:42:27.647 回答