>>> import re
>>> re.findall("\d+\.\d+", "Current Level: 13.4db.")
['13.4']
也许就够了。
一个更健壮的版本是:
>>> re.findall(r"[-+]?(?:\d*\.*\d+)", "Current Level: -13.2db or 14.2 or 3")
['-13.2', '14.2', '3']
如果您想验证用户输入,您也可以通过直接单步执行来检查浮点数:
user_input = "Current Level: 1e100 db"
for token in user_input.split():
try:
# if this succeeds, you have your (first) float
print(float(token), "is a float")
except ValueError:
print(token, "is something else")
# => Would print ...
#
# Current is something else
# Level: is something else
# 1e+100 is a float
# db is something else
>>> for possibility in "Current Level: -13.2 db or 14,2 or 3".split():
... try:
... str(float(possibility.replace(',', '.')))
... except ValueError:
... pass
'-13.2'
'14.2'
'3.0'