4

私はこの質問が以前に尋ねられたと思うが、私はそれを見つけることができなかったので、ここに行く:

Python(2.7を使用)では、次のように作成namedtupleします。

>>> sgn_tuple = namedtuple('sgnt',['signal','type'])
>>> a = sgn_tuple("aaa","bbb")

次に、のタイプを確認したいのですがt、結果がおかしいです。

>>> type (a)
<class '__main__.sgnt'>
>>> a is tuple
False
>>> a is namedtuple
False
>>> a is sgnt
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
NameError: name 'sgnt' is not defined
>>> a is sgn_tuple
False
>>>

なんでそうなの?aタプルタイプとして認識されることを期待しますが、そうではありません。ヒントはありますか?

4

1 に答える 1

15

isクラスのメンバーシップはチェックしません。is2つのオブジェクトが同じであるかどうかをチェックしますid

>>> isinstance(a, tuple)
True

また、type(a)ではなくtupleaのサブクラスですtuple

入力verbose=Trueすると、その作成方法を確認できます(テキストは動的に生成されてクラスが作成されます)。

>>> sgn_tuple = namedtuple('sgnt',['signal','type'],verbose=True)

class sgnt(tuple):
        'sgnt(signal, type)' 

        __slots__ = () 

        _fields = ('signal', 'type') 

        def __new__(_cls, signal, type):
            'Create new instance of sgnt(signal, type)'
            return _tuple.__new__(_cls, (signal, type)) 

        @classmethod
        def _make(cls, iterable, new=tuple.__new__, len=len):
            'Make a new sgnt object from a sequence or iterable'
            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'
            return 'sgnt(signal=%r, type=%r)' % self 

        def _asdict(self):
            'Return a new OrderedDict which maps field names to their values'
            return OrderedDict(zip(self._fields, self)) 

        __dict__ = property(_asdict) 

        def _replace(_self, **kwds):
            'Return a new sgnt object replacing specified fields with new values'
            result = _self._make(map(kwds.pop, ('signal', 'type'), _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.'
            return tuple(self) 

        signal = _property(_itemgetter(0), doc='Alias for field number 0')
        type = _property(_itemgetter(1), doc='Alias for field number 1')

それは単にexecPythonによって編集されています。私はそれが物事をクリアすることを願っています。

于 2013-03-21T09:04:04.790 に答える