Coercion in JavaScript
(Source/Credits: https://dev.to/godcrampy/coercion-in-javscript-4k7g)
What is Coercion? Coercion is the process of conversion of one data type to another. 1 +...
What is Coercion?
Coercion is the process of conversion of one data type to another.
```javascript 1 + '2' // 1 coerces to '1' // '12'
1 + true // true coerces to 1 // 2
1 + null // null coerces to 0 // 1
1 + undefined // undefined coerces to 0 // 1
'abc' + undefined // undefined coerces to 'undefined' // 'abcundefined'
1 < 2 < 3 // => true < 3 (left to right associativity) // => 1 < 3 (coercion) // => true
1 > 2 > 3 // => false > 3 // => 1 > 3 // => false ```
JavaScript can give weird and unexpected results when comparing. Thus, it is better to use ===
instead of ==
for comparisons as ===
doesn't coerce.
```javascript 1 == '1' // true // coercion
1 === '1' // false ```
Coercion decisions are made by the JavaScript Engine itself.
Manual Coercion
Here's how you can manually convert to a datatype: ```javascript const number = 42; const string = '42';
Number(string); // Coerces to number // 42
String(number); // Coerces to string // '42'
Boolean(string); // Coerces to boolean // 1 ```
Conditional Statements
The conditions inside if, ternary operator, while loop etc. are coerced to Boolean.
Truthy and Falsy
Any value that coerces to true is called truthy and to false is called falsy.
There are only 6 falsy values, everything else is truthy: 1. false 2. 0 3. '', "" (Empty String) 4. null 5. undefined 6. NaN
Watch out for these:
```javascript Boolean({}); // true
Boolean([]); //true
Boolean("0"); // true
null == 0 // false ```
And that's all folks! Thank-you for reading and have a wonderful day 😄
Comments section
edisonpappi
•May 1, 2024
simplest way to convert a string to a number just add + in front of the string eg:
+"3"
godcrampy Author
•May 1, 2024
Yea, "+" followed by any data type coerces it into Number data type. Also, using "-" followed by the data type coerces it to the negative of the Number. Point to note is that this does'nt work with other operators like *, /, %.
Thank you for letting me know about this feature! Learnt something new today 😄.
monfernape
•May 1, 2024
You earned a follower. Where have you been driving these unique ideas?
godcrampy Author
•May 1, 2024
Thank you!🙂
godcrampy Author
•May 1, 2024
Yup you are correct! Thank you for letting me know the mistake. I checked in chrome as well as node, both of them do evaluate it to NaN. 😄