python - 實現類的切片、索引、重複、連線等特性
阿新 • • 發佈:2019-01-03
list
#按住ctrl單擊進入檢視list,可以看見list實際是一個類,在python中一切皆物件。發現之前我們學過的列表增刪改查的特性等。
在往後翻,可以看見這些帶雙下劃線的方法,我們稱其為魔術方法。
利用這些魔術方法,可以實現類的切片索引等特性。
例如:
class Student(object): def __init__(self, name, scores): self.name = name self.scores = scores # 索引的是學生的成績 def __getitem__(self, index): # 1).索引值的獲取 print(index, type(index)) return self.scores[index] def __setitem__(self, key, value): # 2). 索引值的重新賦值 self.scores[key] = value def __delitem__(self, key): # 3). 刪除索引值 del self.scores[key] liming = Student('liming',[100,76,85])
測試:
1).索引值的獲取
print(liming[0])
輸出:索引為0 ,int型別,索引值為100
2).索引值的重新賦值
liming[0] = 90
print(liming[0])
3). 刪除索引值
del liming[0]
print(liming[:2])
4).切片值的獲取
print(liming[:2])
print(liming[-2:])
5).切片值的重新賦值
liming[:2] = [10,10]
print(liming.scores)
6). 刪除切片值
del liming[:2] print(liming.scores)
重複、連線、成員操作符、for迴圈、比較大小的實現
class Student(object): def __init__(self,name,scores): self.name = name self.scores = scores def __mul__(self, other): # 4). 實現*的效果, 具體返回什麼取決於程式碼的業務需求 """對於學生的每一門成績乘3""" return [i*other for i in self.scores] def __add__(self, other): # 5). 連線的時候必須是同一種資料;型別 # 將兩個學生的成績拼接起來 return self.scores + other.scores def __contains__(self, item): # 6). 判斷某個元素是否存在於這個物件中? return item in self.scores def __iter__(self): # 7). 迭代, 使得該物件可以實現for迴圈 # 將列表轉換為迭代的型別, 可以for迴圈, 一定要返回iter型別的資料; return iter(self.scores) def __lt__(self, other): # 8). 比較兩個物件的大小; return (sum(self.scores)/3) < (sum(other.scores)/3) liming = Student('liming',[100,76,85])
1). 判斷是否可以重複?
print(liming *3)
2). 連線
xiaohong = Student('小紅',[100,98,76])
print(xiaohong + liming)
3). 成員操作符? 判斷是否在物件裡面存在?
print(100 in liming)
print(101 in liming)
print(101 not in liming)
4). 實現for迴圈?
for item in liming:
print(item)
5). 比較物件的大小?
xiaohong = Student('小紅',[100,89,100])
print(liming<xiaohong)