ええ、++と-機能もありませんでした。数百万行の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
...そのタプル内では、getitem()は使用されていないため、代わりにオブジェクトへの参照がフォーマット関数に渡されます。はぁ。そう:
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.v) # and getting 42.
print s
...または、より詳細に、そして明示的に私たちが実際に発生したかったこと。ただし、冗長性によって実際の形式で逆に示されています(c.v
代わりに使用)...
c = counter(42)
s = '%s: %d' % ('Expecting 42',c.__getitem__()) # and getting 42.
print s