ใช่ฉันพลาด ++ และ - ฟังก์ชั่นเช่นกัน โค้ด c สองสามล้านบรรทัดทำให้ฉันคิดแบบนั้นในหัวเก่าของฉันและแทนที่จะต่อสู้กับมัน ... นี่คือชั้นเรียนที่ฉันสร้างขึ้นด้วยวิธีที่ใช้:
pre- and post-increment, pre- and post-decrement, addition,
subtraction, multiplication, division, results assignable
as integer, printable, settable.
นี่คือมอก:
class counter(object):
def __init__(self,v=0):
self.set(v)
def preinc(self):
self.v += 1
return self.v
def predec(self):
self.v -= 1
return self.v
def postinc(self):
self.v += 1
return self.v - 1
def postdec(self):
self.v -= 1
return self.v + 1
def __add__(self,addend):
return self.v + addend
def __sub__(self,subtrahend):
return self.v - subtrahend
def __mul__(self,multiplier):
return self.v * multiplier
def __div__(self,divisor):
return self.v / divisor
def __getitem__(self):
return self.v
def __str__(self):
return str(self.v)
def set(self,v):
if type(v) != int:
v = 0
self.v = v
คุณอาจใช้สิ่งนี้:
c = counter() # defaults to zero
for listItem in myList: # imaginary task
doSomething(c.postinc(),listItem) # passes c, but becomes c+1
... ถ้ามี c อยู่แล้วคุณสามารถทำได้ ...
c.set(11)
while c.predec() > 0:
print c
.... หรือเพียงแค่ ...
d = counter(11)
while d.predec() > 0:
print d
... และสำหรับ (อีกครั้ง) การกำหนดให้เป็นจำนวนเต็ม ...
c = counter(100)
d = c + 223 # assignment as integer
c = c + 223 # re-assignment as integer
print type(c),c # <type 'int'> 323
... ขณะนี้จะรักษา c เป็นตัวนับประเภท:
c = counter(100)
c.set(c + 223)
print type(c),c # <class '__main__.counter'> 323
แก้ไข:
แล้วมีบิตของที่ไม่คาดคิด (และไม่พึงประสงค์ได้อย่างทั่วถึง) พฤติกรรมนี้ ,
c = counter(42)
s = '%s: %d' % ('Expecting 42',c) # but getting non-numeric exception
print s
... เนื่องจากภายใน tuple นั้นgetitem () ไม่ได้ถูกใช้แทนการอ้างอิงไปยังวัตถุจะถูกส่งไปยังฟังก์ชันการจัดรูปแบบ ถอนหายใจ ดังนั้น:
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.v) # and getting 42.
print s
... หรือมากขึ้น verbosely และชัดเจนในสิ่งที่เราต้องการที่จะเกิดขึ้นจริงแม้ว่าเคาน์เตอร์ - ระบุในรูปแบบที่แท้จริงโดย verbosity (ใช้c.v
แทน) ...
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.__getitem__()) # and getting 42.
print s