桁区切り記号としてカンマを使用して数値を印刷する方法は?


754

私は、Python 2.6.1の整数を、桁区切り文字としてコンマを使用して出力しようとしています。たとえば、数値を1234567として表示したいとし1,234,567ます。これを行うにはどうすればよいですか?私はGoogleで多くの例を見てきましたが、最も簡単で実用的な方法を探しています。

ピリオドとコンマの間を決定するために、ロケール固有である必要はありません。私は、合理的に可能な限り単純なものを好みます。

回答:


1739

ロケールを認識しない

'{:,}'.format(value)  # For Python ≥2.7
f'{value:,}'  # For Python ≥3.6

ロケール対応

import locale
locale.setlocale(locale.LC_ALL, '')  # Use '' for auto, or force e.g. to 'en_US.UTF-8'

'{:n}'.format(value)  # For Python ≥2.7
f'{value:n}'  # For Python ≥3.6

参照

フォーマット仕様ごとのミニ言語

この','オプションは、桁区切り記号としてカンマを使用することを示します。ロケール対応のセパレーターの場合は、'n'代わりに整数表示タイプを使用してください。


25
これは、米国および他のいくつかの場所以外では正しくないことに注意してください。その場合、選択したlocale.format()が正しい答えです。
Gringo Suave 2014

11
キーワード引数形式:{val:,}.format(val=val)
CivFan '25

11
まことにありがとうございます。小数点以下2桁の金額の場合-"{:、。2f}"。format(value)
dlink

3
ポルトガルの場合、ポイント(。)をセパレーターとして使用します:{:、} "。format(value).replace( '、'、 '。')

13
Python 3.6以降では、f-stringがさらに便利です。例えばf"{2 ** 64 - 1:,}"
CJ Gaconnet

285

私はこれを機能させました:

>>> import locale
>>> locale.setlocale(locale.LC_ALL, 'en_US')
'en_US'
>>> locale.format("%d", 1255000, grouping=True)
'1,255,000'

もちろん、国際化のサポートは必要ありません、明確で簡潔で、組み込みライブラリを使用しています。

PSその「%d」は通常の%スタイルのフォーマッターです。フォーマッターは1つだけですが、フィールド幅と精度の設定に関しては、必要なものを何でも使用できます。

PPSあなたがlocale仕事に着くことができないならば、私はマークの答えの修正されたバージョンを提案するでしょう:

def intWithCommas(x):
    if type(x) not in [type(0), type(0L)]:
        raise TypeError("Parameter must be an integer.")
    if x < 0:
        return '-' + intWithCommas(-x)
    result = ''
    while x >= 1000:
        x, r = divmod(x, 1000)
        result = ",%03d%s" % (r, result)
    return "%d%s" % (x, result)

再帰は否定的な場合に便利ですが、コンマごとに1つの再帰は少し過剰に思えます。


14
私はあなたのコードを試しました、そして残念ながら、私はこれを受け取ります: "locale.Error:サポートされていないロケール設定"。:-s
マーク・バイアーズ

11
マーク:Linuxを使用している場合は、/ etc / locale.genの内容、またはglibcがロケールを構築するために使用しているものを確認することをお勧めします。「en」、「en_US.utf8」、「en_US.UTF-8」、「en_UK」(sp?)なども試してみてください。mikez:本が必要です:「Dr. PEP:または心配をやめてdocs.python.orgを愛するようになった方法」すべてのライブラリをPython 1.5.6に戻すことをあきらめました。についてはlocale、できる限り使用しないようにしています。
Mike DeSimone、

10
'' for setlocaleを使用してデフォルトを使用できますが、これが適切な場合があります。
Mark Ransom

24
これを試してください:locale.setlocale(locale.LC_ALL、 '')
うまくいき

1
賢いですが、グローバル設定を行う関数は好きではありません... 'blah'.format()を使用するのがより良い方法です。
セリン

132

非効率性と読みやすさのために、打ち負かすのは難しい:

>>> import itertools
>>> s = '-1234567'
>>> ','.join(["%s%s%s" % (x[0], x[1] or '', x[2] or '') for x in itertools.izip_longest(s[::-1][::3], s[::-1][1::3], s[::-1][2::3])])[::-1].replace('-,','-')

171
この質問に答えるための最も非効率的で読みにくい方法に投票しました。
psytek 2012年

1
これが少なくともうまくいくならいいです。この番号「17371830」を試してみると、「173.718.3.0」になります=)
ホルムス

5
生理?それは不可能です、ホルム。この迷惑メールはロケールを完全に無視します。どうやってその結果を得たのかしら。あなたの例では、予想通り、「17,371,830」が生成されます。
Kasey Kirkham、2012

11
これを機能にするために、私はお勧めします:lambda x: (lambda s: ','.join(["%s%s%s" % (x[0], x[1] or '', x[2] or '') for x in itertools.izip_longest(s[::-1][::3], s[::-1][1::3], s[::-1][2::3])])[::-1].replace('-,','-'))(str(x))難読化のテーマを維持するだけです。
量子

95

以下は、無関係な部分を削除して少しクリーンアップした後のロケールグループコードです。

(以下は整数に対してのみ機能します)

def group(number):
    s = '%d' % number
    groups = []
    while s and s[-1].isdigit():
        groups.append(s[-3:])
        s = s[:-3]
    return s + ','.join(reversed(groups))

>>> group(-23432432434.34)
'-23,432,432,434'

ここにはすでにいくつかの良い答えがあります。これを後で参照できるように追加したいだけです。Python 2.7では、3桁ごとの区切り記号の形式指定子が提供される予定です。Pythonのドキュメントによると、それはこのように機能します

>>> '{:20,.2f}'.format(f)
'18,446,744,073,709,551,616.00'

python3.1では、次のように同じことができます。

>>> format(1234567, ',d')
'1,234,567'

ええ、もっと難しい方法は、主にRHELや他の長期サポートディストリビューションに同梱されているような古いPythonを使っている人たちのためのものです。
Mike DeSimone、2012年

3
これをフォーマット文字列でどのように表現するのですか?"%、d"%1234567は機能しません
フレデリックバザン2013年

93

Python 3.6でf-stringを使ってこれほど簡単にこれを行うことができると誰も言っていないことに驚いています。

>>> num = 10000000
>>> print(f"{num:,}")
10,000,000

...ここで、コロンの後の部分はフォーマット指定子です。コンマは必要な区切り文字であるためf"{num:_}"、コンマの代わりにアンダースコアを使用します。

これはformat(num, ",")、Python 3の古いバージョンに使用するのと同じです。


これは投票数の多い回答よりも簡単で、追加のインポートは必要ありません。
Z4層

39

ここに一行の正規表現の置き換えがあります:

re.sub("(\d)(?=(\d{3})+(?!\d))", r"\1,", "%d" % val)

積分出力に対してのみ機能します:

import re
val = 1234567890
re.sub("(\d)(?=(\d{3})+(?!\d))", r"\1,", "%d" % val)
# Returns: '1,234,567,890'

val = 1234567890.1234567890
# Returns: '1,234,567,890'

または、4桁未満の浮動小数点数の場合は、フォーマット指定子を%.3f次のように変更します。

re.sub("(\d)(?=(\d{3})+(?!\d))", r"\1,", "%.3f" % val)
# Returns: '1,234,567,890.123'

注意:小数部をグループ化しようとするため、4桁以上の10進数では正しく機能しません。

re.sub("(\d)(?=(\d{3})+(?!\d))", r"\1,", "%.5f" % val)
# Returns: '1,234,567,890.12,346'

使い方

分解してみましょう:

re.sub(pattern, repl, string)

pattern = \
    "(\d)           # Find one digit...
     (?=            # that is followed by...
         (\d{3})+   # one or more groups of three digits...
         (?!\d)     # which are not followed by any more digits.
     )",

repl = \
    r"\1,",         # Replace that one digit by itself, followed by a comma,
                    # and continue looking for more matches later in the string.
                    # (re.sub() replaces all matches it finds in the input)

string = \
    "%d" % val      # Format the string as a decimal to begin with

1
詳細モードを使用すると、コード内でコメントを
直接

「(?!\ d)」を「$」に​​置き換えられませんか?
GL2014

28

これは私がフロートに対して行うことです。正直なところ、どのバージョンで機能するかはわかりませんが、2.7を使用しています。

my_number = 4385893.382939491

my_string = '{:0,.2f}'.format(my_number)

戻り値:4,385,893.38

更新:最近、この形式に問題がありましたが(正確な理由はわかりません)、以下を削除することで修正できました0

my_string = '{:,.2f}'.format(my_number)

19

'{:n}'.format( value )ロケール表現にも使用できます。これはロケールソリューションの最も簡単な方法だと思います。

詳細についてはthousandsPython DOCで検索してください。

通貨についてlocale.currencyは、フラグを設定して使用できますgrouping

コード

import locale

locale.setlocale( locale.LC_ALL, '' )
locale.currency( 1234567.89, grouping = True )

出力

'Portuguese_Brazil.1252'
'R$ 1.234.567,89'

13

Ian Schneiderの答えを少し広げます。

カスタムの桁区切り記号を使用する場合、最も簡単な解決策は次のとおりです。

'{:,}'.format(value).replace(',', your_custom_thousands_separator)

'{:,.2f}'.format(123456789.012345).replace(',', ' ')

このようなドイツ語の表現が必要な場合は、少し複雑になります。

('{:,.2f}'.format(123456789.012345)
          .replace(',', ' ')  # 'save' the thousands separators 
          .replace('.', ',')  # dot to comma
          .replace(' ', '.')) # thousand separators to dot

少し短い:'{:_.2f}'.format(12345.6789).replace('.', ',').replace('_', '.')
Tom Pohl

12

これには標準のライブラリ関数が必要だと思いますが、再帰を使って自分で書いてみるのは面白かったので、ここに私が思いついたものがあります:

def intToStringWithCommas(x):
    if type(x) is not int and type(x) is not long:
        raise TypeError("Not an integer!")
    if x < 0:
        return '-' + intToStringWithCommas(-x)
    elif x < 1000:
        return str(x)
    else:
        return intToStringWithCommas(x / 1000) + ',' + '%03d' % (x % 1000)

そうは言っても、誰かが標準的な方法を見つけた場合は、代わりにそれを使用する必要があります。


残念ながら、すべてのケースで機能するわけではありません。intToStringWithCommas(1000.1)-> '1.0001,000'
Nadia Alramli 2009年

彼は整数を具体的に言って、それは可能な限り単純でなければならないので、整数以外のデータ型を処理しないことにしました。関数名_int_ToStringWithCommasでも明示的にしました。さらに明確にするためにレイズも追加しました。
Mark Byers、

8

コメントからactivestateレシピ498181まで、私はこれを作り直しました:

import re
def thous(x, sep=',', dot='.'):
    num, _, frac = str(x).partition(dot)
    num = re.sub(r'(\d{3})(?=\d)', r'\1'+sep, num[::-1])[::-1]
    if frac:
        num += dot + frac
    return num

これは、正規表現機能を使用します。先読み、つまり(?=\d)、「後に」数字がある3桁のグループのみがコンマを取得するようにします。この時点では文字列が反転しているので、「後」と言います。

[::-1] 文字列を逆にします。



7

Python 3

-

整数(小数なし):

"{:,d}".format(1234567)

-

浮動小数点数(10進数):

"{:,.2f}".format(1234567)

ここで、前fの数字は小数点以下の桁数を指定します。

-

ボーナス

インドのlakhs / crores番号付けシステム(12、34、567)のダーティスターター関数:

https://stackoverflow.com/a/44832241/4928578


5

Pythonバージョン2.6からこれを行うことができます:

def format_builtin(n):
    return format(n, ',')

Pythonバージョン2.6未満の場合と参考までに、ここに2つの手動ソリューションがあります。これらは浮動小数点数を整数に変換しますが、負の数は正しく機能します。

def format_number_using_lists(number):
    string = '%d' % number
    result_list = list(string)
    indexes = range(len(string))
    for index in indexes[::-3][1:]:
        if result_list[index] != '-':
            result_list.insert(index+1, ',')
    return ''.join(result_list)

ここで注意すべきいくつかのこと:

  • この行:string = '%d'%数値は、数値を文字列に美しく変換します。負の値をサポートし、浮動小数点数から小数を削除して、整数にします。
  • このスライスindex [::-3]は、最後から3番目のアイテムを返します。そのため、最後のアイテムの後にカンマは必要ないので、最後のアイテムを削除するために別のスライス[1:]を使用しました。
  • l [index]!= '-'が負の数をサポートするために使用されている場合、これは条件付きです。マイナス記号の後にコンマを挿入しないでください。

そしてよりハードコアなバージョン:

def format_number_using_generators_and_list_comprehensions(number):
    string = '%d' % number
    generator = reversed( 
        [
            value+',' if (index!=0 and value!='-' and index%3==0) else value
            for index,value in enumerate(reversed(string))
        ]
    )
    return ''.join(generator)

2

私はPythonの初心者ですが、経験豊富なプログラマーです。私はPython 3.5を使用しているので、コンマを使用できますが、これは興味深いプログラミングの練習です。符号なし整数の場合を考えてみましょう。桁区切り文字を追加するための最も読みやすいPythonプログラムは次のようです。

def add_commas(instr):
    out = [instr[0]]
    for i in range(1, len(instr)):
        if (len(instr) - i) % 3 == 0:
            out.append(',')
        out.append(instr[i])
    return ''.join(out)

リスト内包表記を使用することもできます。

add_commas(instr):
    rng = reversed(range(1, len(instr) + (len(instr) - 1)//3 + 1))
    out = [',' if j%4 == 0 else instr[-(j - j//4)] for j in rng]
    return ''.join(out)

これはより短く、ワンライナーになる可能性がありますが、それが機能する理由を理解するためにいくつかの精神体操を行う必要があります。どちらの場合も次のようになります。

for i in range(1, 11):
    instr = '1234567890'[:i]
    print(instr, add_commas(instr))
1 1
12 12
123 123
1234 1,234
12345 12,345
123456 123,456
1234567 1,234,567
12345678 12,345,678
123456789 123,456,789
1234567890 1,234,567,890

プログラムを理解してもらいたい場合は、最初のバージョンがより賢明な選択です。


1

以下は、フロートでも機能するものです。

def float2comma(f):
    s = str(abs(f)) # Convert to a string
    decimalposition = s.find(".") # Look for decimal point
    if decimalposition == -1:
        decimalposition = len(s) # If no decimal, then just work from the end
    out = "" 
    for i in range(decimalposition+1, len(s)): # do the decimal
        if not (i-decimalposition-1) % 3 and i-decimalposition-1: out = out+","
        out = out+s[i]      
    if len(out):
        out = "."+out # add the decimal point if necessary
    for i in range(decimalposition-1,-1,-1): # working backwards from decimal point
        if not (decimalposition-i-1) % 3 and decimalposition-i-1: out = ","+out
        out = s[i]+out      
    if f < 0:
        out = "-"+out
    return out

使用例:

>>> float2comma(10000.1111)
'10,000.111,1'
>>> float2comma(656565.122)
'656,565.122'
>>> float2comma(-656565.122)
'-656,565.122'

1
float2comma(12031023.1323)'12、031,023.132,3 '
demux

1

Python 2.5+およびPython 3用のライナー(正の整数のみ):

''.join(reversed([x + (',' if i and not i % 3 else '') for i, x in enumerate(reversed(str(1234567)))]))

1

ユニバーサルソリューション

以前の上位投票の回答で、ドットセパレータにいくつかの問題が見つかりました。私は、ロケールを変更せずに、1000の区切り文字として何でも使用できるユニバーサルソリューションを設計しました。私はそれが最もエレガントな解決策ではないことを知っていますが、それは仕事を成し遂げます。自由に改善してください!

def format_integer(number, thousand_separator='.'):
    def reverse(string):
        string = "".join(reversed(string))
        return string

    s = reverse(str(number))
    count = 0
    result = ''
    for char in s:
        count = count + 1
        if count % 3 == 0:
            if len(s) == count:
                result = char + result
            else:
                result = thousand_separator + char + result
        else:
            result = char + result
    return result


print(format_integer(50))
# 50
print(format_integer(500))
# 500
print(format_integer(50000))
# 50.000
print(format_integer(50000000))
# 50.000.000

0

これはカンマと一緒にお金を稼ぐ

def format_money(money, presym='$', postsym=''):
    fmt = '%0.2f' % money
    dot = string.find(fmt, '.')
    ret = []
    if money < 0 :
        ret.append('(')
        p0 = 1
    else :
        p0 = 0
    ret.append(presym)
    p1 = (dot-p0) % 3 + p0
    while True :
        ret.append(fmt[p0:p1])
        if p1 == dot : break
        ret.append(',')
        p0 = p1
        p1 += 3
    ret.append(fmt[dot:])   # decimals
    ret.append(postsym)
    if money < 0 : ret.append(')')
    return ''.join(ret)

0

私はこのコードのpython 2およびpython 3バージョンを持っています。私は質問がpython 2を求められたことを知っていますが、今(8年後の笑)人々はおそらくpython 3を使用するでしょう。Python3

コード:

import random
number = str(random.randint(1, 10000000))
comma_placement = 4
print('The original number is: {}. '.format(number))
while True:
    if len(number) % 3 == 0:
        for i in range(0, len(number) // 3 - 1):
            number = number[0:len(number) - comma_placement + 1] + ',' + number[len(number) - comma_placement + 1:]
            comma_placement = comma_placement + 4
    else:
        for i in range(0, len(number) // 3):
            number = number[0:len(number) - comma_placement + 1] + ',' + number[len(number) - comma_placement + 1:]
    break
print('The new and improved number is: {}'.format(number))        


Python 2コード:(編集。python2コードが機能していません。構文が異なると思います)。

import random
number = str(random.randint(1, 10000000))
comma_placement = 4
print 'The original number is: %s.' % (number)
while True:
    if len(number) % 3 == 0:
        for i in range(0, len(number) // 3 - 1):
            number = number[0:len(number) - comma_placement + 1] + ',' + number[len(number) - comma_placement + 1:]
            comma_placement = comma_placement + 4
    else:
        for i in range(0, len(number) // 3):
            number = number[0:len(number) - comma_placement + 1] + ',' + number[len(number) - comma_placement + 1:]
    break
print 'The new and improved number is: %s.' % (number) 

0

私はpython 2.5を使用しているので、組み込みの書式設定にアクセスできません。

Djangoのコードintcomma(以下のコードではintcomma_recurs)を調べたところ、再帰的であり、実行ごとに正規表現をコンパイルすることも良いことではないため、効率が悪いことに気付きました。djangoはこの種の低レベルのパフォーマンスに焦点を合わせていないため、これは「問題」である必要はありません。また、パフォーマンスには10倍の違いがあると予想していましたが、遅くなるのは3倍だけです。

好奇心から、私はいくつかのバージョンのintcommaを実装して、正規表現を使用した場合のパフォーマンスの利点を確認しました。私のテストデータは、このタスクにはわずかな利点があると結論付けていますが、驚くほど多くはありません。

正規表現なしの場合は、逆xrangeアプローチを使用する必要はありませんが、コードの見た目が10%程度向上しますが、見栄えがよくなります。

また、渡したものは文字列であり、数字のように見えると仮定します。それ以外の場合、結果は未定です。

from __future__ import with_statement
from contextlib import contextmanager
import re,time

re_first_num = re.compile(r"\d")
def intcomma_noregex(value):
    end_offset, start_digit, period = len(value),re_first_num.search(value).start(),value.rfind('.')
    if period == -1:
        period=end_offset
    segments,_from_index,leftover = [],0,(period-start_digit) % 3
    for _index in xrange(start_digit+3 if not leftover else start_digit+leftover,period,3):
        segments.append(value[_from_index:_index])
        _from_index=_index
    if not segments:
        return value
    segments.append(value[_from_index:])
    return ','.join(segments)

def intcomma_noregex_reversed(value):
    end_offset, start_digit, period = len(value),re_first_num.search(value).start(),value.rfind('.')
    if period == -1:
        period=end_offset
    _from_index,segments = end_offset,[]
    for _index in xrange(period-3,start_digit,-3):
        segments.append(value[_index:_from_index])
        _from_index=_index
    if not segments:
        return value
    segments.append(value[:_from_index])
    return ','.join(reversed(segments))

re_3digits = re.compile(r'(?<=\d)\d{3}(?!\d)')
def intcomma(value):
    segments,last_endoffset=[],len(value)
    while last_endoffset > 3:
        digit_group = re_3digits.search(value,0,last_endoffset)
        if not digit_group:
            break
        segments.append(value[digit_group.start():last_endoffset])
        last_endoffset=digit_group.start()
    if not segments:
        return value
    if last_endoffset:
        segments.append(value[:last_endoffset])
    return ','.join(reversed(segments))

def intcomma_recurs(value):
    """
    Converts an integer to a string containing commas every three digits.
    For example, 3000 becomes '3,000' and 45000 becomes '45,000'.
    """
    new = re.sub("^(-?\d+)(\d{3})", '\g<1>,\g<2>', str(value))
    if value == new:
        return new
    else:
        return intcomma(new)

@contextmanager
def timed(save_time_func):
    begin=time.time()
    try:
        yield
    finally:
        save_time_func(time.time()-begin)

def testset_xsimple(func):
    func('5')

def testset_simple(func):
    func('567')

def testset_onecomma(func):
    func('567890')

def testset_complex(func):
    func('-1234567.024')

def testset_average(func):
    func('-1234567.024')
    func('567')
    func('5674')

if __name__ == '__main__':
    print 'Test results:'
    for test_data in ('5','567','1234','1234.56','-253892.045'):
        for func in (intcomma,intcomma_noregex,intcomma_noregex_reversed,intcomma_recurs):
            print func.__name__,test_data,func(test_data)
    times=[]
    def overhead(x):
        pass
    for test_run in xrange(1,4):
        for func in (intcomma,intcomma_noregex,intcomma_noregex_reversed,intcomma_recurs,overhead):
            for testset in (testset_xsimple,testset_simple,testset_onecomma,testset_complex,testset_average):
                for x in xrange(1000): # prime the test
                    testset(func)
                with timed(lambda x:times.append(((test_run,func,testset),x))):
                    for x in xrange(50000):
                        testset(func)
    for (test_run,func,testset),_delta in times:
        print test_run,func.__name__,testset.__name__,_delta

そしてここにテスト結果があります:

intcomma 5 5
intcomma_noregex 5 5
intcomma_noregex_reversed 5 5
intcomma_recurs 5 5
intcomma 567 567
intcomma_noregex 567 567
intcomma_noregex_reversed 567 567
intcomma_recurs 567 567
intcomma 1234 1,234
intcomma_noregex 1234 1,234
intcomma_noregex_reversed 1234 1,234
intcomma_recurs 1234 1,234
intcomma 1234.56 1,234.56
intcomma_noregex 1234.56 1,234.56
intcomma_noregex_reversed 1234.56 1,234.56
intcomma_recurs 1234.56 1,234.56
intcomma -253892.045 -253,892.045
intcomma_noregex -253892.045 -253,892.045
intcomma_noregex_reversed -253892.045 -253,892.045
intcomma_recurs -253892.045 -253,892.045
1 intcomma testset_xsimple 0.0410001277924
1 intcomma testset_simple 0.0369999408722
1 intcomma testset_onecomma 0.213000059128
1 intcomma testset_complex 0.296000003815
1 intcomma testset_average 0.503000020981
1 intcomma_noregex testset_xsimple 0.134000062943
1 intcomma_noregex testset_simple 0.134999990463
1 intcomma_noregex testset_onecomma 0.190999984741
1 intcomma_noregex testset_complex 0.209000110626
1 intcomma_noregex testset_average 0.513000011444
1 intcomma_noregex_reversed testset_xsimple 0.124000072479
1 intcomma_noregex_reversed testset_simple 0.12700009346
1 intcomma_noregex_reversed testset_onecomma 0.230000019073
1 intcomma_noregex_reversed testset_complex 0.236999988556
1 intcomma_noregex_reversed testset_average 0.56299996376
1 intcomma_recurs testset_xsimple 0.348000049591
1 intcomma_recurs testset_simple 0.34600019455
1 intcomma_recurs testset_onecomma 0.625
1 intcomma_recurs testset_complex 0.773999929428
1 intcomma_recurs testset_average 1.6890001297
1 overhead testset_xsimple 0.0179998874664
1 overhead testset_simple 0.0190000534058
1 overhead testset_onecomma 0.0190000534058
1 overhead testset_complex 0.0190000534058
1 overhead testset_average 0.0309998989105
2 intcomma testset_xsimple 0.0360000133514
2 intcomma testset_simple 0.0369999408722
2 intcomma testset_onecomma 0.207999944687
2 intcomma testset_complex 0.302000045776
2 intcomma testset_average 0.523000001907
2 intcomma_noregex testset_xsimple 0.139999866486
2 intcomma_noregex testset_simple 0.141000032425
2 intcomma_noregex testset_onecomma 0.203999996185
2 intcomma_noregex testset_complex 0.200999975204
2 intcomma_noregex testset_average 0.523000001907
2 intcomma_noregex_reversed testset_xsimple 0.130000114441
2 intcomma_noregex_reversed testset_simple 0.129999876022
2 intcomma_noregex_reversed testset_onecomma 0.236000061035
2 intcomma_noregex_reversed testset_complex 0.241999864578
2 intcomma_noregex_reversed testset_average 0.582999944687
2 intcomma_recurs testset_xsimple 0.351000070572
2 intcomma_recurs testset_simple 0.352999925613
2 intcomma_recurs testset_onecomma 0.648999929428
2 intcomma_recurs testset_complex 0.808000087738
2 intcomma_recurs testset_average 1.81900000572
2 overhead testset_xsimple 0.0189998149872
2 overhead testset_simple 0.0189998149872
2 overhead testset_onecomma 0.0190000534058
2 overhead testset_complex 0.0179998874664
2 overhead testset_average 0.0299999713898
3 intcomma testset_xsimple 0.0360000133514
3 intcomma testset_simple 0.0360000133514
3 intcomma testset_onecomma 0.210000038147
3 intcomma testset_complex 0.305999994278
3 intcomma testset_average 0.493000030518
3 intcomma_noregex testset_xsimple 0.131999969482
3 intcomma_noregex testset_simple 0.136000156403
3 intcomma_noregex testset_onecomma 0.192999839783
3 intcomma_noregex testset_complex 0.202000141144
3 intcomma_noregex testset_average 0.509999990463
3 intcomma_noregex_reversed testset_xsimple 0.125999927521
3 intcomma_noregex_reversed testset_simple 0.126999855042
3 intcomma_noregex_reversed testset_onecomma 0.235999822617
3 intcomma_noregex_reversed testset_complex 0.243000030518
3 intcomma_noregex_reversed testset_average 0.56200003624
3 intcomma_recurs testset_xsimple 0.337000131607
3 intcomma_recurs testset_simple 0.342000007629
3 intcomma_recurs testset_onecomma 0.609999895096
3 intcomma_recurs testset_complex 0.75
3 intcomma_recurs testset_average 1.68300008774
3 overhead testset_xsimple 0.0189998149872
3 overhead testset_simple 0.018000125885
3 overhead testset_onecomma 0.018000125885
3 overhead testset_complex 0.0179998874664
3 overhead testset_average 0.0299999713898

ダニエルフォーチュノフの1正規表現ソリューションは#1であり、正規表現はCで非常に洗練/最適化およびコーディングされているため、すべてのアルゴリズムに勝ると思いましたが、違います。パターンと先読みは高すぎると思います。正規表現をプリコンパイルした場合でも、上記のintcommaの約2倍の時間に収まります。
パリティ3 2012


-1

以下は、整数に対して機能するジェネレーター関数を使用した別のバリアントです。

def ncomma(num):
    def _helper(num):
        # assert isinstance(numstr, basestring)
        numstr = '%d' % num
        for ii, digit in enumerate(reversed(numstr)):
            if ii and ii % 3 == 0 and digit.isdigit():
                yield ','
            yield digit

    return ''.join(reversed([n for n in _helper(num)]))

そしてここにテストがあります:

>>> for i in (0, 99, 999, 9999, 999999, 1000000, -1, -111, -1111, -111111, -1000000):
...     print i, ncomma(i)
... 
0 0
99 99
999 999
9999 9,999
999999 999,999
1000000 1,000,000
-1 -1
-111 -111
-1111 -1,111
-111111 -111,111
-1000000 -1,000,000

-1

サブクラスlong(またはfloat、またはその他)。これは非常に実用的です。これは、この方法でも数値演算(および既存のコード)で数値を使用できるためですが、すべての数値が端末で適切に印刷されます。

>>> class number(long):

        def __init__(self, value):
            self = value

        def __repr__(self):
            s = str(self)
            l = [x for x in s if x in '1234567890']
            for x in reversed(range(len(s)-1)[::3]):
                l.insert(-x, ',')
            l = ''.join(l[1:])
            return ('-'+l if self < 0 else l) 

>>> number(-100000)
-100,000
>>> number(-100)
-100
>>> number(-12345)
-12,345
>>> number(928374)
928,374
>>> 345

8
私はサブクラスのアイデアが好きですが__repr__()、オーバーライドする正しい方法はありますか?動作するはずなので、オーバーライド__str__()して__repr__()放っておくことをお勧めしますint(repr(number(928374)))int()、カンマが詰まるでしょう。
steveha

@stevehaは良い点を持っていますが、正当化されるべきでnumber(repr(number(928374)))はなかったはずint(repr(number(928374)))です。同じように、このアプローチをで直接機能させるprintには、OPが要求したように、__str__()メソッドをでなく、オーバーライドするメソッドにする必要があり__repr__()ます。とにかく、コアのコンマ挿入ロジックにバグがあるようです。
martineau

-1

イタリア:

>>> import locale
>>> locale.setlocale(locale.LC_ALL,"")
'Italian_Italy.1252'
>>> f"{1000:n}"
'1.000'

-8

フロートの場合:

float(filter(lambda x: x!=',', '1,234.52'))
# returns 1234.52

intの場合:

int(filter(lambda x: x!=',', '1,234'))
# returns 1234

5
それは削除カンマを。便利な間、OPはそれらを追加する方法を求めました。さらに、のようなものfloat('1,234.52'.translate(None, ','))はより簡単で、おそらくより高速かもしれません。
追って通知があるまで一時停止。
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.