在python 3中,我有一个元组Row
和一个列表A
:
Row = namedtuple('Row', ['first', 'second', 'third'])
A = ['1', '2', '3']
如何使用列表Row
初始化A
?请注意,在我的情况下,我不能直接这样做:
newRow = Row('1', '2', '3')
我尝试了不同的方法
1. newRow = Row(Row(x) for x in A)
2. newRow = Row() + data # don't know if it is correct
答案 0 :(得分:54)
您可以使用参数解包来执行Row(*A)
。
>>> from collections import namedtuple
>>> Row = namedtuple('Row', ['first', 'second', 'third'])
>>> A = ['1', '2', '3']
>>> Row(*A)
Row(first='1', second='2', third='3')
请注意,如果你的linter没有抱怨使用以下划线开头的方法,namedtuple
提供了_make
classmethod替代构造函数。
>>> Row._make([1, 2, 3])
不要让下划线前缀欺骗你 - 这个是这个类的文档化API的一部分,可以依赖于所有python实现等等......
答案 1 :(得分:1)
namedtuple Subclass有一个名为'_make'的方法。 将数组(Python列表)插入到一个namedTuple对象中使用'_make'方法很容易:
>>> from collections import namedtuple
>>> Row = namedtuple('Row', ['first', 'second', 'third'])
>>> A = ['1', '2', '3']
>>> Row._make(A)
Row(first='1', second='2', third='3')
>>> c = Row._make(A)
>>> c.first
'1'