如何将 Python 字典键分配给相应的 Python 对象属性

How to assign Python Dict Keys to corresponding Python Object Attributes

假设我有一个 python class 比如:

class User:
    name = None
    id = None
    dob = None
    
    def __init__(self, id):
        self.id = id

现在我正在做这样的事情:

userObj = User(id=12) # suppose I don't have values for name and dob yet
## some code here and this code gives me name and dob data in dictionary, suppose a function call
user = get_user_data() # this returns the dictionary like {'name': 'John', 'dob': '1992-07-12'}

现在,将数据分配给用户对象的方式是userObj.name = user['name']userObj.dob = user['dob']。假设,User 有 100 个属性。我将不得不明确分配这些属性。 Python 中是否有一种有效的方法可以用来将字典中的值分配给对象中的相应属性?例如,字典中的 name 键被分配给对象中的 name 属性。

class User(dict):
    def __init__(self, *args, **kwargs):
        super(User, self).__init__(*args, **kwargs)
        self.__dict__ = self

然后拿起你的字典,然后做:

userObj  = User(dictionary)

编辑: 用户函数 setattr() then

[setattr(userObj, key, item) for key,item in dict.items()]

首先,不需要在 python 中预先声明属性。

class Foo:
   bar: int # This actually creates a class member, not an instance member
   ...

如果要向 class 实例添加值,只需使用 setattr()

d = {
  'prop1': 'value1',
  'prop2': 'value2',
  'prop2': 'value2'
}

x = Foo()

for prop in d.keys():
  setattr(x, prop, d[prop])

1.修改Class定义

class User():
    def __init__(self, id):
        self.data = {"id":id}
userObj = User(id=12)

2. 更新 dict()

user = {"name":"Frank", "dob":"Whatever"} # Get the remaining data from elsewhere
userObj.data.update(user) # Update the dict in your userObj
print(userObj.data)
干得好 !

而不是将字典映射到变量键。您可以使用 setattr 在对象中设置变量。

class User:
    name = None
    id = None
    dob = None

    def __init__(self, id):
        self.id = id

    def map_dict(self, user_info):
        for k, v in user_info.items():
            setattr(self, k, v)

然后为锅炉代码使用它。


userObj = User(id=12)
user_dict = {
    'name': 'Bob',
    'dob': '11-20-1993',
    'something': 'blah'
}

userObj.map_dict(user_dict)

万一你真的需要

此解决方案适用于此情况,其他解决方案不适合您,您无法更改 class。

问题

如果您无法以任何方式修改 class 并且您有一个字典,其中包含您要放入对象的信息,您可以先获取 [=50= 的自定义成员] 通过使用 inspect 模块:

import inspect
import numpy as np
members = inspect.getmembers(User)

通过以下方式从所有成员中提取您的自定义属性:

allowed = ["__" not in a[0] for a in members]

并使用 numpy 列表理解来提取本身:

members = np.array(members)["__" not in a[0] for a in members]

修改用户

假设您有以下用户和字典,并且您想将用户属性更改为字典中的值(创建新用户的行为相同)

user = User(1)
dic = {"name":"test", "id": 2, "dob" : "any"}

那么你只需使用 setattr():

for m in members:
setattr(user, m[0], dic[m[0]])

肯定有更好的解决方案,但如果其他方法对您不起作用,这可能会派上用场

更新

此解决方案根据您使用的 class 使用属性定义。因此,如果字典中有缺失值,此解决方案可能会有所帮助。 Else Rashids 解决方案也适合您