Python 对象引用、可变性和垃圾回收
- 1. == 和 is 的区别
- 2. 垃圾回收
- 3. 一个经典的参数引用错误(重点)
1. == 和 is 的区别
== 判断符是调用类的 eq 方法,is 是调用 id() 判断 id 是否相等。
a = [1,2,3,4]
b = [1,2,3,4]
class People:
pass
person = People()
# 也可以用 isinstance
if type(person) is People:
print ("yes")
# True
print(a == b)
# id 不同
print (id(a), id(b))
# False
print (a is b)
2. 垃圾回收
在 C++ 语言中,delete 关键字直接将一个变量回收了,但是在 Python 中,**del 关键字是将一个变量的引用计数器减一,当减到0的时候,就会回收该变量。**对于自定义类,del 关键字是调用类中的 del 方法。
3. 一个经典的参数引用错误(重点)
下面的例子诠释了传递 list 导致的对象成员值相互污染。解决办法是:传递 tuple。
class Company:
def __init__(self, name, staffs=[]):
self.name = name
self.staffs = staffs
def add(self, staff_name):
self.staffs.append(staff_name)
def remove(self, staff_name):
self.staffs.remove(staff_name)
if __name__ == "__main__":
com1 = Company("com1", ["bobby1", "bobby2"])
com1.add("bobby3")
com1.remove("bobby1")
print (com1.staffs)
com2 = Company("com2")
com2.add("bobby")
print(com2.staffs)
print (Company.__init__.__defaults__)
com3 = Company("com3")
com3.add("bobby5")
# 下面会发现 com2 和 com3 的 staffs 成员值一样,这是由于 list 是可变对象的缘故
print (com2.staffs)
print (com3.staffs)
print (com2.staffs is com3.staffs)