source

파이썬에서 한 줄 한 줄로 사전을 인쇄하는 방법은?

manysource 2023. 10. 27. 22:00

파이썬에서 한 줄 한 줄로 사전을 인쇄하는 방법은?

이것은 사전입니다.

cars = {'A':{'speed':70,
        'color':2},
        'B':{'speed':60,
        'color':3}}

이걸 이용해서for loop

for keys,values in cars.items():
    print(keys)
    print(values)

다음을 인쇄합니다.

B
{'color': 3, 'speed': 60}
A
{'color': 2, 'speed': 70}

하지만 저는 프로그램이 이렇게 인쇄하기를 원합니다.

B
color : 3
speed : 60
A
color : 2
speed : 70

저는 이제 막 사전을 배우기 시작해서 어떻게 해야 할지 모르겠어요.

for x in cars:
    print (x)
    for y in cars[x]:
        print (y,':',cars[x][y])

출력:

A
color : 2
speed : 70
B
color : 3
speed : 60

당신은 사용할 수 있습니다.json이거 모듈. 더.dumps이 모듈의 함수는 JSON 개체를 올바른 형식의 문자열로 변환한 다음 인쇄할 수 있습니다.

import json

cars = {'A':{'speed':70, 'color':2},
        'B':{'speed':60, 'color':3}}

print(json.dumps(cars, indent = 4))

출력은 다음과 같습니다.

{"A": {"color": 2,"속도": 70},"B": {"color": 3,"속도": 60}}

설명서에는 이 메서드에 대한 유용한 옵션도 많이 나와 있습니다.

임의로 깊이 중첩된 명령어와 목록을 처리하는 보다 일반화된 솔루션은 다음과 같습니다.

def dumpclean(obj):
    if isinstance(obj, dict):
        for k, v in obj.items():
            if hasattr(v, '__iter__'):
                print k
                dumpclean(v)
            else:
                print '%s : %s' % (k, v)
    elif isinstance(obj, list):
        for v in obj:
            if hasattr(v, '__iter__'):
                dumpclean(v)
            else:
                print v
    else:
        print obj

이렇게 하면 다음과 같은 결과가 나옵니다.

A
color : 2
speed : 70
B
color : 3
speed : 60

저도 비슷한 필요성에 부딪혀 운동으로 더 강력한 기능을 개발하게 되었습니다.다른 사람에게 가치가 있을까봐 여기에 포함하고 있습니다.nose test를 실행할 때 sys.stderr을 대신 사용할 수 있도록 통화에서 출력 스트림을 지정할 수 있는 것도 도움이 되었습니다.

import sys

def dump(obj, nested_level=0, output=sys.stdout):
    spacing = '   '
    if isinstance(obj, dict):
        print >> output, '%s{' % ((nested_level) * spacing)
        for k, v in obj.items():
            if hasattr(v, '__iter__'):
                print >> output, '%s%s:' % ((nested_level + 1) * spacing, k)
                dump(v, nested_level + 1, output)
            else:
                print >> output, '%s%s: %s' % ((nested_level + 1) * spacing, k, v)
        print >> output, '%s}' % (nested_level * spacing)
    elif isinstance(obj, list):
        print >> output, '%s[' % ((nested_level) * spacing)
        for v in obj:
            if hasattr(v, '__iter__'):
                dump(v, nested_level + 1, output)
            else:
                print >> output, '%s%s' % ((nested_level + 1) * spacing, v)
        print >> output, '%s]' % ((nested_level) * spacing)
    else:
        print >> output, '%s%s' % (nested_level * spacing, obj)

이 기능을 사용하면 OP의 출력은 다음과 같습니다.

{
   A:
   {
      color: 2
      speed: 70
   }
   B:
   {
      color: 3
      speed: 60
   }
}

개인적으로 더 유용하고 설명력이 있다고 생각했습니다.

다음과 같은 약간 덜 간단한 예를 고려하면 다음과 같습니다.

{"test": [{1:3}], "test2":[(1,2),(3,4)],"test3": {(1,2):['abc', 'def', 'ghi'],(4,5):'def'}}

OP가 요청한 해결책은 다음과 같습니다.

test
1 : 3
test3
(1, 2)
abc
def
ghi
(4, 5) : def
test2
(1, 2)
(3, 4)

enhanced 버전에서는 다음과 같은 결과를 얻을 수 있습니다.

{
   test:
   [
      {
         1: 3
      }
   ]
   test3:
   {
      (1, 2):
      [
         abc
         def
         ghi
      ]
      (4, 5): def
   }
   test2:
   [
      (1, 2)
      (3, 4)
   ]
}

다음에 이런 기능을 찾는 사람에게 가치를 제공했으면 좋겠습니다.

pprint.pprint() 이 작업에 적합한 도구입니다.

>>> import pprint
>>> cars = {'A':{'speed':70,
...         'color':2},
...         'B':{'speed':60,
...         'color':3}}
>>> pprint.pprint(cars, width=1)
{'A': {'color': 2,
       'speed': 70},
 'B': {'color': 3,
       'speed': 60}}

중첩 구조가 있으므로 중첩 사전 형식도 지정해야 합니다.

for key, car in cars.items():
    print(key)
    for attribute, value in car.items():
        print('{} : {}'.format(attribute, value))

인쇄 내용:

A
color : 2
speed : 70
B
color : 3
speed : 60

저는 깨끗한 포맷을 선호합니다.yaml:

import yaml
print(yaml.dump(cars))

출력:

A:
  color: 2
  speed: 70
B:
  color: 3
  speed: 60
for car,info in cars.items():
    print(car)
    for key,value in info.items():
        print(key, ":", value)

트리의 레벨이 두 개뿐이라는 것을 알고 있는 경우 이 방법을 사용할 수 있습니다.

for k1 in cars:
    print(k1)
    d = cars[k1]
    for k2 in d
        print(k2, ':', d[k2])

다음 원라이너를 점검합니다.

print('\n'.join("%s\n%s" % (key1,('\n'.join("%s : %r" % (key2,val2) for (key2,val2) in val1.items()))) for (key1,val1) in cars.items()))

출력:

A
speed : 70
color : 2
B
speed : 60
color : 3

이것이 그 문제에 대한 나의 해결책입니다.접근법은 비슷하지만, 다른 답변들보다는 조금 더 간단하다고 생각합니다.또한 임의 수의 하위 사전을 허용하며 모든 데이터 유형에서 작동하는 것처럼 보입니다(값으로 기능하는 사전에서도 테스트했습니다).

def pprint(web, level):
    for k,v in web.items():
        if isinstance(v, dict):
            print('\t'*level, f'{k}: ')
            level += 1
            pprint(v, level)
            level -= 1
        else:
            print('\t'*level, k, ": ", v)
###newbie exact answer desired (Python v3):
###=================================
"""
cars = {'A':{'speed':70,
        'color':2},
        'B':{'speed':60,
        'color':3}}
"""

for keys, values in  reversed(sorted(cars.items())):
    print(keys)
    for keys,values in sorted(values.items()):
        print(keys," : ", values)

"""
Output:
B
color  :  3
speed  :  60
A
color  :  2
speed  :  70

##[Finished in 0.073s]
"""
# Declare and Initialize Map
map = {}

map ["New"] = 1
map ["to"] = 1
map ["Python"] = 5
map ["or"] = 2

# Print Statement
for i in map:
  print ("", i, ":", map[i])

#  New : 1
#  to : 1
#  Python : 5
#  or : 2

이거 써요.

cars = {'A':{'speed':70,
        'color':2},
        'B':{'speed':60,
        'color':3}}

print(str(cars).replace(",", ",\n"))

출력:

{'A': {'speed': 70,
 'color': 2},
 'B': {'speed': 60,
 'color': 3}}

목록 이해가 이를 위한 가장 깨끗한 방법이라고 생각합니다.

mydict = {a:1, b:2, c:3}

[(print("key:", key, end='\t'), print('value:', value)) for key, value in mydict.items()]

MrWonderful 코드 수정하기

import sys

def print_dictionary(obj, ident):
    if type(obj) == dict:
        for k, v in obj.items():
            sys.stdout.write(ident)
            if hasattr(v, '__iter__'):
                print k
                print_dictionary(v, ident + '  ')
            else:
                print '%s : %s' % (k, v)
    elif type(obj) == list:
        for v in obj:
            sys.stdout.write(ident)
            if hasattr(v, '__iter__'):
                print_dictionary(v, ident + '  ')
            else:
                print v
    else:
        print obj

언급URL : https://stackoverflow.com/questions/15785719/how-to-print-a-dictionary-line-by-line-in-python