2013-03-21 74 views
1

我怀疑这个问题已经被问过的类型,但我一直没能找到它,所以这里有云:Python不识别namedtuple

关于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被识别为元组类型,但它不是。任何提示?

+0

你试过'isinstance(a,tuple)'吗? – dmg 2013-03-21 09:04:05

+0

不知道这个isinstance的东西。这将解决我的事情。谢谢! – victor 2013-03-21 09:09:49

+0

也可以用'type'来进行精确的类型匹配。 'isinstance'也处理继承。 – dmg 2013-03-21 09:13:41

回答

12

is不检查班级成员资格。如果is检查两个对象具有相同的id

>>> isinstance(a, tuple) 
True 

另外type(a)不是tupleatuple一个子类。

如果键入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') 

那简直是exec被Python编。我希望能够解决问题。

+0

很好的答案!我不能投票,因为我刚刚创建了我的用户。无论如何,感谢它。 – victor 2013-03-21 09:10:33

+0

@ user2194299没问题,如果没有人发布任何更好的答案,您可以接受它。 – jamylak 2013-03-21 09:11:53

+1

接受的答案。 – victor 2013-03-21 09:15:58