我需要找出如何将数字格式化为字符串.我的代码在这里:
return str(hours)+":"+str(minutes)+":"+str(seconds)+" "+ampm
小时和分钟是整数,秒是浮点数.str()函数将所有这些数字转换为十分之一(0.1)的位置.因此,不是我的字符串输出"5:30:59.07 pm",它将显示类似"5.0:30.0:59.1 pm"的内容.
最重要的是,我需要为我做什么库/功能?
Python格式化是通过字符串formatting(str.format
)运算符完成的:
hours, minutes, seconds = 6, 56, 33 f'{hours:02}:{minutes:02}:{seconds:02} {"pm" if hours > 12 else "am"}'
/编辑:还有strftime.
从Python 2.6开始,还有另一种方法:str.format()
方法.以下是使用现有字符串格式operator(%
)的一些示例:
>>> "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月更新:当然,现在我们已经在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+中,可以使用该format()
函数,因此在您的情况下,您可以使用:
return '{:02d}:{:02d}:{:.2f} {}'.format(hours, minutes, seconds, ampm)
有多种方法可以使用此功能,因此有关详细信息,请查看文档.