Sì, mi sono perso anche ++ e - funzionalità. Alcuni milioni di righe di codice c hanno inciso quel tipo di pensiero nella mia vecchia testa e invece di combatterlo ... Ecco una classe che ho messo insieme che implementa:
pre- and post-increment, pre- and post-decrement, addition,
subtraction, multiplication, division, results assignable
as integer, printable, settable.
Ecco qui:
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
Potresti usarlo in questo modo:
c = counter() # defaults to zero
for listItem in myList: # imaginary task
doSomething(c.postinc(),listItem) # passes c, but becomes c+1
... già avendo c, potresti farlo ...
c.set(11)
while c.predec() > 0:
print c
.... o solo ...
d = counter(11)
while d.predec() > 0:
print d
... e per (ri) assegnazione in numero intero ...
c = counter(100)
d = c + 223 # assignment as integer
c = c + 223 # re-assignment as integer
print type(c),c # <type 'int'> 323
... mentre ciò manterrà c come contatore dei tipi:
c = counter(100)
c.set(c + 223)
print type(c),c # <class '__main__.counter'> 323
MODIFICARE:
E poi c'è un po 'di comportamento inaspettato (e completamente indesiderato) ,
c = counter(42)
s = '%s: %d' % ('Expecting 42',c) # but getting non-numeric exception
print s
... perché all'interno di quella tupla, getitem () non è quello usato, invece un riferimento all'oggetto viene passato alla funzione di formattazione. Sospiro. Così:
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.v) # and getting 42.
print s
... o, più verbalmente, ed esplicitamente ciò che volevamo realmente accadere, sebbene controindicato in forma reale dalla verbosità (usare c.v
invece) ...
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.__getitem__()) # and getting 42.
print s