The issue you've come upon is called roundoff error. Unlike other errors, roundoff does not appear as an error in itself, but is evident when a number is printed and contains unnecessary digits.
What causes roundoff?
There are mostly two things in Lua that can result in roundoff:
- The
tostring()
function. If you loop a set of numbers and print their string representations, some may round off. This is because of how tostring()
converts numbers to strings; the numbers are not treated as literal values.
- Incorrect float calculation, which is really the primary cause of roundoff. On occasion, if Lua is trying to represent a non-literal float (like if the number is encased in a string), it has to try to represent it exactly. Otherwise, it represents the number with an unnecessary number of digits, which is very close to the original number, but is not exactly the original number.
If it is indeed a string, you can convert it to a number and truncate it using math.floor()
:
1 | local n = "3.4000000000001" |
2 | print (math.floor( tonumber (n) * 10 ) / 10 ) |
Roundoff is really something you need to be aware of and be capable of fixing.