可能重复:
How to print number with commas as thousands separators?
例如:
>> print numberFormat(1234)
>> 1,234
或者Python中是否有内置函数来执行此操作?
答案 0 :(得分:92)
到目前为止,还没有人提到在版本2.7中添加到格式规范迷你语言的新','
选项 - 请参阅{{3}中的PEP 378: Format Specifier for Thousands Separator }}。它易于使用,因为您不必使用locale
(但由于这种情况而限制国际化,请参阅What's New in Python 2.7 document)。它适用于浮点数,整数和小数 - 以及迷你语言规范中提供的所有其他格式化功能。
样本用法:
print format(1234, ",d") # -> 1,234
print "{:,d}".format(1234) # -> 1,234
注意:虽然这个新功能非常方便,但实际上并非使用locale
模块更加困难,正如其他几个人所建议的那样。优点是,当输出数字,日期和时间等内容时,可以使数字输出自动遵循各个国家/地区使用的适当的千位(和其他)分隔符约定。在不学习大量语言和国家/地区代码的情况下,将计算机的默认设置生效也非常容易。您所需要做的就是:
import locale
locale.setlocale(locale.LC_ALL, '') # empty string for platform's default settings
执行此操作后,您可以使用通用'n'
类型代码输出数字(整数和浮点数)。我在哪里,逗号被用作千位分隔符,所以在设置了如上所示的语言环境后,就会发生这种情况:
print format(1234, "n") # -> 1,234
print "{:n}".format(1234) # -> 1,234
为了这个目的,世界上大部分地区都使用句点而不是逗号,因此在许多位置设置默认语言环境(或在setlocale()
调用中明确指定此类区域的代码)会产生以下结果:
print format(1234, "n") # -> 1.234
print "{:n}".format(1234) # -> 1.234
基于'd'
或',d'
格式类型说明符的输出不受setlocale()
的使用(或不使用)的影响。但是,如果您改为使用original PEP 378或locale.format()
函数,'d'
说明符 会受到影响。
答案 1 :(得分:13)
不要忘记首先正确设置区域设置。
答案 2 :(得分:10)
脱离webpy utils.py
:
def commify(n):
"""
Add commas to an integer `n`.
>>> commify(1)
'1'
>>> commify(123)
'123'
>>> commify(1234)
'1,234'
>>> commify(1234567890)
'1,234,567,890'
>>> commify(123.0)
'123.0'
>>> commify(1234.5)
'1,234.5'
>>> commify(1234.56789)
'1,234.56789'
>>> commify('%.2f' % 1234.5)
'1,234.50'
>>> commify(None)
>>>
"""
if n is None: return None
n = str(n)
if '.' in n:
dollars, cents = n.split('.')
else:
dollars, cents = n, None
r = []
for i, c in enumerate(str(dollars)[::-1]):
if i and (not (i % 3)):
r.insert(0, ',')
r.insert(0, c)
out = ''.join(r)
if cents:
out += '.' + cents
return out
还有其他解决方案here。
答案 3 :(得分:4)
对整数使用locale.format()
,但要注意环境中的当前区域设置。某些环境可能没有此设置或设置为不会给您提供结果的内容。
以下是我必须编写的一些代码来处理这个问题。它会根据您的平台自动为您设置区域设置:
try:
locale.setlocale(locale.LC_ALL, 'en_US.UTF-8') #use locale.format for commafication
except locale.Error:
locale.setlocale(locale.LC_ALL, '') #set to default locale (works on windows)
score = locale.format('%d', player['score'], True)