Pythonで123,456.908
などの文字列をfloat 123456.908
に変換するにはどうすればよいですか?
,
をreplace()
で削除するだけです:
float("123,456.908".replace(',',''))
...または、コンマをフィルターで除去するゴミとして扱う代わりに、文字列全体をフロートのローカライズされたフォーマットとして扱い、ローカライズサービスを使用できます。
from locale import *
setlocale(LC_NUMERIC, '') # set to your default locale; for me this is
# 'English_Canada.1252'. Or you could explicitly specify a locale in which floats
# are formatted the way that you describe, if that's not how your locale works :)
atof('123,456') # 123456.0
# To demonstrate, let's explicitly try a locale in which the comma is a
# decimal point:
setlocale(LC_NUMERIC, 'French_Canada.1252')
atof('123,456') # 123.456
これはどうですか?
my_string = "123,456.908"
commas_removed = my_string.replace(',', '') # remove comma separation
my_float = float(commas_removed) # turn from string to float.
要するに:
my_float = float(my_string.replace(',', ''))
小数点区切り記号としてカンマを使用し、桁区切り記号としてドットを使用している場合、次のことができます。
s = s.replace('.','').replace(',','.')
number = float(s)
それが役立つことを願っています
ロケールがわからず、あらゆる種類の数値を解析する場合は、 this parseNumber(text)
function を使用します。完璧ではありませんが、ほとんどの場合を考慮に入れてください:
>>> parseNumber("a 125,00 €")
125
>>> parseNumber("100.000,000")
100000
>>> parseNumber("100 000,000")
100000
>>> parseNumber("100,000,000")
100000000
>>> parseNumber("100 000 000")
100000000
>>> parseNumber("100.001 001")
100.001
>>> parseNumber("$.3")
0.3
>>> parseNumber(".003")
0.003
>>> parseNumber(".003 55")
0.003
>>> parseNumber("3 005")
3005
>>> parseNumber("1.190,00 €")
1190
>>> parseNumber("1190,00 €")
1190
>>> parseNumber("1,190.00 €")
1190
>>> parseNumber("$1190.00")
1190
>>> parseNumber("$1 190.99")
1190.99
>>> parseNumber("1 000 000.3")
1000000.3
>>> parseNumber("1 0002,1.2")
10002.1
>>> parseNumber("")
>>> parseNumber(None)
>>> parseNumber(1)
1
>>> parseNumber(1.1)
1.1
>>> parseNumber("rrr1,.2o")
1
>>> parseNumber("rrr ,.o")
>>> parseNumber("rrr1rrr")
1
s = "123,456.908"
print float(s.replace(',', ''))
これは私があなたのために書いた簡単な方法です。 :)
>>> number = '123,456,789.908'.replace(',', '') # '123456789.908'
>>> float(number)
123456789.908
異なる通貨形式 のより良いソリューション:
def text_currency_to_float(text):
t = text
dot_pos = t.rfind('.')
comma_pos = t.rfind(',')
if comma_pos > dot_pos:
t = t.replace(".", "")
t = t.replace(",", ".")
else:
t = t.replace(",", "")
return(float(t))
Replace,
をreplace()で置き換えます。
f = float("123,456.908".replace(',','')) print(type(f)
type()は、floatに変換されたことを示します