Python“a = a-b”和“a- = b”真的相同吗?

时间:2013-04-06 17:20:18

标签: python

似乎a = a-ba -= b不同,我不知道原因。

代码:

cache = {}
def part(word):
    if word in cache:
        return cache[word]
    else:
        uniq = set(word)
        cache[word] = uniq
        return uniq

w1 = "dummy"
w2 = "funny"

# works
test = part(w1)
print(test)
test = test-part(w2)
print(test)
print(cache)

# dont't works
test = part(w1)
print(test)
test -= part(w2) # why it touches "cache"?
print(test)
print(cache)

结果:

set(['y', 'm', 'u', 'd'])
set(['m', 'd'])
{'dummy': set(['y', 'm', 'u', 'd']), 'funny': set(['y', 'n', 'u', 'f'])}
set(['y', 'm', 'u', 'd'])
set(['d', 'm'])
{'dummy': set(['d', 'm']), 'funny': set(['y', 'n', 'u', 'f'])}

如您所见,第三行和最后一行有所不同。为什么在第二种情况下变量“缓存”是不同的? test -= part(w2)test = test-part(w2)不一样?

修改1 - 感谢您的答案,但为什么var cache会发生变化?

2 个答案:

答案 0 :(得分:6)

a = a - b是一项将a替换为新对象的操作 - a - b的结果。

a -= b是一项在a就地运作的操作,并使用b对其进行修改。

在某些方面,这两者是等价的,而在另一些方面,则不是。显而易见的情况是不可变对象,它们的行为相同。在您发现的可变对象上,存在很大差异。

答案 1 :(得分:6)

是的,他们是不同的。比较以下内容:

>>> x = set([1,2,3])
>>> y = x
>>> y -= set([1])
>>> x
set([2, 3])

>>> map(id, (x, y))
[18641904, 18641904]

>>> x = set([1,2,3])
>>> y = x
>>> y = y - set([1])
>>> x
set([1, 2, 3])

>>> map(id, (x, y))
[2774000, 21166000]

换句话说,y -= set(...)更改了y。由于xy都引用同一个对象,因此它们都会发生变化。

另一方面,y = y - set(...)创建一个新对象,重新绑定y以引用这个新对象。 x未受影响,因为它仍然指向旧对象。