同じことの解決策を探しているときに見つけたこの質問に非常に遅れています。
,
表記法を使用するとformat()
非常にうまく機能しますが、残念ながら,
表記法は文字列に適用できないため、いくつかの問題が生じます。したがって、数値のテキスト表現から始める場合は、 を呼び出す前にそれらを整数または浮動小数点数に変換する必要がありますformat()
。format()
保持する必要があるさまざまなレベルの精度で整数と浮動小数点数の両方を処理する必要がある場合、コードは急速に非常に複雑になります。このような状況に対処するために、私は を使用する代わりに独自のコードを書くことになりましたformat()
。最も広く使用されている千単位の区切り文字 ( ,
) と小数点記号 ( .
) を使用していますが、他のロケールの表記法で動作するように非常に迅速に変更したり、すべてのロケールで機能するソリューションを作成したりするために使用できることは明らかです。
def separate_thousands_with_delimiter(num_str):
"""
Returns a modified version of "num_str" with thousand separators added.
e.g. "1000000" --> "1,000,000", "1234567.1234567" --> "1,234,567.1234567".
Numbers which require no thousand separators will be returned unchanged.
e.g. "123" --> "123", "0.12345" --> "0.12345", ".12345" --> ".12345".
Signed numbers (a + or - prefix) will be returned with the sign intact.
e.g. "-12345" --> "-12,345", "+123" --> "+123", "-0.1234" --> "-0.1234".
"""
decimal_mark = "."
thousands_delimiter = ","
sign = ""
fraction = ""
# If num_str is signed, store the sign and remove it.
if num_str[0] == "+" or num_str[0] == "-":
sign = num_str[0]
num_str = num_str[1:]
# If num_str has a decimal mark, store the fraction and remove it.
# Note that find() will return -1 if the substring is not found.
dec_mark_pos = num_str.find(decimal_mark)
if dec_mark_pos >= 0:
fraction = num_str[dec_mark_pos:]
num_str = num_str[:dec_mark_pos]
# Work backwards through num_str inserting a separator after every 3rd digit.
i = len(num_str) - 3
while i > 0:
num_str = num_str[:i] + thousands_delimiter + num_str[i:]
i -= 3
# Build and return the final string.
return sign + num_str + fraction
# Test with:
test_nums = ["1", "10", "100", "1000", "10000", "100000", "1000000",
"-1", "+10", "-100", "+1000", "-10000", "+100000", "-1000000",
"1.0", "10.0", "100.0", "1000.0", "10000.0", "100000.0",
"1000000.0", "1.123456", "10.123456", "100.123456", "1000.123456",
"10000.123456", "100000.123456", "1000000.123456", "+1.123456",
"-10.123456", "+100.123456", "-1000.123456", "+10000.123456",
"-100000.123456", "+1000000.123456", "1234567890123456789",
"1234567890123456789.1", "-1234567890123456789.1",
"1234567890123456789.123456789", "0.1", "0.12", "0.123", "0.1234",
"-0.1", "+0.12", "-0.123", "+0.1234", ".1", ".12", ".123",
".1234", "-.1", "+.12", "-.123", "+.1234"]
for num in test_nums:
print("%s --> %s" % (num, separate_thousands_with_delimiter(num)))
# Beginners should note that an integer or float can be converted to a string
# very easily by simply using: str(int_or_float)
test_int = 1000000
test_int_str = str(test_int)
print("%d --> %s" % (test_int, separate_thousands_with_delimiter(test_int_str)))
test_float = 1000000.1234567
test_float_str = str(test_float)
print("%f --> %s" % (test_float, separate_thousands_with_delimiter(test_float_str)))
お役に立てれば。:)