[python] 파이썬의 사전에서 속성 설정

각 키가 해당 객체의 속성 인 방식으로 파이썬의 사전에서 객체를 생성 할 수 있습니까?

이 같은:

 d = { 'name': 'Oscar', 'lastName': 'Reyes', 'age':32 }

 e = Employee(d)
 print e.name # Oscar 
 print e.age + 10 # 42 

이 질문의 역순이라고 생각합니다 . 객체 필드의 Python 사전



답변

물론입니다.

class Employee(object):
    def __init__(self, initial_data):
        for key in initial_data:
            setattr(self, key, initial_data[key])

최신 정보

Brent Nash가 제안한 것처럼 키워드 인수도 허용하여 더 유연하게 만들 수 있습니다.

class Employee(object):
    def __init__(self, *initial_data, **kwargs):
        for dictionary in initial_data:
            for key in dictionary:
                setattr(self, key, dictionary[key])
        for key in kwargs:
            setattr(self, key, kwargs[key])

그런 다음 다음과 같이 부를 수 있습니다.

e = Employee({"name": "abc", "age": 32})

또는 다음과 같이 :

e = Employee(name="abc", age=32)

또는 다음과 같이 :

employee_template = {"role": "minion"}
e = Employee(employee_template, name="abc", age=32)


답변

이러한 방식으로 속성을 설정하는 것은 문제를 해결하는 가장 좋은 방법은 아닙니다. 어느 한 쪽:

  1. 모든 필드가 미리 무엇인지 알고 있습니다. 이 경우 모든 속성을 명시 적으로 설정할 수 있습니다. 이것은 다음과 같이 보일 것입니다.

    class Employee(object):
        def __init__(self, name, last_name, age):
            self.name = name
            self.last_name = last_name
            self.age = age
    
    d = {'name': 'Oscar', 'last_name': 'Reyes', 'age':32 }
    e = Employee(**d)
    
    print e.name # Oscar 
    print e.age + 10 # 42 

    또는

  2. 모든 필드가 미리 무엇인지 알 수 없습니다. 이 경우 개체 네임 스페이스를 오염시키는 대신 데이터를 dict로 저장해야합니다. 속성은 정적 액세스를위한 것입니다. 이 경우는 다음과 같습니다.

    class Employee(object):
        def __init__(self, data):
            self.data = data
    
    d = {'name': 'Oscar', 'last_name': 'Reyes', 'age':32 }
    e = Employee(d)
    
    print e.data['name'] # Oscar 
    print e.data['age'] + 10 # 42 

기본적으로 사례 1과 동일한 또 다른 솔루션은 collections.namedtuple. 구현 방법은 van의 답변을 참조하십시오.


답변

를 사용하여 객체의 속성에 액세스하고 해당 객체에 __dict__대한 update 메서드를 호출 할 수 있습니다.

>>> class Employee(object):
...     def __init__(self, _dict):
...         self.__dict__.update(_dict)
...


>>> dict = { 'name': 'Oscar', 'lastName': 'Reyes', 'age':32 }

>>> e = Employee(dict)

>>> e.name
'Oscar'

>>> e.age
32


답변

속성 이름을 사전의 키로 사용하지 않는 이유는 무엇입니까?

class StructMyDict(dict):

     def __getattr__(self, name):
         try:
             return self[name]
         except KeyError as e:
             raise AttributeError(e)

     def __setattr__(self, name, value):
         self[name] = value

명명 된 인수, 튜플 목록, 사전 또는 개별 속성 할당으로 초기화 할 수 있습니다. 예 :

nautical = StructMyDict(left = "Port", right = "Starboard") # named args

nautical2 = StructMyDict({"left":"Port","right":"Starboard"}) # dictionary

nautical3 = StructMyDict([("left","Port"),("right","Starboard")]) # tuples list

nautical4 = StructMyDict()  # fields TBD
nautical4.left = "Port"
nautical4.right = "Starboard"

for x in [nautical, nautical2, nautical3, nautical4]:
    print "%s <--> %s" % (x.left,x.right)

또는 속성 오류를 발생시키는 대신 알 수없는 값에 대해 None을 반환 할 수 있습니다. (web2py 스토리지 클래스에서 사용되는 트릭)


답변

settattr정말 지원이 필요한 경우 사용하는 대답 이 갈 길이 라고 생각합니다 dict.

그러나 Employeeobject가 .namedict 구문 ( ['name']) 대신 도트 구문 ( )으로 액세스 할 수있는 구조 일 경우 namedtuple을 사용할 수 있습니다. 과 같이 .

from collections import namedtuple

Employee = namedtuple('Employee', 'name age')
e = Employee('noname01', 6)
print e
#>> Employee(name='noname01', age=6)

# create Employee from dictionary
d = {'name': 'noname02', 'age': 7}
e = Employee(**d)
print e
#>> Employee(name='noname02', age=7)
print e._asdict()
#>> {'age': 7, 'name': 'noname02'}

_asdict()모든 속성에 사전으로 액세스 할 수있는 방법이 있지만 나중에 추가 속성을 추가 할 수는 없으며 생성 중에 만 추가 할 수 있습니다 .


답변

예를 들어 말해

class A():
    def __init__(self):
        self.x=7
        self.y=8
        self.z="name"

속성을 한 번에 설정하려는 경우

d = {'x':100,'y':300,'z':"blah"}
a = A()
a.__dict__.update(d)


답변

dict를 사용하는 것과 비슷하게 kwargs를 다음과 같이 사용할 수 있습니다.

class Person:
   def __init__(self, **kwargs):
       self.properties = kwargs

   def get_property(self, key):
       return self.properties.get(key, None)

   def main():
       timmy = Person(color = 'red')
       print(timmy.get_property('color')) #prints 'red'