Check if a variable contains a numerical value in Javascript?

后端 未结 9 1474
伪装坚强ぢ
伪装坚强ぢ 2020-12-01 18:36

In PHP, it\'s pretty easy:

is_numeric(23);//true
is_numeric(\"23\");//true
is_numeric(23.5);//true
is_numeric(true);//false

But how do I do

9条回答
  •  死守一世寂寞
    2020-12-01 19:31

    I don't think any of the suggestions till now actually work. Eg

    !isNaN(parseFloat(foo))
    

    doesn't because parseFloat() ignores trailing non-numeric characters.

    To work around this, you could compare the returned value to the one returned by a cast via Number() (or equivalently by using unary +, but I prefer explicit casting):

    parseFloat(foo) === Number(foo)
    

    This will still work if both functions return NaN because NaN !== NaN is true.

    Another possibility would be to first cast to string, then to number and then check for NaN, ie

    !isNaN(Number(String(foo)))
    

    or equivalently, but less readable (but most likely faster)

    !isNaN(+('' + foo))
    

    If you want to exclude infinity values, use isFinite() instead of !isNaN(), ie

    isFinite(Number(String(foo)))
    

    The explicit cast via Number() is actually unnecessary, because isNan() and isFinite() cast to number implicitly - that's the reason why !isNaN() doesn't work!

    In my opinion, the most appropriate solution therefore would be

    isFinite(String(foo))
    

    As Matthew pointed out, the second approach does not handle strings that only contain whitespace correctly.

    It's not hard to fix - use the code from Matthew's comment or

    isFinite(String(foo).trim() || NaN)
    

    You'll have to decide if that's still nicer than comparing the results of parseFloat() and Number().

提交回复
热议问题