如何在Python中将123,456.908
之类的字符串转换为float 123456.908
?
答案 0 :(得分:120)
...或者不是将逗号视为要过滤的垃圾,而是将整个字符串视为浮动的本地化格式,并使用本地化服务:
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
答案 1 :(得分:87)
只需使用,
删除replace()
:
float("123,456.908".replace(',',''))
答案 2 :(得分:5)
这个怎么样?
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(',', ''))
答案 3 :(得分:4)
如果您使用逗号作为小数点分隔符,而将点作为千位分隔符,则可以执行以下操作:
s = s.replace('.','').replace(',','.')
number = float(s)
希望这会有所帮助
答案 4 :(得分:2)
如果您不知道区域设置并且想要解析任何类型的数字,请使用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
答案 5 :(得分:1)
s = "123,456.908"
print float(s.replace(',', ''))
答案 6 :(得分:1)
这是我为你写的一个简单方法。 :)
>>> number = '123,456,789.908'.replace(',', '') # '123456789.908'
>>> float(number)
123456789.908
答案 7 :(得分:0)
只需将,
替换为replace()。
f = float("123,456.908".replace(',',''))
print(type(f)
type()将向您显示它已转换为浮点数
答案 8 :(得分:0)
different currency formats的更好解决方案:
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))