python 中的 __getitem__方法

阳光天气發表於2024-06-21

python中的__getitem__方法,常見的兩種寫法
形式一:
__getitem__(self,index)

一般用來迭代序列(常見序列如:列表、元組、字串),或者求序列中索引為index處的值。
形式二:
__getitem__(self,key)

一般用來迭代對映(常見對映如:字典),或者求對映中的鍵為key的值。
一、該方法返回與指定索引(針對序列)或鍵(針對對映)相關聯的值,使用物件[index]或者 物件[key]將自動呼叫該方法。
對序列來說,索引應該是0~(n-1)的整數,其中n為序列的長度,一般寫成__getitem__(self,index)
對於對映來說,假如鍵就是字典中的鍵,一般寫成__getitem__(self,key)

如果在類中定義了__getitem__()方法,那麼它的例項物件(假設為P)就可以這樣P[index]取值或者這樣p[key]取值。
當例項物件做P[index或key]運算時,就會自動呼叫類中的__getitem__(self,key)

點選檢視程式碼
# -*- coding:utf-8 -*-
class DataTest:
    def __init__(self, id, address):
        self.id = id
        self.address = address
        self.d = {
            self.id: 1,
            self.address: "192.168.1.1"
        }

    def __getitem__(self, key):
        return "hello"


data = DataTest(1, "192.168.2.11")
print(data[2])
# 會自動呼叫__getitem__方法
結果:

hello

點選檢視程式碼
class Tag:
    def __init__(self):
        self.change = {'python': 'This is python'}

    def __getitem__(self, item):
        print('這個方法被呼叫')
        return self.change[item]


a = Tag()
print(a['python'])
結果:

這個方法被呼叫
This is python

二、
__getitem__
方法,可以讓物件實現迭代功能
Python的魔法方法__getitem__,可以讓物件實現迭代功能,這樣就可以使用for...in...來迭代該物件了

點選檢視程式碼
class Animal:
    def __init__(self, animal_list):
        self.animals_name = animal_list
        self.other = "hello,world"


animals = Animal(["dog", "cat", "fish"])
for animal in animals:
    print(animal)

結果:

TypeError: 'Animal' object is not iterable

在用for...in...迭代物件時,如果物件沒有實現__iter__next__迭代器協議,Python的直譯器就會去尋找
__getitem__來迭代物件,如果連__getitem__都沒有定義,這直譯器就會報物件不是迭代器的錯誤
而實現這個方法後,就可以正常迭代物件了。

點選檢視程式碼
class Animal:
    def __init__(self,animal_list):
        self.animals_name=animal_list
        self.other='hello,world'
    def __getitem__(self, index):
        return self.animals_name[index]
animals=Animal(['dog','cat','fish'])
for animal in animals:
    print(animal)
結果:
點選檢視程式碼
dog
cat
fish

https://blog.csdn.net/weixin_45580017/article/details/124553851

相關文章