Martijn Pietersの回答を完成させるためだけに、これはおそらくあなたが望んでいた回答ですが、Python でできる非常に手の込んだことを紹介せずにはいられません。それらが役に立つかもしれないし、将来のためのアイデアを提供してくれるかもしれないと思った.
1. Pythonlist
はオブジェクトなので、クラスを拡張できます。list
これにより、「バンドル」オブジェクトが組み込みオブジェクトからすべてのメソッドを継承し、list
新しいメソッドを追加できるようになります。
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class Unit(object):
def __init__(self):
self.val = 0
def __repr__(self):
return "%s %s val=%s" % (type(self), hex(id(self)), self.val)
class Bundle(list):
def __init__(self, N=3):
super(Bundle, self).__init__()
self.extend([ Unit() for i in range(N) ])
@property
def vals(self):
return [ unit.val for unit in self]
@vals.setter
def vals(self, vals):
vals = vals[0:min(len(self), len(vals))] # if len(vals) > len(self), self[i] would break
for i, val in enumerate(vals):
self[i].val = val
if __name__ == "__main__":
bundle = Bundle()
print "Bundle: %s" % bundle
newUnit = Unit()
bundle.append(newUnit)
print "Bundle: %s" % bundle
bundle.vals = [1, 2, 3, 4, 5, 6]
print "Bundle (reassigned): %s" % bundle
プロパティの定義を少し変更してデコレータにしましたが、基本的な考え方は同じままです。
2. 特定の組み込みメソッドを上書きして、次のlist
ように動作しないオブジェクトを持つことができlist
ます。
このコードはサンプルのみを目的としていることにご注意ください。それはひどいデザインで、ひどい OOP の使い方であり、その動作は誰にとっても非常に混乱するでしょう (グイド・ヴァン・ロッサムでさえ... まあ、彼にとってはそうではないかもしれませんが、彼がそれを見たら泣くに違いありません)。実際のプログラム) これは...悪いコードの一部ですが、組み込みメソッドを上書きして何ができるかを理解するのに役立つと思います。Bundle
また、クラスが実際のオブジェクトとして動作するために上書きされる多くのメソッドが不足していlist
ますが、ちょっと疲れました:-)コンテナ タイプのエミュレートと次のポイントを確認してください。完全な Python ドキュメントのシーケンス タイプのエミュレーションのための追加メソッド参照。
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class Unit(object):
def __init__(self):
self.val = 0
def __repr__(self):
return "%s %s val=%s" % (type(self), hex(id(self)), self.val)
class OtherUnit(object):
def __init__(self):
self.whatever = "hello"
def __repr__(self):
return "%s %s whatever=%s" % (type(self), hex(id(self)), self.whatever)
class Bundle(object):
def __init__(self, N=3):
self.units = [ Unit() for i in range(N) ]
self.otherUnits = [ OtherUnit() for i in range(N) ]
def __repr__(self):
return "%s" % (self.units + self.otherUnits)
def __len__(self):
return len(self.units) + len(self.otherUnits)
def __iter__(self):
for item in (self.units + self.otherUnits):
yield item
def __contains__(self, value):
if isinstance(value, Unit):
return value in self.units
elif isinstance(value, OtherUnit):
return value in self.otherUnits
elif isinstance(value, int):
return value in [unit.val for unit in self.units]
elif isinstance(value, str):
return value in [otherUnit.whatever for otherUnit in self.otherUnits]
else:
return False
def __getitem__(self, index):
assert index >= 0, "Can't accept negative indexes (%s)" % indexes
if index < len(self.units):
return self.units[index]
else:
return self.otherUnits[index - len(self.units)] #Will raise index error if too big
def append(self, thing):
if isinstance(thing, Unit):
self.units.append(thing)
elif isinstance(thing, OtherUnit):
self.otherUnits.append(thing)
else:
raise TypeError("Can't accept %s" % type(thing))
@property
def vals(self):
return [ unit.val for unit in self.units] + [ otherUnit.whatever for otherUnit in self.otherUnits ]
@vals.setter
def vals(self, vals):
insertionPointUnits = 0
insertionPointOtherUnits = 0
for i, val in enumerate(vals):
if isinstance(val, int):
self.units[insertionPointUnits].val = val
insertionPointUnits += 1
elif isinstance(val, str):
self.otherUnits[insertionPointOtherUnits].whatever = val
insertionPointOtherUnits += 1
if __name__ == "__main__":
bundle = Bundle()
print "Bundle: %s" % bundle
newUnit = Unit()
bundle.append(newUnit)
print "Bundle: %s" % bundle
bundle.vals = [1, 2, "bye", 3, "how are you", 4, "doing ok"]
print "Bundle (reassigned): %s" % bundle
print "Bundle has %s items" % len(bundle) #Thanks to overwritting __len__
for i, item in enumerate(bundle):
print "bundle[%s]: %s" % (i, item) #Thanks to overwritting __iter__
print "Does 'bundle' contain 'bye'?: %s" % ('bye'in bundle) #Thanks to overwritting __contains__
print "Does 'bundle' contain 5?: %s" % (5 in bundle) #Thanks to overwritting __contains__
print "Item 1 (should be Unit with val '2': %s" % bundle[1] #Thanks to overwritting __getitem__
print "Item 5 (should be OtherUnit with val 'how are you' (4 Units + 1 OtherUnit... then ours!): %s" % bundle[5] #Thanks to overwritting __getitem__
try:
print "Item 9 (should raise IndexError): %s" % bundle[9]
except IndexError, ie:
print "Wooops: %s" % ie
これが少し役立ったことを願っています。Pythonを楽しんでください!