[python] 명명 된 튜플을 사전으로 변환

파이썬에 명명 된 튜플 클래스가 있습니다.

class Town(collections.namedtuple('Town', [
    'name',
    'population',
    'coordinates',
    'population',
    'capital',
    'state_bird'])):
    # ...

Town 인스턴스를 사전으로 변환하고 싶습니다. 나는 그것이 도시의 이름이나 필드의 수에 단단히 묶여 있기를 원하지 않습니다.

더 많은 필드를 추가하거나 완전히 다른 이름의 튜플을 전달하고 사전을 얻을 수 있도록 작성하는 방법이 있습니까?

다른 사람의 코드에서와 같이 원래 클래스 정의를 변경할 수 없습니다. 따라서 Town의 인스턴스를 가져 와서 사전으로 변환해야합니다.



답변

TL; DR : _asdict이를 위해 제공 되는 방법 이 있습니다.

사용법에 대한 데모는 다음과 같습니다.

>>> fields = ['name', 'population', 'coordinates', 'capital', 'state_bird']
>>> Town = collections.namedtuple('Town', fields)
>>> funkytown = Town('funky', 300, 'somewhere', 'lipps', 'chicken')
>>> funkytown._asdict()
OrderedDict([('name', 'funky'),
             ('population', 300),
             ('coordinates', 'somewhere'),
             ('capital', 'lipps'),
             ('state_bird', 'chicken')])

이것은 문서화 된 명명 된 튜플 방법 입니다. 즉, 파이썬 일반적인 규칙과 달리 메소드 이름의 밑줄은 사용을 방해하지 않습니다 . namedtuples에 추가 된 다른 방법과 함께, _make, _replace, _source, _fields, 그것은 단지 시도하고 가능한 필드 이름과의 충돌을 방지하기 위해 밑줄이 있습니다.


참고 : 일부 2.7.5 <python version <3.5.0 코드가 다음과 같이 표시되면이 버전이 표시 될 수 있습니다.

>>> vars(funkytown)
OrderedDict([('name', 'funky'),
             ('population', 300),
             ('coordinates', 'somewhere'),
             ('capital', 'lipps'),
             ('state_bird', 'chicken')])

잠시 동안 문서에서 언급 _asdict되지 않았으며 ( 여기 참조 ) 내장 메소드 vars 사용을 제안했습니다 . 그 조언은 이제 구식입니다. 서브 클래 싱과 관련된 버그 를 수정하기 위해 __dict__named_tuples에 있던 속성 이이 commit에 의해 다시 제거되었습니다 .


답변

namedtuple이를 위해 인스턴스에 내장 메소드가 _asdict있습니다.

의견에서 논의했듯이 일부 버전에서는 vars()그렇게 할 것이지만 빌드 세부 사항에 크게 의존하는 반면 _asdict신뢰할 수 있어야합니다. 일부 버전에서는 _asdict더 이상 사용되지 않는 것으로 표시되었지만 의견에 따르면 더 이상 3.4에서 그렇지 않습니다.


답변

Ubuntu 14.04 LTS 버전의 python2.7 및 python3.4에서 __dict__속성이 예상대로 작동했습니다. 이 _asdict 방법 도 효과가 있었지만 현지화 된 비 균일 API 대신 표준 정의 된 균일 한 속성 API를 사용하는 경향이 있습니다.

$ python2.7

# Works on:
# Python 2.7.6 (default, Jun 22 2015, 17:58:13)  [GCC 4.8.2] on linux2
# Python 3.4.3 (default, Oct 14 2015, 20:28:29)  [GCC 4.8.4] on linux

import collections

Color = collections.namedtuple('Color', ['r', 'g', 'b'])
red = Color(r=256, g=0, b=0)

# Access the namedtuple as a dict
print(red.__dict__['r'])  # 256

# Drop the namedtuple only keeping the dict
red = red.__dict__
print(red['r'])  #256

dict 로 보는 것은 soemthing을 나타내는 사전을 얻는 의미 론적 방법입니다 (적어도 내 지식으로는 최선입니다).


주요 파이썬 버전 및 플랫폼 테이블과에 대한 지원을 축적하는 것이 좋을 것입니다 __dict__. 현재 위에 게시 된대로 하나의 플랫폼 버전과 두 개의 파이썬 버전 만 있습니다.

| Platform                      | PyVer     | __dict__ | _asdict |
| --------------------------    | --------- | -------- | ------- |
| Ubuntu 14.04 LTS              | Python2.7 | yes      | yes     |
| Ubuntu 14.04 LTS              | Python3.4 | yes      | yes     |
| CentOS Linux release 7.4.1708 | Python2.7 | no       | yes     |
| CentOS Linux release 7.4.1708 | Python3.4 | no       | yes     |
| CentOS Linux release 7.4.1708 | Python3.6 | no       | yes     |


답변

사례 # 1 : 1 차원 튜플

TUPLE_ROLES = (
    (912,"Role 21"),
    (913,"Role 22"),
    (925,"Role 23"),
    (918,"Role 24"),
)


TUPLE_ROLES[912]  #==> Error because it is out of bounce. 
TUPLE_ROLES[  2]  #==> will show Role 23.
DICT1_ROLE = {k:v for k, v in TUPLE_ROLES }
DICT1_ROLE[925] # will display "Role 23" 

사례 # 2 : 2 차원 튜플
예 : DICT_ROLES [961] #에 ‘백엔드 프로그래머’가 표시됩니다.

NAMEDTUPLE_ROLES = (
    ('Company', (
            ( 111, 'Owner/CEO/President'),
            ( 113, 'Manager'),
            ( 115, 'Receptionist'),
            ( 117, 'Marketer'),
            ( 119, 'Sales Person'),
            ( 121, 'Accountant'),
            ( 123, 'Director'),
            ( 125, 'Vice President'),
            ( 127, 'HR Specialist'),
            ( 141, 'System Operator'),
    )),
    ('Restaurant', (
            ( 211, 'Chef'),
            ( 212, 'Waiter/Waitress'),
    )),
    ('Oil Collector', (
            ( 211, 'Truck Driver'),
            ( 213, 'Tank Installer'),
            ( 217, 'Welder'),
            ( 218, 'In-house Handler'),
            ( 219, 'Dispatcher'),
    )),
    ('Information Technology', (
            ( 912, 'Server Administrator'),
            ( 914, 'Graphic Designer'),
            ( 916, 'Project Manager'),
            ( 918, 'Consultant'),
            ( 921, 'Business Logic Analyzer'),
            ( 923, 'Data Model Designer'),
            ( 951, 'Programmer'),
            ( 953, 'WEB Front-End Programmer'),
            ( 955, 'Android Programmer'),
            ( 957, 'iOS Programmer'),
            ( 961, 'Back-End Programmer'),
            ( 962, 'Fullstack Programmer'),
            ( 971, 'System Architect'),
    )),
)

#Thus, we need dictionary/set

T4 = {}
def main():
    for k, v in NAMEDTUPLE_ROLES:
        for k1, v1 in v:
            T4.update ( {k1:v1}  )
    print (T4[961]) # will display 'Back-End Programmer'
    # print (T4) # will display all list of dictionary

main()


답변

_asdict ()가 없으면 다음과 같이 사용할 수 있습니다.

def to_dict(model):
    new_dict = {}
    keys = model._fields
    index = 0
    for key in keys:
        new_dict[key] = model[index]
        index += 1

    return new_dict


답변

Python 3. 사전에 필요한 색인으로 모든 필드를 사전에 할당합니다. ‘name’을 사용했습니다.

import collections

Town = collections.namedtuple("Town", "name population coordinates capital state_bird")

town_list = []

town_list.append(Town('Town 1', '10', '10.10', 'Capital 1', 'Turkey'))
town_list.append(Town('Town 2', '11', '11.11', 'Capital 2', 'Duck'))

town_dictionary = {t.name: t for t in town_list}


답변