Python中可變(mutable)與不可變(immutable)的數(shù)據(jù)類型讓新手很是頭痛。簡單的說,可變(mutable)意味著"可以被改動",而不可變(immutable)的意思是“常量(constant)”。想把腦筋轉(zhuǎn)動起來嗎?考慮下這個例子:
foo = ['hi']
print(foo)
# Output: ['hi']
bar = foo
bar += ['bye']
print(foo)
# Output: ['hi', 'bye']
剛剛發(fā)生了什么?我們預(yù)期的不是那樣!我們期望看到是這樣的:
foo = ['hi']
print(foo)
# Output: ['hi']
bar = foo
bar += ['bye']
print(foo)
# Output: ['hi']
print(bar)
# Output: ['hi', 'bye']
這不是一個bug。這是對象可變性(mutability)在作怪。每當你將一個變量賦值為另一個可變類型的變量時,對這個數(shù)據(jù)的任意改動會同時反映到這兩個變量上去。新變量只不過是老變量的一個別名而已。這個情況只是針對可變數(shù)據(jù)類型。下面的函數(shù)和可變數(shù)據(jù)類型讓你一下就明白了:
def add_to(num, target=[]):
target.append(num)
return target
add_to(1)
# Output: [1]
add_to(2)
# Output: [1, 2]
add_to(3)
# Output: [1, 2, 3]
你可能預(yù)期它表現(xiàn)的不是這樣子。你可能希望,當你調(diào)用add_to
時,有一個新的列表被創(chuàng)建,就像這樣:
def add_to(num, target=[]):
target.append(num)
return target
add_to(1)
# Output: [1]
add_to(2)
# Output: [2]
add_to(3)
# Output: [3]
啊哈!這次又沒有達到預(yù)期,是列表的可變性在作怪。在Python中當函數(shù)被定義時,默認參數(shù)只會運算一次,而不是每次被調(diào)用時都會重新運算。你應(yīng)該永遠不要定義可變類型的默認參數(shù),除非你知道你正在做什么。你應(yīng)該像這樣做:
def add_to(element, target=None):
if target is None:
target = []
target.append(element)
return target
現(xiàn)在每當你在調(diào)用這個函數(shù)不傳入target
參數(shù)的時候,一個新的列表會被創(chuàng)建。舉個例子:
add_to(42)
# Output: [42]
add_to(42)
# Output: [42]
add_to(42)
# Output: [42]