2

我正在使用collections.namedtuple. 有时,我希望用户能够替换任意字段的内容。_replace()只要我们可以将其名称指定为参数的一部分,该方法就允许替换特定字段的内容: somenamedtuple._replace(somefield=newcontent). 但是,如果名称本身是由用户动态提供的,我无法找到一种方法来做到这一点。

这是一个最小的工作示例:

from collections import namedtuple

fields = ['one', 'two', 'three']
Record = namedtuple('Record', fields)
# Populate fields.
record = Record(*tuple(['empty' for i in fields]))
while True:
    # Show what we have already.
    print('0: quit')
    for i in range(len(fields)):
    print('{}: {}: {}'.format(i+1, fields[i], record[i]))
    to_change = int(input('Field to change: '))
    if not to_change:
        break
    else:
        new_content = input('New content: ')
        field_to_change = {fields[to_change-1]:new_content}
        print('Setting', field_to_change)
        record._replace(**field_to_change)
print('Finished.')
print(record)

输出(Ipython 1.0.0,Python 3.3.1)如下。

In [1]: run test_setattr_namedtuple
0: quit
1: one: empty
2: two: empty
3: three: empty
Field to set: 2
New content: asdf
Setting {'two': 'asdf'}
0: quit
1: one: empty
2: two: empty
3: three: empty
Field to set: 0
Finished.
Record(one='empty', two='empty', three='empty')

In [2]: 

record._replace()行试图将'two'设置为'asdf',而不是two静默失败。我曾想过使用evalinside _replace(),但_replace()不接受表达式作为参数。

我也尝试了内置函数setattr,但它不适用于命名元组,大概是因为它们是不可变的。

4

1 回答 1

4

._replace()方法返回更改后的命名元组实例。您正在丢弃返回的值。

与元组一样,namedtuple 派生类实例是不可变的,并且不会._replace()就地更改值。

用新值替换原始值:

record = record._replace(**field_to_change)                                         
于 2013-08-29T20:48:00.660 回答