次のように別のより一般的なクラスメソッドを使用して、いくつかのクラスメソッドを定義しようとしています。
_class RGB(object):
def __init__(self, red, blue, green):
super(RGB, self).__init__()
self._red = red
self._blue = blue
self._green = green
def _color(self, type):
return getattr(self, type)
red = functools.partial(_color, type='_red')
blue = functools.partial(_color, type='_blue')
green = functools.partial(_color, type='_green')
_
しかし、これらのメソッドのいずれかを呼び出そうとすると、次のようになります。
_rgb = RGB(100, 192, 240)
print rgb.red()
TypeError: _color() takes exactly 2 arguments (1 given)
_
rgb.red(rgb)
が機能するため、__color
_にselfが渡されないと思います。
メソッドではなく、関数でパーシャルを作成しています。 functools.partial()
オブジェクトは記述子ではなく、それら自体はself
引数を追加せず、メソッド自体として機能できません。バインドされたメソッドまたは関数をのみラップできますが、バインドされていないメソッドではまったく機能しません。これは 文書化 :
partial
オブジェクトは、呼び出し可能で、弱参照可能で、属性を持つことができるという点でfunction
オブジェクトに似ています。いくつかの重要な違いがあります。たとえば、___name__
_および___doc__
_属性は自動的に作成されません。また、クラスで定義されたpartial
オブジェクトは静的メソッドのように動作し、インスタンス属性のルックアップ中にバインドされたメソッドに変換されません。
代わりにproperty
sを使用してください。これらは記述子です:
_class RGB(object):
def __init__(self, red, blue, green):
super(RGB, self).__init__()
self._red = red
self._blue = blue
self._green = green
def _color(self, type):
return getattr(self, type)
@property
def red(self): return self._color('_red')
@property
def blue(self): return self._color('_blue')
@property
def green(self): return self._color('_green')
_
Python 3.4以降、ここで新しい functools.partialmethod()
オブジェクト を使用できます。インスタンスにバインドすると、次のようになります。
_class RGB(object):
def __init__(self, red, blue, green):
super(RGB, self).__init__()
self._red = red
self._blue = blue
self._green = green
def _color(self, type):
return getattr(self, type)
red = functools.partialmethod(_color, type='_red')
blue = functools.partialmethod(_color, type='_blue')
green = functools.partialmethod(_color, type='_green')
_
しかし、これらを呼び出す必要がありますが、property
オブジェクトは単純な属性として使用できます。
partialmethod
の問題は、_inspect.signature
_、_functools.wraps
_、...と互換性がないことです。
奇妙なことに、 部分的なドキュメントの実装例 を使用して_functools.partial
_を自分で再実装すると、機能します。
_# Implementation from:
# https://docs.python.org/3/library/functools.html#functools.partial
def partial(func, /, *args, **keywords):
def newfunc(*fargs, **fkeywords):
newkeywords = {**keywords, **fkeywords}
return func(*args, *fargs, **newkeywords)
newfunc.func = func
newfunc.args = args
newfunc.keywords = keywords
return newfunc
_
_class RGB(object):
def __init__(self, red, blue, green):
super(RGB, self).__init__()
self._red = red
self._blue = blue
self._green = green
def _color(self, type):
return getattr(self, type)
red = partial(_color, type='_red')
blue = partial(_color, type='_blue')
green = partial(_color, type='_green')
rgb = RGB(100, 192, 240)
print(rgb.red()) # Print red
_
その理由は、newfunc
が_newfunc.__get__
_で 記述子プロトコル を実装する真の関数であるためです。一方、type(functools.partial)
は、___call__
_が上書きされたカスタムクラスです。クラスはself
パラメータを自動的に追加しません。