我想更新数据类中的一个字段,但是我只在运行时才知道该字段名,而在开发时却不知道。
#!/usr/bin/env python3.6
# -*- coding: utf-8 -*-
from dataclasses import dataclass # I use the backport to 3.6
@dataclass
class Template:
number: int = 0
name: str = "^NAME^"
oneInstance = Template()
print(oneInstance) # Template(number=0, name='^NAME^')
# If I know the variable name during development, I can do this:
oneInstance.number=77
# I get this from a file during runtime:
para = {'name': 'Jones'}
mykey = 'name'
# Therefore, I used exec:
ExpToEval = "oneInstance." + mykey + ' = "' + para[mykey] + '"'
print (ExpToEval) # oneInstance.name = "Jones"
exec(ExpToEval) # How can I do this in a more pythonic (and secure) way?
print(oneInstance) # Template(number=77, name='Jones')
我需要类似的东西
oneInstance[mykey] = para[mykey]
但这最终导致“ TypeError:'Template'对象不支持项目分配”
答案 0 :(得分:0)
您可以尝试使用replace()方法,如下所示:
from dataclasses import dataclass, replace
@dataclass
class Template:
number: int = 0
name: str = "^NAME^"
oneInstance = Template()
print(oneInstance)
para = {'name': 'Jones'}
oneInstance = replace(oneInstance, **para)
print(oneInstance)
如果您的字典para
仅包含属于数据类字段的键,那应该可以完成工作。
答案 1 :(得分:0)
您可以在运行时使用setattr更新对象的属性:
oneInstance = Template()
setattr(oneInstance, 'name', 'Jones') # this doesn't raise a TypeError
print(oneInstance.name) # prints: 'Jones'