How Lua handles both integer and float numbers

floating pointlua

As far as I remember myself programming I was taught not to compare floating point numbers for equality. Now, while reading Programming in Lua about Lua number type, I found following:

The number type represents real (double-precision floating-point)
numbers. Lua has no integer type, as it does not need it. There is a
widespread misconception about floating-point arithmetic errors and
some people fear that even a simple increment can go weird with
floating-point numbers. The fact is that, when you use a double to
represent an integer, there is no rounding error at all (unless the
number is greater than 100,000,000,000,000). Specifically, a Lua
number can represent any long integer without rounding problems.
Moreover, most modern CPUs do floating-point arithmetic as fast as (or
even faster than) integer arithmetic.

Is that true for all languages? Basically if we don't go beyond floating point in doubles, we are safe in integer arithmetic? Or, to be more in line with question title, is there anything special that Lua does with its number type so it's working fine as both integer and float-point type?

Best Answer

Lua claims that floating point numbers can represent integer numbers just as exactly as integer types can, and I'm inclined to agree. There's no imprecise representation of a fractional numeric part to deal with. Whether you store an integer in an integer type, or store it in the mantissa of a floating point number, the result is the same: that integer can be represented exactly, as long as you don't exceed the number of bits in the mantissa, + 1 bit in the exponent.

Of course, if you try to store an actual floating-point number (e.g. 12.345) in a floating point representation, all bets are off, so your program has to be clear that the number is really a genuine integer that doesn't overflow the mantissa, in order to treat it like an actual integer (i.e. with respect to comparing equality).

If you need more integer precision than that, you can always employ an arbitrary-precision library.

Further Reading
What is the maximum value of a number in Lua?

Related Topic