Is there some function like str.isnumeric
but applicable to float?
'13.37'.isnumeric() #False
I still use this:
def isFloat(string):
try:
float(string)
return True
except ValueError:
return False
Is there some function like str.isnumeric
but applicable to float?
'13.37'.isnumeric() #False
I still use this:
def isFloat(string):
try:
float(string)
return True
except ValueError:
return False
Your code is absolutely fine. Regex based soultions are more likely to be error prone.
Quick testing with timeit
reveals float(str_val) is indeed faster than re.match()
>>> timeit.timeit('float("-1.1")')
1.2833082290601467
>>> timeit.timeit(r"pat.match('-1.1')", "import re; pat=re.compile(r'^-?\d*\.?\d+(?:[Ee]-?\d+)?$');")
1.5084138986904527
And the regex used above fails one edge case, it can't match '-1.'
, although float()
will happily convert it to proper float value.
isinstance(myVariable, float)
will work if you're testing a floating point variable.
Edit: Spoke too soon, didn't fully understand what you were trying to get.
As Imran says, your code is absolutely fine as shown.
However, it does encourage clients of isFloat
down the "Look Before You Leap" path instead of the more Pythonic "Easier to Ask Forgiveness than Permission" path.
It's more Pythonic for clients to assume they have a string representing a float but be ready to handle the exception that will be thrown if it isn't.
This approach also has the nice side-effect of converting the string to a float once instead of twice.