Tak, brakowało mi także ++ i - funkcjonalności. Kilka milionów wierszy kodu c zapuściło ten sposób myślenia w mojej starej głowie i zamiast z nim walczyć ... Oto klasa, którą opracowałem:
pre- and post-increment, pre- and post-decrement, addition,
subtraction, multiplication, division, results assignable
as integer, printable, settable.
Oto:
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
Możesz użyć tego w następujący sposób:
c = counter() # defaults to zero
for listItem in myList: # imaginary task
doSomething(c.postinc(),listItem) # passes c, but becomes c+1
... już mając c, możesz to zrobić ...
c.set(11)
while c.predec() > 0:
print c
....Lub tylko...
d = counter(11)
while d.predec() > 0:
print d
... i dla (ponownego) przypisania do liczby całkowitej ...
c = counter(100)
d = c + 223 # assignment as integer
c = c + 223 # re-assignment as integer
print type(c),c # <type 'int'> 323
... podczas gdy to zachowa c jako licznik typów:
c = counter(100)
c.set(c + 223)
print type(c),c # <class '__main__.counter'> 323
EDYTOWAĆ:
A potem jest trochę niespodziewanego (i całkowicie niechcianego) zachowania ,
c = counter(42)
s = '%s: %d' % ('Expecting 42',c) # but getting non-numeric exception
print s
... ponieważ wewnątrz tej krotki nie jest używane getitem (), zamiast tego do funkcji formatowania przekazywane jest odwołanie do obiektu. Westchnienie. Więc:
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.v) # and getting 42.
print s
... lub, bardziej szczegółowo, i wprost to, co naprawdę chcieliśmy się wydarzyć, chociaż przeciwwskazane w rzeczywistej formie przez gadatliwość (użyj c.v
zamiast tego) ...
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.__getitem__()) # and getting 42.
print s