python-3.x에서 사전을 사용하여 문자열을 어떻게 포맷합니까?


215

나는 사전을 사용하여 문자열을 포맷하는 것을 좋아합니다. 사용중인 문자열 형식을 읽고 기존 사전을 활용할 수 있습니다. 예를 들면 다음과 같습니다.

class MyClass:
    def __init__(self):
        self.title = 'Title'

a = MyClass()
print 'The title is %(title)s' % a.__dict__

path = '/path/to/a/file'
print 'You put your file here: %(path)s' % locals()

그러나 동일한 작업을 수행하거나 가능한 경우 Python 3.x 구문을 파악할 수 없습니다. 나는 다음을하고 싶다

# Fails, KeyError 'latitude'
geopoint = {'latitude':41.123,'longitude':71.091}
print '{latitude} {longitude}'.format(geopoint)

# Succeeds
print '{latitude} {longitude}'.format(latitude=41.123,longitude=71.091)

답변:


15

이 질문은 Python 3에만 해당되므로 Python 3.6부터 사용할 수 있는 새로운 f-string 구문 을 사용 합니다 .

>>> geopoint = {'latitude':41.123,'longitude':71.091}
>>> print(f'{geopoint["latitude"]} {geopoint["longitude"]}')
41.123 71.091

외부 작은 따옴표와 내부 큰 따옴표를 참고하십시오 (다른 방법으로도 할 수 있습니다).


f-string을 사용하는 것이 python3 접근 방식에 더 적합하다고 말하고 싶습니다.
Jonatas CD

2
f- 문자열은 3.5가 아닌 Python 3.6에 새로운 것임을 명심하십시오.
휴고

409

이것이 당신에게 좋습니까?

geopoint = {'latitude':41.123,'longitude':71.091}
print('{latitude} {longitude}'.format(**geopoint))

2
이것을 시도하고 효과가있었습니다. 그러나 '포인터 표기법'의 사용을 이해하지 못합니다. 파이썬이 포인터를 사용하지 않는다는 것을 알고 있습니다.이 kwargs의 예입니까?
Homunculus Reticulli 2016 년

2
@HomunculusReticulli 포인터 C ++ 스타일에 대한 포인터가 아닌 형식 매개 변수 (최소 필드 너비)입니다. docs.python.org/release/2.4.4/lib/typesseq-strings.html
D.Rosado

29
파이썬 3.2가 소개되었습니다 format_map. 직접 사용되며에 복사되지 않는다는 점을 제외 하고는와 유사 합니다 . 예를 들어, 경우에 유용 사전인가의 서브 클래스입니다str.format(**mapping)mappingdictmapping
diapir

1
@eugene **는 파이썬 사전에 어떤 역할을합니까? print (** geopoint) 구문 오류가 발생하지 않아 객체를 생성한다고 생각하지 않습니다.
Nityesh Agarwal

4
@NityeshAgarwal는 이름 사전 확산 = 즉 개별 인자로 값 쌍 print(**geopoint)과 동일하다 print(longitude=71.091, latitude=41.123). 많은 언어에서 splat operator라고 합니다. JavaScript에서는 스프레드 연산자 라고 합니다. 파이썬에서는이 연산자에 특정 이름이 없습니다.
abhisekp

79

사전을 키워드 인수로 압축 해제하려면을 사용하십시오 **. 또한 새 스타일 형식은 객체의 속성 및 매핑 항목 참조를 지원합니다.

'{0[latitude]} {0[longitude]}'.format(geopoint)
'The title is {0.title}s'.format(a) # the a from your first example

2
자리 표시 자에 위치 인덱스를 추가하면 코드가 더 명확하고 사용하기 쉬워 지므로이 답변이 더 좋습니다. 특히 다음과 같은 것이 있다면 :'{0[latitude]} {1[latitude]} {0[longitude]} {1[longitude]}'.format(geopoint0, geopoint1)
Løiten

1
이것은 defaultdict키를 사용 하지 않고 모든 키가없는 경우에 유용 합니다.
Whymarrh

65

Python 3.0과 3.1은 EOL이며 아무도 사용하지 않기 때문에 (Python 3.2+)를 사용할 수 있고 사용해야합니다 str.format_map(mapping).

유사하게 str.format(**mapping), 그 매핑을 제외시켰다 직접 아닌 복사 사용된다dict . 예를 들어 매핑이 dict하위 클래스 인 경우에 유용합니다 .

이것이 의미 defaultdict하는 것은 누락 된 키의 기본값을 설정하고 반환 하는 것과 같은 것을 사용할 수 있다는 것입니다.

>>> from collections import defaultdict
>>> vals = defaultdict(lambda: '<unset>', {'bar': 'baz'})
>>> 'foo is {foo} and bar is {bar}'.format_map(vals)
'foo is <unset> and bar is baz'

제공된 맵핑 dict이 서브 클래스가 아닌 인 경우에도 여전히 약간 더 빠릅니다.

그래도 차이는 크지 않습니다.

>>> d = dict(foo='x', bar='y', baz='z')

그때

>>> 'foo is {foo}, bar is {bar} and baz is {baz}'.format_map(d)

약 10ns (2 %)보다 빠름

>>> 'foo is {foo}, bar is {bar} and baz is {baz}'.format(**d)

내 파이썬에서 3.4.3. 사전에 더 많은 키가있을수록 차이가 더 커질 수 있습니다.


형식 언어는 그보다 훨씬 유연합니다. 인덱스 식, 속성 액세스 등을 포함 할 있으므로 전체 개체 또는 그 중 2 개의 형식을 지정할 있습니다.

>>> p1 = {'latitude':41.123,'longitude':71.091}
>>> p2 = {'latitude':56.456,'longitude':23.456}
>>> '{0[latitude]} {0[longitude]} - {1[latitude]} {1[longitude]}'.format(p1, p2)
'41.123 71.091 - 56.456 23.456'

3.6부터 보간 문자열도 사용할 수 있습니다.

>>> f'lat:{p1["latitude"]} lng:{p1["longitude"]}'
'lat:41.123 lng:71.091'

중첩 된 따옴표 안에 다른 따옴표 문자 를 사용해야 합니다. 이 방법의 또 다른 장점은 형식화 메서드를 호출하는 것보다 훨씬 빠릅니다 .


좋은 점이 있습니다. 성능이 향상 format되었습니까? (그것은 dict에 복사되지 않았다)
Bhargav Rao

2
@BhargavRao별로, 2 % : D
Antti Haapala

@BhargavRao 성능을 찾고 있다면 이것을 사용하십시오 '%(latitude)s %(longitude)s'%geopoint;)
Tcll

20
print("{latitude} {longitude}".format(**geopoint))

6

Python 2 구문은 Python 3에서도 작동합니다.

>>> class MyClass:
...     def __init__(self):
...         self.title = 'Title'
... 
>>> a = MyClass()
>>> print('The title is %(title)s' % a.__dict__)
The title is Title
>>> 
>>> path = '/path/to/a/file'
>>> print('You put your file here: %(path)s' % locals())
You put your file here: /path/to/a/file

또한 그것은 f""또는 "".format(); 보다
현저하게

2
geopoint = {'latitude':41.123,'longitude':71.091}

# working examples.
print(f'{geopoint["latitude"]} {geopoint["longitude"]}') # from above answer
print('{geopoint[latitude]} {geopoint[longitude]}'.format(geopoint=geopoint)) # alternate for format method  (including dict name in string).
print('%(latitude)s %(longitude)s'%geopoint) # thanks @tcll

1
당신은 하나를 놓쳤다;) print('%(latitude)s %(longitude)s'%geopoint)이것은 또한 다른 2보다 훨씬 빠르다
Tcll

@tcll 실제로 문자열 내에서 사전 이름을 사용할 수있는 예제를 원했습니다. 이와 같은 것'%(geopoint["latitude"])s %(geopoint["longitude"])s'%{"geopoint":geopoint}
셰이크 압둘 와히드

1

대부분의 답변은 dict의 값만 형식화했습니다.

당신이 원하는 경우 또한 키의 형식을 사용할 수있는 문자열로 dict.items을 () :

geopoint = {'latitude':41.123,'longitude':71.091}
print("{} {}".format(*geopoint.items()))

산출:

( '위도', 41.123) ( '경도', 71.091)

임의의 방식으로 형식화하려는 경우 즉, 튜플과 같은 키-값을 표시하지 않는 경우 :

from functools import reduce
print("{} is {} and {} is {}".format(*reduce((lambda x, y: x + y), [list(item) for item in geopoint.items()])))

산출:

위도는 41.123이고 경도는 71.091입니다


geopoint.items(); '에서'위도 '보다'경도 '가 올 가능성이 있습니다 .
Tcll
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.