JavaScript numbers
looking at and manipulating numbers in JavaScript
// updated 2025-05-02 07:45
A Number in JavaScript consists of values on which we can perform arithmetic operations:
- simple integers - (e.g. -2, -1, 0, 1, 2)
 
- floating point decimals - (e.g. 0.36, -25.19111)
 
- infinity- (i.e. Infinityin JavaScript, when dividing a number by0)
 
- (i.e. 
- non-number- (i.e. NaNto denote the absence of a number where a number should exist)
 
- (i.e. 
Performing arithmetic on a number and a string
One quirk about JavaScript is that it allows us to perform certain operations with different data types. This often yields some amusing results:
1const mixedEquation = '10' + 5
2// '105'When we add a number to a string, we get a string!
However, when we subtract (or multiply or divide) a string from a number, we get a number!
1const mixedSub = '10' - 5
2// 5
3
4const mixedMul = 2 * '8'
5// 16
6
7const mixedDiv = 10 / '4'
8// 2.5Performing arithmetic on a number and a Boolean
Now, how about the crazy idea of performing arithmetic with a number and a Boolean (a value that is either true or false)? Well: 
- truebecomes converted to- 1
- falsebecomes converted to- 0
Thus, we end up with this wonderful "new math":
1const crazyTrue = 2 + true
2// 3
3
4const crazyFalse = 2 + false
5// 2Many more quirks exist but we should take note of these for now to show how crazy JavaScript can get!