This feature is well established and works across many devices and browser versions. It’s been available across browsers since July 2015.
The + operator produces the sum of numeric operands or string concatenation.
console.log(2 + 2);
// Expected output: 4
console.log(2 + true);
// Expected output: 3
console.log("hello " + "everyone");
// Expected output: "hello everyone"
console.log(2001 + ": A Space Odyssey");
// Expected output: "2001: A Space Odyssey"
x + y
The + operator is overloaded for two distinct operations: numeric addition and string concatenation. When evaluating, it first coerces both operands to primitives. Then, the two operands' types are tested:
TypeError is thrown.String concatenation is often thought to be equivalent with template literals or String.prototype.concat(), but they are not. Addition coerces the expression to a primitive, which calls valueOf() in priority; on the other hand, template literals and concat() coerce the expression to a string, which calls toString() in priority. If the expression has a [Symbol.toPrimitive]() method, string concatenation calls it with "default" as hint, while template literals use "string". This is important for objects that have different string and primitive representations — such as Temporal, whose objects' valueOf() methods all throw.
const t = Temporal.Now.instant();
"" + t; // Throws TypeError
`${t}`; // '2022-07-31T04:48:56.113918308Z'
"".concat(t); // '2022-07-31T04:48:56.113918308Z'
You are advised to not use "" + x to perform string coercion.
1 + 2; // 3
Other non-string, non-BigInt values are coerced to numbers:
true + 1; // 2 false + false; // 0
1n + 2n; // 3n
You cannot mix BigInt and number operands in addition.
1n + 2; // TypeError: Cannot mix BigInt and other types, use explicit conversions 2 + 1n; // TypeError: Cannot mix BigInt and other types, use explicit conversions "1" + 2n; // TypeError: Cannot mix BigInt and other types, use explicit conversions
To do addition with a BigInt and a non-BigInt, convert either operand:
1n + BigInt(2); // 3n Number(1n) + 2; // 3
If one of the operands is a string, the other is converted to a string and they are concatenated:
"foo" + "bar"; // "foobar" 5 + "foo"; // "5foo" "foo" + false; // "foofalse" "2" + 2; // "22"
| Desktop | Mobile | Server | |||||||||||||
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| Chrome | Edge | Firefox | Opera | Safari | Chrome Android | Firefox for Android | Opera Android | Safari on IOS | Samsung Internet | WebView Android | WebView on iOS | Bun | Deno | Node.js | |
Addition |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1 | 1.0.0 | 1.0 | 0.10.0 |
© 2005–2025 MDN contributors.
Licensed under the Creative Commons Attribution-ShareAlike License v2.5 or later.
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Operators/Addition