関数パラメーター property(fget=None, fset=None, fdel=None, doc=None)
fget プロパティを取得するメソッド名
fset プロパティを設定するメソッド名
fdel プロパティを削除するメソッド名
doc プロパティの説明文
まず property関数を使わない使用例を示す。
fget プロパティを取得するメソッド名
fset プロパティを設定するメソッド名
fdel プロパティを削除するメソッド名
doc プロパティの説明文
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | >>> class Cal( object ): ... def __init__( self ): ... self .__x = None ... def getx( self ): ... return self .__x ... def setx( self , value): ... self .__x = value ... def delx( self ): ... del self .__x ... >>> a = Cal() >>> a.setx( 10 ) >>> a.getx() 10 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 | >>> class Cal( object ): ... def __init__( self ): ... self .__x = None ... def getx( self ): ... return self .__x ... def setx( self , value): ... self .__x = value ... def delx( self ): ... del self .__x ... x = property (getx, setx) ... >>> a = Cal() >>> a.x = 10 >>> a.x 10 |
次にデコレーターを使用したproperty関数の設定について、サンプルを示す。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 | def Property (func): return property ( * * func()) class Cal( object ): def __init__( self ): self .__x = None @ Property def x(): def fget( self ): return self .__x def fset( self , value): self .__x = value return locals () |
デコレーターを使用すると property関数の設定が簡単になる。しかしソース全体で見たときは簡単になっているかは疑問・・・。
ここでネットにあった別の設定方法を試す。
1 2 3 4 5 6 7 8 9 10 11 | class Cal( object ): def __init__( self ): self .__x = None def x(): def fget( self ): return self .__x def fset( self , value): self .__x = value return locals () x = property ( * * x()) |
property関数にメソッドをキーワード引数として渡している。デコレーターを使った時より、簡単で理解しやすい。でもやっていることはデコレーターでの設定と同じ・・・。
この記事を書くのに参考にしたサイト
builder Pythonの技法:プロパティによるアクセサの実装
crazy()for(;;)you(); Pythonでプロパティ
Python ライブラリリファレンス
ActiveState Code Recipes