0

パイソンを習っていました。公式ライブラリのコレクション モジュールに関しては、次のような NamedTuple のコード スニペットを見つけました。

for i, name in enumerate(field_names):
    template += "        %s = _property(_itemgetter(%d), doc='Alias for field number %d')\n" % (name, i, i)

NamedTuple によって生成されたコードの一部です。生成されたコードを以下に示します。

name = property(itemgetter(0), doc='Alias for field number 0')
age = property(itemgetter(1), doc='Alias for field number 1')

そして、ここに私の質問があります:

Itemgetter(0) は、引数としてオブジェクトを必要とする関数です。しかし、プロパティは itemgetter に引数を渡しません。では、これはどのように機能するのでしょうか。

ありがとうございました!

これは、プロパティが使用されるコード全体です。

class Person(tuple):
    'Person(name, age)' 

    __slots__ = () 

    _fields = ('name', 'age') 

    def __new__(_cls, name, age):
        'Create new instance of Person(name, age)'
        print sys._getframe().f_code.co_name

        return _tuple.__new__(_cls, (name, age)) 

    @classmethod
    def _make(cls, iterable, new=tuple.__new__, len=len):
        'Make a new Person object from a sequence or iterable'
        print sys._getframe().f_code.co_name

        result = new(cls, iterable)
        if len(result) != 2:
            raise TypeError('Expected 2 arguments, got %d' % len(result))
        return result 

    def __repr__(self):
        'Return a nicely formatted representation string'
        print sys._getframe().f_code.co_name

        return 'Person(name=%r, age=%r)' % self 

    def _asdict(self):
        'Return a new OrderedDict which maps field names to their values'
        print sys._getframe().f_code.co_name

        return OrderedDict(zip(self._fields, self)) 

    def _replace(_self, **kwds):
        'Return a new Person object replacing specified fields with new values'
        print sys._getframe().f_code.co_name

        result = _self._make(map(kwds.pop, ('name', 'age'), _self))
        if kwds:
            raise ValueError('Got unexpected field names: %r' % kwds.keys())
        return result 

    def __getnewargs__(self):
        'Return self as a plain tuple.  Used by copy and pickle.'
        print sys._getframe().f_code.co_name

        return tuple(self) 

    name = property(itemgetter(0), doc='Alias for field number 0')
    age = property(itemgetter(1), doc='Alias for field number 1')
4

1 に答える 1

3

itemgetterは関数ではなく、インスタンスが呼び出し可能なクラスです (FineManual を参照)。propertyインスタンスは、現在のオブジェクトを引数として呼び出します (これがプロパティの目的です) 。

要約しましょう...これを仮定します:

point = tuple(1, 2)
getx = itemgetter(0)

に渡すpointgetx()返されますpoint[0](実際にpoint.__getitem__[0]は、point[0]構文糖衣です)

サブクラス化tupleして追加すると、次のようになりpropertyます。

class Point(tuple):
    @property
    def x(self):
        return self[0]

@decorator 構文は、実際には次の構文糖衣です。

class Point(tuple):
    def x(self):
        return self[0]
    x = property(fget=x)

したがって、関数はインスタンスの属性にxなり、class ステートメントの名前空間の名前はこのインスタンスに再バインドされます。fgetpropertyxproperty

Point次に、インスタンスを作成しましょう。

point = Point(1, 2)

を評価すると、属性ルックアップ ルールは(実際には で) point.x"x"propertyオブジェクトを見つけ、メソッドがあることに注意し、記述子プロトコルに従って の結果を返します。は主に として実装されているため、これはas paramで呼び出された関数の結果を返します。IOW:Pointpoint.__class____get__()Point.x.__get__(point, Point.__class__)property.__get__(obj, cls)return self.fget(obj)xpointself

point.x

と同等です

Point.x.__get__(point, point.__class__)

これはと同等です

Point.x.fget(point)

これは (NB : ここで 'x' は、ではなく に引数xとして渡された関数を参照します。fgetpropertyPoint.x

x(point)

これはと同等です

point[0]

そしてitemgetter(0)(point)は と同等なのでpoint[0]、どのように動作するかを見ることができますx = property(itemgetter(0))

于 2013-09-18T15:12:30.703 に答える