Python에서 숫자를 문자열로 포맷
숫자를 문자열로 포맷하는 방법을 찾아야합니다. 내 코드는 다음과 같습니다.
return str(hours)+":"+str(minutes)+":"+str(seconds)+" "+ampm
시간과 분은 정수이고 초는 부동 소수점입니다. str () 함수는이 모든 숫자를 10 분의 1 (0.1) 자리로 변환합니다. 따라서 "5 : 30 : 59.07 pm"을 출력하는 내 문자열 대신 "5.0 : 30.0 : 59.1 pm"과 같은 내용이 표시됩니다.
요컨대이 작업을 수행하려면 어떤 라이브러리 / 기능이 필요합니까?
Python 3.6부터 형식화 된 문자열 리터럴 또는 f-strings를 사용하여 Python에서 형식을 지정할 수 있습니다 .
hours, minutes, seconds = 6, 56, 33
f'{hours:02}:{minutes:02}:{seconds:02} {"pm" if hours > 12 else "am"}'
또는 str.format
2.7로 시작 하는 함수 :
"{:02}:{:02}:{:02} {}".format(hours, minutes, seconds, "pm" if hours > 12 else "am")
또는 이전 버전의 Python에 대한 문자열 형식화 %
연산자 이지만 문서의 참고 사항을 참조하십시오.
"%02d:%02d:%02d" % (hours, minutes, seconds)
시간을 포맷하는 특정한 경우에는 다음이 있습니다 time.strftime
.
import time
t = (0, 0, 0, hours, minutes, seconds, 0, 0, 0)
time.strftime('%I:%M:%S %p', t)
Python 2.6부터는 str.format()
방법이 있습니다. 다음은 기존 문자열 형식 연산자 ( %
)를 사용하는 몇 가지 예입니다 .
>>> "Name: %s, age: %d" % ('John', 35)
'Name: John, age: 35'
>>> i = 45
>>> 'dec: %d/oct: %#o/hex: %#X' % (i, i, i)
'dec: 45/oct: 055/hex: 0X2D'
>>> "MM/DD/YY = %02d/%02d/%02d" % (12, 7, 41)
'MM/DD/YY = 12/07/41'
>>> 'Total with tax: $%.2f' % (13.00 * 1.0825)
'Total with tax: $14.07'
>>> d = {'web': 'user', 'page': 42}
>>> 'http://xxx.yyy.zzz/%(web)s/%(page)d.html' % d
'http://xxx.yyy.zzz/user/42.html'
다음은 동등한 스 니펫이지만 다음을 사용합니다 str.format()
.
>>> "Name: {0}, age: {1}".format('John', 35)
'Name: John, age: 35'
>>> i = 45
>>> 'dec: {0}/oct: {0:#o}/hex: {0:#X}'.format(i)
'dec: 45/oct: 0o55/hex: 0X2D'
>>> "MM/DD/YY = {0:02d}/{1:02d}/{2:02d}".format(12, 7, 41)
'MM/DD/YY = 12/07/41'
>>> 'Total with tax: ${0:.2f}'.format(13.00 * 1.0825)
'Total with tax: $14.07'
>>> d = {'web': 'user', 'page': 42}
>>> 'http://xxx.yyy.zzz/{web}/{page}.html'.format(**d)
'http://xxx.yyy.zzz/user/42.html'
Python 2.6 이상과 마찬가지로 모든 Python 3 릴리스 (지금까지)는 둘 다 수행하는 방법을 이해합니다. 필자는 하드 코어 Python 소개 책 과 제가 때때로 제공 하는 Intro + Intermediate Python 코스 의 슬라이드 에서이 자료를 뻔뻔스럽게 뜯어 냈습니다 .:-)
2018년 8월 UPDATE : 물론, 지금 우리가 가지고 3.6의 F-문자열 기능을 , 우리는 동등한 예 필요한 것을 예, 다른 대안을 :
>>> name, age = 'John', 35
>>> f'Name: {name}, age: {age}'
'Name: John, age: 35'
>>> i = 45
>>> f'dec: {i}/oct: {i:#o}/hex: {i:#X}'
'dec: 45/oct: 0o55/hex: 0X2D'
>>> m, d, y = 12, 7, 41
>>> f"MM/DD/YY = {m:02d}/{d:02d}/{y:02d}"
'MM/DD/YY = 12/07/41'
>>> f'Total with tax: ${13.00 * 1.0825:.2f}'
'Total with tax: $14.07'
>>> d = {'web': 'user', 'page': 42}
>>> f"http://xxx.yyy.zzz/{d['web']}/{d['page']}.html"
'http://xxx.yyy.zzz/user/42.html'
Python 2.6 이상
It is possible to use the format()
function, so in your case you can use:
return '{:02d}:{:02d}:{:.2f} {}'.format(hours, minutes, seconds, ampm)
There are multiple ways of using this function, so for further information you can check the documentation.
Python 3.6+
f-strings is a new feature that has been added to the language in Python 3.6. This facilitates formatting strings notoriously:
return f'{hours:02d}:{minutes:02d}:{seconds:.2f} {ampm}'
You can use C style string formatting:
"%d:%d:d" % (hours, minutes, seconds)
See here, especially: https://web.archive.org/web/20120415173443/http://diveintopython3.ep.io/strings.html
You can use following to achieve desired functionality
"%d:%d:d" % (hours, minutes, seconds)
You can use the str.format() to make Python recognize any objects to strings.
str() in python on an integer will not print any decimal places.
If you have a float that you want to ignore the decimal part, then you can use str(int(floatValue)).
Perhaps the following code will demonstrate:
>>> str(5)
'5'
>>> int(8.7)
8
If you have a value that includes a decimal, but the decimal value is negligible (ie: 100.0) and try to int that, you will get an error. It seems silly, but calling float first fixes this.
str(int(float([variable])))
참고URL : https://stackoverflow.com/questions/22617/format-numbers-to-strings-in-python
'program story' 카테고리의 다른 글
같은 줄에있는 두 단어를 grep하는 방법은 무엇입니까? (0) | 2020.08.11 |
---|---|
$ .when.apply ($, someArray)는 무엇을합니까? (0) | 2020.08.11 |
jQuery .offset ()로 위치 가져 오기 및 설정 (0) | 2020.08.11 |
MemoryStream의 파일을 C #의 MailMessage에 첨부 (0) | 2020.08.11 |
변수는 내부 클래스 내에서 액세스됩니다. (0) | 2020.08.11 |