documentation表示任何python有效标识符都可以是field_name,除了以下划线开头的那些,这没关系。
如果rename
参数为true,它会将无效的field_names替换为有效的,但在其中指定的示例中,它将其替换为_1
或_3
,这是怎么回事?这些以下划线开头!
文档还说:
如果verbose为true,则在构建之前打印类定义
这究竟意味着什么?
答案 0 :(得分:4)
您不能在名称的开头使用下划线的原因是这些可能会与类提供的方法名称冲突(例如_replace
)。
因为只是数字不是有效的Python名称,所以任何无效的属性名称(因此不是有效的Python标识符或以下划线开头的名称)都会被下划线+位置编号替换。这意味着这些生成的名称不能与有效名称冲突,也不能与类型上提供的方法冲突。
这与你可以选择的名字并不矛盾;事实上,鉴于这些限制,这是完美的后备。另外,这样生成的名称很容易推断出来;这些值的属性与它们在元组中的索引直接相关。
至于将verbose
设置为True
,它会执行它在锡上所说的内容。生成的namedtuple
类的源代码将打印到sys.stdout
:
>>> from collections import namedtuple
>>> namedtuple('foo', 'bar baz', verbose=True)
class foo(tuple):
'foo(bar, baz)'
__slots__ = ()
_fields = ('bar', 'baz')
def __new__(_cls, bar, baz):
'Create new instance of foo(bar, baz)'
return _tuple.__new__(_cls, (bar, baz))
@classmethod
def _make(cls, iterable, new=tuple.__new__, len=len):
'Make a new foo 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 'foo(bar=%r, baz=%r)' % self
def _asdict(self):
'Return a new OrderedDict which maps field names to their values'
return OrderedDict(zip(self._fields, self))
def _replace(_self, **kwds):
'Return a new foo object replacing specified fields with new values'
result = _self._make(map(kwds.pop, ('bar', 'baz'), _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)
__dict__ = _property(_asdict)
def __getstate__(self):
'Exclude the OrderedDict from pickling'
pass
bar = _property(_itemgetter(0), doc='Alias for field number 0')
baz = _property(_itemgetter(1), doc='Alias for field number 1')
<class '__main__.foo'>
这使您可以检查为您的班级生成的确切内容。