中文字幕日韩精品一区二区免费_精品一区二区三区国产精品无卡在_国精品无码专区一区二区三区_国产αv三级中文在线

30面向?qū)ο?_運(yùn)算符重載-容器相關(guān)方法-可調(diào)用對(duì)象-創(chuàng)新互聯(lián)

目錄

創(chuàng)新互聯(lián)公司主要從事網(wǎng)站制作、成都網(wǎng)站制作、網(wǎng)頁(yè)設(shè)計(jì)、企業(yè)做網(wǎng)站、公司建網(wǎng)站等業(yè)務(wù)。立足成都服務(wù)管城,十載網(wǎng)站建設(shè)經(jīng)驗(yàn),價(jià)格優(yōu)惠、服務(wù)專(zhuān)業(yè),歡迎來(lái)電咨詢(xún)建站服務(wù):028-86922220

運(yùn)算符重載...1

容器相關(guān)方法...4

可調(diào)用對(duì)象...6

運(yùn)算符重載

可大大提高類(lèi)的可用性;

錦上添花的東西;

好的類(lèi)的設(shè)計(jì)應(yīng)提供類(lèi)似的方法;

Operator模塊提供以下特殊方法,可將類(lèi)的實(shí)例使用下面的操作符來(lái)操作:

<,<=,==,>,>=,!=

__lt__,__le__,__eq__,__gt__,__ge__,__ne__

比較運(yùn)算符,自定義類(lèi)時(shí)用

+,-,*,/,%,//,**,divmod

__add__,__sub__,__mul__,__truediv__,__mod__,__floordiv__,__pow__,__divmod__

算術(shù)運(yùn)算符,移位、位運(yùn)算符也有對(duì)應(yīng)的方法

+=,-=,*=,/=,%=,//=,**=

__iadd__,__isub__,__imul__,__itruediv__,__imod__,__ifloordiv__,__ipow__


注:

移位、位運(yùn)算符也有對(duì)應(yīng)的方法,在python中沒(méi)提升性能,但也沒(méi)降低性能,其它語(yǔ)言中會(huì)大大提升性能;

Int類(lèi),幾乎實(shí)現(xiàn)了所有操作符,可作為參考;

在pycharm中,輸入int,ctrl+單擊,可查看運(yùn)算符魔術(shù)方法的幫助;

運(yùn)算符重載應(yīng)用場(chǎng)景:

往往是用面向?qū)ο髮?shí)現(xiàn)的類(lèi),需要做大量的運(yùn)算;

提供運(yùn)算符重載(__add__()),比直接提供加法方法(Point類(lèi)中的add())要更加適合該領(lǐng)域內(nèi)使用者的習(xí)慣,用戶(hù)在日常用的運(yùn)算符是在數(shù)學(xué)上最常見(jiàn)的表達(dá)方式,如print(p1 + p2),實(shí)現(xiàn)了Point類(lèi)的二元操作(向量的加法);

例:

class A:

def __init__(self,x):

self.x = x

def __sub__(self, other):

# return self.x - other.x

# return A(self.x - other.x)?? #返回一個(gè)新對(duì)象(new一個(gè)新對(duì)象)

self.x = self.x - other.x

return self??#就地修改,根據(jù)業(yè)務(wù)場(chǎng)景選擇使用

# def __ne__(self, other):

#???? return self.x != other.x

def __eq__(self, other):?? #判斷兩對(duì)象是否相等用__eq__,一般很少用__ne__

return self.x == other.x

def __repr__(self):

return str(self.x)

__str__ = __repr__?? #技巧

def __lt__(self, other):?? #也可用__gt__,在測(cè)試時(shí)缺哪個(gè)補(bǔ)哪個(gè);只有實(shí)現(xiàn)該方法,才可用sorted()和reversed(),否則報(bào)錯(cuò)TypeError: '<' not supported between instances of 'A' and 'A';一般把比較大小的函數(shù)寫(xiě)在類(lèi)內(nèi),這樣更優(yōu)雅

return self.x < other.x

def __iadd__(self, other):

# return A(self.x + other.x)

self.x = self.x + other.x

return self??#就地修改

a1 = A(4)

a2 = A(5)

print(a1)

print(a1 - a2)?? #等價(jià)于print(a1.__sub__(a2))

print(a1)

print(a1.__sub__(a2))

print(a1)

print(a1 == a2)

a3 = A(2)

lst = [a1,a2,a3]

print(lst)

print(sorted(lst))

print(list(reversed(sorted(lst))))

a1 += a2

print(a1)

輸出:

4

-1

-1

-6

-6

False

[-6, 5, 2]

[-6, 2, 5]

[5, 2, -6]

-1

習(xí)題:

完成Point類(lèi)設(shè)計(jì),實(shí)現(xiàn)判斷點(diǎn)相等的方法,并完成向量的加法;

class Point:

def __init__(self,x,y):

self.x = x

self.y = y

def __eq__(self, other):

return self.x == other.x and self.y == other.y

def __add__(self, other):

return Point(self.x + other.x,self.y + other.y)?? #根據(jù)使用者習(xí)慣設(shè)計(jì)

# def __add__(self, other):

#???? return (self.x + other.x,self.y + other.y)

def __str__(self):

return 'Point:{},{}'.format(self.x,self.y)

__repr__ = __str__

def add(self,other):

return (self.x + other.x,self.y + other.y)

p1 = Point(1,1)

p2 = Point(1,1)

print(p1,p2)

points = (p1,p2)

print(points[0].add(points[1]))

print(points[0] + points[1])?? #類(lèi)似pathlib.Path中的/

print(Point(*(points[0].add(points[1]))))

# print(Point(*(points[0] + points[1])))

print(p1 == p2)

print(p1 is p2)

輸出:

Point:1,1 Point:1,1

(2, 2)

Point:2,2

Point:2,2

True

False

容器相關(guān)方法

__len__,內(nèi)建函數(shù)len(),返回對(duì)象的長(zhǎng)度,>=0的整數(shù),即使把對(duì)象當(dāng)作容器類(lèi)型看,如list、dict,bool()函數(shù)調(diào)用的時(shí)候,如果沒(méi)有__bool__()方法,則會(huì)看__len__()方法是否存在,存在返回,非0為真;

__iter__,迭代容器時(shí)調(diào)用,要求返回一個(gè)新的迭代器對(duì)象iterator;

__contains__,in成員運(yùn)算符,沒(méi)有實(shí)現(xiàn)就調(diào)用__iter__方法遍歷;

__getitem__,實(shí)現(xiàn)self[key]訪問(wèn),序列對(duì)象,key接受整數(shù)為索引,或切片,對(duì)于set、dict,key為可hashable,key不存在引發(fā)KeyError異常;

__setitem__,類(lèi)似__getitem__,是設(shè)置值的方法;

__missing__,字典使用__getitem__()調(diào)用時(shí),key不存在執(zhí)行該方法,如class MyDict(dict): pass;

__len__和__size__并不對(duì)等:

__len__,容器中元素的個(gè)數(shù);

__size__,容器的大小,第三方庫(kù)中,當(dāng)容量快滿(mǎn)時(shí),會(huì)把size擴(kuò)展;

__len__和__iter__:

有時(shí)并不關(guān)心元素有多少個(gè),直接取元素,__iter__用的多些;

注:

single linkedlist中的__getitem__,僅用于容器,提供一種方便的接口,如索引或其它方式來(lái)用;

函數(shù)中的屬性,foo.__defaults__,用元組保存位置參數(shù)默認(rèn)值;

函數(shù)中的屬性,foo.__kwdefaults__,用元組保存關(guān)鍵字參數(shù)默認(rèn)值;

習(xí)題:

將購(gòu)物車(chē)類(lèi),改造成方便操作的容器類(lèi);

class Color:

RED = 0

GREEN = 1

BLUE = 2

GOLDEN = 3

BLACK = 4

OTHER = 1000

class Item:

def __init__(self,**kwargs):

self.__spec = kwargs

def __repr__(self):

# return str(sorted(self.__spec.items()))

return str(self.__spec)

__str__ = __repr__

class Cart:

def __init__(self):

self.items = []

def additem(self,item:Item):?? #兼容__add__,看用戶(hù)使用要求自定義,要不要return,一般用__add__

self.items.append(item)

def getall(self):

return self.items

def __len__(self):

return len(self.items)

def __add__(self, other):

self.items.append(other)

return self

def __iter__(self):?? #要求必須返回迭代器iterator,簡(jiǎn)化,讓使用者覺(jué)得實(shí)例就是可迭代對(duì)象

return iter(self.items)

def __getitem__(self, item):?? #該例容器為列表,此處item為索引

return self.items[item]

def __setitem__(self, key, value):?? #key為index,value為字典

self.items[key] = value

# self[key] = value

def __repr__(self):

return str(self.items)

__str__ = __repr__

mycart = Cart()

myphone = Item(mark = 'sony',color = Color.BLACK,price=2250)

mybicycle = Item(mark='decathlan',color=Color.BLACK,price=1599)

mykindle = Item(mark='amazon',color=Color.OTHER,price=498)

mycart.additem(myphone)

print(mycart.getall())

print(len(mycart))

print(mycart + mybicycle + mykindle)?? #鏈?zhǔn)骄幊虒?shí)現(xiàn)加法,等價(jià)于mycart.__add__(mybicycle).__add__(mykindle)

# print(mycart.__add__(mybicycle).__add__(mykindle))

print(len(mycart))

# for x in mycart.items:??? #類(lèi)中沒(méi)有__iter__方法時(shí)使用此種方式迭代實(shí)例中的容器

#???? print(x)

for x in mycart:? ?#類(lèi)中有__iter__方法后,實(shí)例就成了可迭代對(duì)象,簡(jiǎn)化,讓用戶(hù)覺(jué)得實(shí)例就是可迭代對(duì)象

print(x)

print(mycart[1])

mycart[1] = {'mark': 'giant', 'color': 4, 'price': 1599}?? #此處的value為字典

print(mycart[1])

輸出:

[{'mark': 'sony', 'color': 4, 'price': 2250}]

1

[{'mark': 'sony', 'color': 4, 'price': 2250}, {'mark': 'decathlan', 'color': 4, 'price': 1599}, {'mark': 'amazon', 'color': 1000, 'price': 498}]

3

{'mark': 'sony', 'color': 4, 'price': 2250}

{'mark': 'decathlan', 'color': 4, 'price': 1599}

{'mark': 'amazon', 'color': 1000, 'price': 498}

{'mark': 'decathlan', 'color': 4, 'price': 1599}

{'mark': 'giant', 'color': 4, 'price': 1599}

可調(diào)用對(duì)象

python中一切皆對(duì)象,函數(shù)也不例外;

__call__,類(lèi)中實(shí)現(xiàn),實(shí)例就可像函數(shù)一樣調(diào)用;

定義一個(gè)類(lèi),并實(shí)例化得到其實(shí)例,將實(shí)例像函數(shù)一樣調(diào)用;

一個(gè)實(shí)例可將其當(dāng)作函數(shù),進(jìn)而可當(dāng)裝飾器來(lái)用;

例:

def foo(x):?? #函數(shù)即對(duì)象,對(duì)象foo加上(),就是調(diào)用對(duì)象的__call__()方法

?print(x)

print(callable(foo))

foo(4)?? #等價(jià)于foo.__call__(4)

foo.__call__(4)

print(foo.__name__)

print(foo.__doc__)

print(foo.__dict__)

print(foo.__call__)

print(dir(foo))

輸出:

True

4

4

foo

None

{}

<method-wrapper '__call__' of function object at 0x7fbbd88d1e18>

['__annotations__', '__call__', '__class__', '__closure__', '__code__', '__defaults__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__get__', '__getattribute__', '__globals__', '__gt__', '__hash__', '__init__', '__init_subclass__', '__kwdefaults__', '__le__', '__lt__', '__module__', '__name__', '__ne__', '__new__', '__qualname__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__']

例:

class A:

def __call__(self, *args, **kwargs):?? #__call__寫(xiě)在類(lèi)中,該類(lèi)的實(shí)例就可調(diào)用

print(5)

A()()?? #先實(shí)例化再調(diào)用,等價(jià)于a = A();a()

a = A()

a()

a(4,5,6)

輸出:

5

5

5

例:

class Point:

def __init__(self,x,y):

self.x = x

self.y = y

def __call__(self, *args, **kwargs):

return 'Point({},{})'.format(self.x,self.y)

p = Point(4,5)

print(p)

print(p())

輸出:

<__main__.Point object at 0x7fbc9e10c710>

Point(4,5)

例:

class Adder:

def __call__(self, *args):

ret = 0

??for x in args:

ret += x

self.ret = ret

return ret

adder = Adder()

print(adder(4,5,6))

print(adder.ret)

輸出:

15

15

習(xí)題:

定義一個(gè)fibonacci數(shù)列的類(lèi),方便調(diào)用,計(jì)算第n項(xiàng);

使用類(lèi)來(lái)實(shí)現(xiàn)fibonacci數(shù)列,可緩存數(shù)據(jù),便于檢索;

方1:

class Fib:

def __init__(self):

self.items = [0,1,1]

def __call__(self, index):

if index < len(self.items):

return self.items

# return self.items[index]

if index < 0:

raise IndexError('wrong index')

for i in range(3,index+1):

self.items.append(self.items[i-1] + self.items[i-2])

return self.items

# return self.items[index]

print(Fib()(8))

輸出:

[0, 1, 1, 2, 3, 5, 8, 13, 21]

方2:

class Fib:

def __init__(self):

self.items = [0,1,1]

def __call__(self,index):

return self[index]

def __iter__(self):

return iter(self.items)

def __len__(self):

return len(self.items)

def __getitem__(self, index):

if index < len(self.items):

return self.items[index]

if index < 0:

raise IndexError('wrong index')

for i in range(len(self),index+1):?? #使用len(self),要加__len__

self.items.append(self.items[i-2] + self.items[i-1])

???return self.items[index]

def __str__(self):

return str(self.items)

__repr__ = __str__

fib = Fib()

print(fib(8),len(fib))

for x in fib:

print(x)

print(fib[8],fib[7])

print(fib[-8])

輸出:

21 9

0

1

1

2

3

5

8

13

21

21 13

1

另外有需要云服務(wù)器可以了解下創(chuàng)新互聯(lián)cdcxhl.cn,海內(nèi)外云服務(wù)器15元起步,三天無(wú)理由+7*72小時(shí)售后在線(xiàn),公司持有idc許可證,提供“云服務(wù)器、裸金屬服務(wù)器、高防服務(wù)器、香港服務(wù)器、美國(guó)服務(wù)器、虛擬主機(jī)、免備案服務(wù)器”等云主機(jī)租用服務(wù)以及企業(yè)上云的綜合解決方案,具有“安全穩(wěn)定、簡(jiǎn)單易用、服務(wù)可用性高、性?xún)r(jià)比高”等特點(diǎn)與優(yōu)勢(shì),專(zhuān)為企業(yè)上云打造定制,能夠滿(mǎn)足用戶(hù)豐富、多元化的應(yīng)用場(chǎng)景需求。

網(wǎng)頁(yè)標(biāo)題:30面向?qū)ο?_運(yùn)算符重載-容器相關(guān)方法-可調(diào)用對(duì)象-創(chuàng)新互聯(lián)
URL標(biāo)題:http://m.rwnh.cn/article44/poiee.html

成都網(wǎng)站建設(shè)公司_創(chuàng)新互聯(lián),為您提供定制開(kāi)發(fā)、外貿(mào)網(wǎng)站建設(shè)App設(shè)計(jì)、網(wǎng)站內(nèi)鏈、虛擬主機(jī)、網(wǎng)站設(shè)計(jì)公司

廣告

聲明:本網(wǎng)站發(fā)布的內(nèi)容(圖片、視頻和文字)以用戶(hù)投稿、用戶(hù)轉(zhuǎn)載內(nèi)容為主,如果涉及侵權(quán)請(qǐng)盡快告知,我們將會(huì)在第一時(shí)間刪除。文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如需處理請(qǐng)聯(lián)系客服。電話(huà):028-86922220;郵箱:631063699@qq.com。內(nèi)容未經(jīng)允許不得轉(zhuǎn)載,或轉(zhuǎn)載時(shí)需注明來(lái)源: 創(chuàng)新互聯(lián)

成都網(wǎng)站建設(shè)公司
芦溪县| 仲巴县| 龙门县| 奎屯市| 江油市| 陆河县| 无棣县| 濮阳市| 安塞县| 凤城市| 旺苍县| 遂平县| 望奎县| 新野县| 赣榆县| 涟源市| 顺平县| 凤冈县| 壤塘县| 迁西县| 五台县| 乌拉特前旗| 依兰县| 康乐县| 明水县| 阿合奇县| 三江| 枞阳县| 江华| 敦煌市| 铁岭县| 山丹县| 尚志市| 峨边| 延庆县| 宁波市| 黄冈市| 于都县| 环江| 汉川市| 沂源县|