python中所有的數(shù)據(jù)類型都是闰非,數(shù)據(jù)都是對象峭范。
所有的運算符對應(yīng)的操作,本質(zhì)都是在調(diào)用數(shù)據(jù)類型對應(yīng)的魔法方法纱控。(每個運算符都對應(yīng)一個固定的魔法方法)
class Student(object):
def __init__(self, name, age=0, score=0):
self.name = name
self.age = age
self.score = score
def __repr__(self):
return str(self.__dict__)
# 重載加法預(yù)算符
# self + other = return 返回值
def __add__(self, other):
return self.age + other.age
# 重載乘法運算符
def __mul__(self, other):
return self.score * other
# >
def __gt__(self, other):
return self.score > other.score
# <
# def __lt__(self, other):
# return self.score < other.score
# 注意: >和<只需要重載一個
stu1 = Student('小明', 18, 60)
stu2 = Student('小花', 22, 80)
print(stu1 + stu2)
print(stu1 * 10)
print(stu1 > stu2)
print(stu1 < stu2)
all_students = [stu1, stu2, Student('小小', 17, 55), Student('xiaohong', 25, 70)]
all_students.sort()
print(all_students)
練習(xí):讓Student的對象支持乘法運算
運算規(guī)則辆毡, stu1 * 3 = [stu1, stu1, stu1]
class Student:
def __init__(self, name, age, scores):
self.name = name
self.age = age
self.scores = scores
def __mul__(self, count: int):
list1 = []
for x in range(count):
list1.append(self.__dict__)
return list1
stu1 = Student('1', 2, 3)
print(stu1 * 3)
stu1.name = '2'
print(stu1 * 3)
import copy
class Dog:
def __init__(self, name, color='黃色'):
self.name = name
self.color = color
class Student:
def __init__(self, name, age=0, score=0):
self.name = name
self.age = age
self.score = score
self.dog = None
def __repr__(self):
return '<'+str(self.__dict__)[1:-1]+'>'
# *
def __mul__(self, other):
# self = stu1, other = 2
result = []
for _ in range(other):
result.append(self)
return result
stu1 = Student('張三', 18, 90)
print(stu1)
result = stu1 * 2
print(result)
stu1.name = '小明'
print(result)
result[0].name = '小花'
print(stu1, result)
1.一個變量直接給另外一個變量賦值:直接將地址賦值,賦完后兩個變量指向同一塊內(nèi)存區(qū)域舶掖,并且相互影響
stu2 = Student('Lisa', 18, 60)
stu3 = stu2
print(id(stu3), id(stu2))
stu2.age = 28
print(stu3)
2.淺拷貝和深拷貝(面試點!)
拷貝原理: 將被拷貝的對象復(fù)制一份眨攘,產(chǎn)生一個新的數(shù)據(jù),然后將新的數(shù)據(jù)的地址返回
a.淺拷貝
- 列表或字典的copy方法是淺拷貝嚣州、切片也是淺拷貝
- copy.copy(對象) - 復(fù)制指定的對象鲫售,產(chǎn)生一個新的對象(不會復(fù)制子對象)
b.深拷貝
copy.deepcopy(對象) - 復(fù)制指定的對象,產(chǎn)生一個新的對象该肴。如果這個對象中有其他的對象情竹,子對象也會被復(fù)制
print('======淺拷貝=====')
dog1 = Dog('財財')
stu2 = Student('Lisa', 18, 60)
stu2.dog = dog1
stu4 = copy.copy(stu2)
print('stu4:', stu4)
stu2.name = '小花'
print(stu2, stu4)
print('======深拷貝=====')
dog1 = Dog('財財')
stu2 = Student('Lisa', 18, 60)
stu2.dog = dog1
stu4 = copy.deepcopy(stu2)
print('stu4:', stu4)
stu2.name = '小花'
print(stu2, stu4)
1.數(shù)據(jù)的存儲(內(nèi)存開辟)
python的變量都存儲在棧區(qū)間匀哄,對象都在堆區(qū)間秦效。
聲明變量或者給變量賦值拱雏,是先在內(nèi)存(堆)中開辟存儲數(shù)據(jù),然后將數(shù)據(jù)地址保存在變量中铸抑。
但是數(shù)字和字符串特殊,如果是用數(shù)字或者字符串給變量賦值,不會直接開辟空間保存數(shù)據(jù)蒲赂,
而是先在內(nèi)存檢測這個數(shù)據(jù)之前是否已經(jīng)存儲過,如果已經(jīng)存儲直接用上次保存的數(shù)據(jù)木蹬,沒有存儲才會開辟新的空間保存數(shù)據(jù)
2. 內(nèi)存的釋放
1)引用計數(shù)
python每個對象都有一個屬性叫引用計數(shù),用來保存當前對象的引用的個數(shù)镊叁。
python中的垃圾回收機制來判斷一個對象是否銷毀走触,就看這個對象的引用計數(shù)是否為零晦譬,如果為零就會被銷毀互广。