fbpx
Wikipedia

JavaScript syntax

The syntax of JavaScript is the set of rules that define a correctly structured JavaScript program.

A snippet of JavaScript code with keywords highlighted in different colors

The examples below make use of the log function of the console object present in most browsers for standard text output.

The JavaScript standard library lacks an official standard text output function (with the exception of document.write). Given that JavaScript is mainly used for client-side scripting within modern web browsers, and that almost all Web browsers provide the alert function, alert can also be used, but is not commonly used.

Origins edit

Brendan Eich summarized the ancestry of the syntax in the first paragraph of the JavaScript 1.1 specification[1][2] as follows:

JavaScript borrows most of its syntax from Java, but also inherits from Awk and Perl, with some indirect influence from Self in its object prototype system.

Basics edit

Case sensitivity edit

JavaScript is case sensitive. It is common to start the name of a constructor with a capitalised letter, and the name of a function or variable with a lower-case letter.

Example:

var a = 5; console.log(a); // 5 console.log(A); // throws a ReferenceError: A is not defined 

Whitespace and semicolons edit

Unlike in C, whitespace in JavaScript source can directly impact semantics. Semicolons end statements in JavaScript. Because of automatic semicolon insertion (ASI), some statements that are well formed when a newline is parsed will be considered complete, as if a semicolon were inserted just prior to the newline. Some authorities advise supplying statement-terminating semicolons explicitly, because it may lessen unintended effects of the automatic semicolon insertion.[3]

There are two issues: five tokens can either begin a statement or be the extension of a complete statement; and five restricted productions, where line breaks are not allowed in certain positions, potentially yielding incorrect parsing.

The five problematic tokens are the open parenthesis "(", open bracket "[", slash "/", plus "+", and minus "-". Of these, the open parenthesis is common in the immediately invoked function expression pattern, and open bracket occurs sometimes, while others are quite rare. An example:

a = b + c (d + e).foo() // Treated as: // a = b + c(d + e).foo(); 

with the suggestion that the preceding statement be terminated with a semicolon.

Some suggest instead the use of leading semicolons on lines starting with '(' or '[', so the line is not accidentally joined with the previous one. This is known as a defensive semicolon, and is particularly recommended, because code may otherwise become ambiguous when it is rearranged. For example:

a = b + c ;(d + e).foo() // Treated as: // a = b + c; // (d + e).foo(); 

Initial semicolons are also sometimes used at the start of JavaScript libraries, in case they are appended to another library that omits a trailing semicolon, as this can result in ambiguity of the initial statement.

The five restricted productions are return, throw, break, continue, and post-increment/decrement. In all cases, inserting semicolons does not fix the problem, but makes the parsed syntax clear, making the error easier to detect. return and throw take an optional value, while break and continue take an optional label. In all cases, the advice is to keep the value or label on the same line as the statement. This most often shows up in the return statement, where one might return a large object literal, which might be accidentally placed starting on a new line. For post-increment/decrement, there is potential ambiguity with pre-increment/decrement, and again it is recommended to simply keep these on the same line.

return a + b; // Returns undefined. Treated as: // return; // a + b; // Should be written as: // return a + b; 

Comments edit

Comment syntax is the same as in C++, Swift and many other languages.

// a short, one-line comment /* this is a long, multi-line comment  about my script. May it one day  be great. */ /* Comments /* may not be nested */ Syntax error */ 

Variables edit

Variables in standard JavaScript have no type attached, so any value (each value has a type) can be stored in any variable. Starting with ES6, the 6th version of the language, variables could be declared with var for function scoped variables, and let or const which are for block level variables. Before ES6, variables could only be declared with a var statement. Values assigned to variables declared with const cannot be changed, but their properties can. var should no longer be used since let and const are supported by modern browsers.[4] A variable's identifier must start with a letter, underscore (_), or dollar sign ($), while subsequent characters can also be digits (0-9). JavaScript is case sensitive, so the uppercase characters "A" through "Z" are different from the lowercase characters "a" through "z".

Starting with JavaScript 1.5, ISO 8859-1 or Unicode letters (or \uXXXX Unicode escape sequences) can be used in identifiers.[5] In certain JavaScript implementations, the at sign (@) can be used in an identifier, but this is contrary to the specifications and not supported in newer implementations.[citation needed]

Scoping and hoisting edit

Variables declared with var are lexically scoped at a function level, while ones with let or const have a block level scope. Since declarations are processed before any code is executed, a variable can be assigned to and used prior to being declared in the code.[6] This is referred to as hoisting, and it is equivalent to variables being forward declared at the top of the function or block.[7]

With var, let, and const statements, only the declaration is hoisted; assignments are not hoisted. Thus a var x = 1 statement in the middle of the function is equivalent to a var x declaration statement at the top of the function, and an x = 1 assignment statement at that point in the middle of the function. This means that values cannot be accessed before they are declared; forward reference is not possible. With var a variable's value is undefined until it is initialized. Variables declared with let or const cannot be accessed until they have been initialized, so referencing such variables before will cause an error.

Function declarations, which declare a variable and assign a function to it, are similar to variable statements, but in addition to hoisting the declaration, they also hoist the assignment – as if the entire statement appeared at the top of the containing function – and thus forward reference is also possible: the location of a function statement within an enclosing function is irrelevant. This is different from a function expression being assigned to a variable in a var, let, or const statement.

So, for example,

var func = function() { .. } // declaration is hoisted only function func() { .. } // declaration and assignment are hoisted 

Block scoping can be produced by wrapping the entire block in a function and then executing it – this is known as the immediately-invoked function expression pattern – or by declaring the variable using the let keyword.

Declaration and assignment edit

Variables declared outside a scope are global. If a variable is declared in a higher scope, it can be accessed by child scopes.

When JavaScript tries to resolve an identifier, it looks in the local scope. If this identifier is not found, it looks in the next outer scope, and so on along the scope chain until it reaches the global scope where global variables reside. If it is still not found, JavaScript will raise a ReferenceError exception.

When assigning an identifier, JavaScript goes through exactly the same process to retrieve this identifier, except that if it is not found in the global scope, it will create the "variable" in the scope where it was created.[8] As a consequence, a variable never declared will be global, if assigned. Declaring a variable (with the keyword var) in the global scope (i.e. outside of any function body (or block in the case of let/const)), assigning a never declared identifier or adding a property to the global object (usually window) will also create a new global variable.

Note that JavaScript's strict mode forbids the assignment of an undeclared variable, which avoids global namespace pollution.

Examples edit

Here are some examples of variable declarations and scope:

var x1 = 0; // A global variable, because it is not in any function let x2 = 0; // Also global, this time because it is not in any block function f() {  var z = 'foxes', r = 'birds'; // 2 local variables  m = 'fish'; // global, because it wasn't declared anywhere before  function child() {  var r = 'monkeys'; // This variable is local and does not affect the "birds" r of the parent function.  z = 'penguins'; // Closure: Child function is able to access the variables of the parent function.  }  twenty = 20; // This variable is declared on the next line, but usable anywhere in the function, even before, as here  var twenty;  child();  return x1 + x2; // We can use x1 and x2 here, because they are global } f(); console.log(z); // This line will raise a ReferenceError exception, because the value of z is no longer available 
for (let i = 0; i < 10; i++) console.log(i); console.log(i); // throws a ReferenceError: i is not defined 
for (const i = 0; i < 10; i++) console.log(i); // throws a TypeError: Assignment to constant variable for (const i of [1,2,3]) console.log(i); //will not raise an exception. i is not reassigned but recreated in every iteration const pi; // throws a SyntaxError: Missing initializer in const declaration 

Primitive data types edit

The JavaScript language provides six primitive data types:

  • Undefined
  • Number
  • BigInt
  • String
  • Boolean
  • Symbol

Some of the primitive data types also provide a set of named values that represent the extents of the type boundaries. These named values are described within the appropriate sections below.

Undefined edit

The value of "undefined" is assigned to all uninitialized variables, and is also returned when checking for object properties that do not exist. In a Boolean context, the undefined value is considered a false value.

Note: undefined is considered a genuine primitive type. Unless explicitly converted, the undefined value may behave unexpectedly in comparison to other types that evaluate to false in a logical context.

let test; // variable declared, but not defined, ...  // ... set to value of undefined const testObj = {}; console.log(test); // test variable exists, but value not ...  // ... defined, displays undefined console.log(testObj.myProp); // testObj exists, property does not, ...  // ... displays undefined console.log(undefined == null); // unenforced type during check, displays true console.log(undefined === null); // enforce type during check, displays false 

Note: There is no built-in language literal for undefined. Thus (x === undefined) is not a foolproof way to check whether a variable is undefined, because in versions before ECMAScript 5, it is legal for someone to write var undefined = "I'm defined now";. A more robust approach is to compare using (typeof x === 'undefined').

Functions like this won't work as expected:

function isUndefined(x) { let u; return x === u; } // like this... function isUndefined(x) { return x === void 0; } // ... or that second one function isUndefined(x) { return (typeof x) === "undefined"; } // ... or that third one 

Here, calling isUndefined(my_var) raises a ReferenceError if my_var is an unknown identifier, whereas typeof my_var === 'undefined' doesn't.

Number edit

Numbers are represented in binary as IEEE 754 floating point doubles. Although this format provides an accuracy of nearly 16 significant digits, it cannot always exactly represent real numbers, including fractions.

This becomes an issue when comparing or formatting numbers. For example:

console.log(0.2 + 0.1 === 0.3); // displays false console.log(0.94 - 0.01); // displays 0.9299999999999999 

As a result, a routine such as the toFixed() method should be used to round numbers whenever they are formatted for output.

Numbers may be specified in any of these notations:

345; // an "integer", although there is only one numeric type in JavaScript 34.5; // a floating-point number 3.45e2; // another floating-point, equivalent to 345 0b1011; // a binary integer equal to 11 0o377; // an octal integer equal to 255 0xFF; // a hexadecimal integer equal to 255, digits represented by the ...  // ... letters A-F may be upper or lowercase 

There's also a numeric separator, _ (the underscore), introduced in ES2021:

// Note: Wikipedia syntax doesn't support numeric separators yet 1_000_000_000; // Used with big numbers 1_000_000.5; // Support with decimals 1_000e1_000; // Support with exponents // Support with binary, octals and hex 0b0000_0000_0101_1011; 0o0001_3520_0237_1327; 0xFFFF_FFFF_FFFF_FFFE; // But you can't use them next to a non-digit number part, or at the start or end _12; // Variable is not defined (the underscore makes it a variable identifier) 12_; // Syntax error (cannot be at the end of numbers) 12_.0; // Syntax error (doesn't make sense to put a separator next to the decimal point) 12._0; // Syntax error 12e_6; // Syntax error (next to "e", a non-digit. Doesn't make sense to put a separator at the start) 1000____0000; // Syntax error (next to "_", a non-digit. Only 1 separator at a time is allowed 

The extents +∞, −∞ and NaN (Not a Number) of the number type may be obtained by two program expressions:

Infinity; // positive infinity (negative obtained with -Infinity for instance) NaN; // The Not-A-Number value, also returned as a failure in ...  // ... string-to-number conversions 

Infinity and NaN are numbers:

typeof Infinity; // returns "number" typeof NaN; // returns "number" 

These three special values correspond and behave as the IEEE-754 describes them.

The Number constructor (used as a function), or a unary + or -, may be used to perform explicit numeric conversion:

const myString = "123.456"; const myNumber1 = Number(myString); const myNumber2 = +myString; 

When used as a constructor, a numeric wrapper object is created (though it is of little use):

const myNumericWrapper = new Number(123.456); 

However, NaN is not equal to itself:

const nan = NaN; console.log(NaN == NaN); // false console.log(NaN === NaN); // false console.log(NaN !== NaN); // true console.log(nan !== nan); // true // You can use the isNaN methods to check for NaN console.log(isNaN("converted to NaN")); // true console.log(isNaN(NaN)); // true console.log(Number.isNaN("not converted")); // false console.log(Number.isNaN(NaN)); // true 

BigInt edit

BigInts can be used for arbitrarily large integers. Especially whole numbers larger than 253 - 1, which is the largest number JavaScript can reliably represent with the Number primitive and represented by the Number.MAX_SAFE_INTEGER constant.

When dividing BigInts, the results are truncated.

String edit

A string in JavaScript is a sequence of characters. In JavaScript, strings can be created directly (as literals) by placing the series of characters between double (") or single (') quotes. Such strings must be written on a single line, but may include escaped newline characters (such as \n). The JavaScript standard allows the backquote character (`, a.k.a. grave accent or backtick) to quote multiline literal strings, as well as template literals, which allow for interpolation of type-coerced evaluated expressions within a string.[9]

const greeting = "Hello, World!"; const anotherGreeting = 'Greetings, people of Earth.'; const aMultilineGreeting = `Warm regards, John Doe.` // Template literals type-coerce evaluated expressions and interpolate them into the string. const templateLiteral = `This is what is stored in anotherGreeting: ${anotherGreeting}.`; console.log(templateLiteral); // 'This is what is stored in anotherGreeting: 'Greetings, people of Earth.'' 

Individual characters within a string can be accessed using the charAt method (provided by String.prototype). This is the preferred way when accessing individual characters within a string, because it also works in non-modern browsers:

const h = greeting.charAt(0); 

In modern browsers, individual characters within a string can be accessed (as strings with only a single character) through the same notation as arrays:

const h = greeting[0]; 

However, JavaScript strings are immutable:

greeting[0] = "H"; // Fails. 

Applying the equality operator ("==") to two strings returns true, if the strings have the same contents, which means: of the same length and containing the same sequence of characters (case is significant for alphabets). Thus:

const x = "World"; const compare1 = ("Hello, " + x == "Hello, World"); // Here compare1 contains true. const compare2 = ("Hello, " + x == "hello, World"); // Here compare2 contains ...  // ... false since the ...  // ... first characters ...  // ... of both operands ...  // ... are not of the same case. 

Quotes of the same type cannot be nested unless they are escaped.

let x = '"Hello, World!" he said.'; // Just fine. x = ""Hello, World!" he said."; // Not good. x = "\"Hello, World!\" he said."; // Works by escaping " with \" 

The String constructor creates a string object (an object wrapping a string):

const greeting = new String("Hello, World!"); 

These objects have a valueOf method returning the primitive string wrapped within them:

const s = new String("Hello !"); typeof s; // Is 'object'. typeof s.valueOf(); // Is 'string'. 

Equality between two String objects does not behave as with string primitives:

const s1 = new String("Hello !"); const s2 = new String("Hello !"); s1 == s2; // Is false, because they are two distinct objects. s1.valueOf() == s2.valueOf(); // Is true. 

Boolean edit

JavaScript provides a Boolean data type with true and false literals. The typeof operator returns the string "boolean" for these primitive types. When used in a logical context, 0, -0, null, NaN, undefined, and the empty string ("") evaluate as false due to automatic type conversion. All other values (the complement of the previous list) evaluate as true, including the strings "0", "false" and any object.

Type conversion edit

Automatic type coercion by the equality comparison operators (== and !=) can be avoided by using the type checked comparison operators (=== and !==).

When type conversion is required, JavaScript converts Boolean, Number, String, or Object operands as follows:[10]

Number and String
The string is converted to a number value. JavaScript attempts to convert the string numeric literal to a Number type value. First, a mathematical value is derived from the string numeric literal. Next, this value is rounded to nearest Number type value.
Boolean
If one of the operands is a Boolean, the Boolean operand is converted to 1 if it is true, or to 0 if it is false.
Object
If an object is compared with a number or string, JavaScript attempts to return the default value for the object. An object is converted to a primitive String or Number value, using the .valueOf() or .toString() methods of the object. If this fails, a runtime error is generated.

Douglas Crockford advocates the terms "truthy" and "falsy" to describe how values of various types behave when evaluated in a logical context, especially in regard to edge cases.[11] The binary logical operators returned a Boolean value in early versions of JavaScript, but now they return one of the operands instead. The left–operand is returned, if it can be evaluated as : false, in the case of conjunction: (a && b), or true, in the case of disjunction: (a || b); otherwise the right–operand is returned. Automatic type coercion by the comparison operators may differ for cases of mixed Boolean and number-compatible operands (including strings that can be evaluated as a number, or objects that can be evaluated as such a string), because the Boolean operand will be compared as a numeric value. This may be unexpected. An expression can be explicitly cast to a Boolean primitive by doubling the logical negation operator: (!!), using the Boolean() function, or using the conditional operator: (c ? t : f).

// Automatic type coercion console.log(true == 2 ); // false... true → 1 !== 2 ← 2 console.log(false == 2 ); // false... false → 0 !== 2 ← 2 console.log(true == 1 ); // true.... true → 1 === 1 ← 1 console.log(false == 0 ); // true.... false → 0 === 0 ← 0 console.log(true == "2"); // false... true → 1 !== 2 ← "2" console.log(false == "2"); // false... false → 0 !== 2 ← "2" console.log(true == "1"); // true.... true → 1 === 1 ← "1" console.log(false == "0"); // true.... false → 0 === 0 ← "0" console.log(false == "" ); // true.... false → 0 === 0 ← "" console.log(false == NaN); // false... false → 0 !== NaN console.log(NaN == NaN); // false...... NaN is not equivalent to anything, including NaN. // Type checked comparison (no conversion of types and values) console.log(true === 1); // false...... data types do not match // Explicit type coercion console.log(true === !!2); // true.... data types and values match console.log(true === !!0); // false... data types match, but values differ console.log( 1 ? true : false); // true.... only ±0 and NaN are "falsy" numbers console.log("0" ? true : false); // true.... only the empty string is "falsy" console.log(Boolean({})); // true.... all objects are "truthy" 

The new operator can be used to create an object wrapper for a Boolean primitive. However, the typeof operator does not return boolean for the object wrapper, it returns object. Because all objects evaluate as true, a method such as .valueOf(), or .toString(), must be used to retrieve the wrapped value. For explicit coercion to the Boolean type, Mozilla recommends that the Boolean() function (without new) be used in preference to the Boolean object.

const b = new Boolean(false); // Object false {} const t = Boolean(b); // Boolean true const f = Boolean(b.valueOf()); // Boolean false let n = new Boolean(b); // Not recommended n = new Boolean(b.valueOf()); // Preferred if (0 || -0 || "" || null || undefined || b.valueOf() || !new Boolean() || !t) {  console.log("Never this"); } else if ([] && {} && b && typeof b === "object" && b.toString() === "false") {  console.log("Always this"); } 

Symbol edit

New in ECMAScript6. A Symbol is a unique and immutable identifier.

Example:

let x = Symbol(1); const y = Symbol(1); x === y; // => false const symbolObject = {}; const normalObject = {}; // since x and y are unique, // they can be used as unique keys in an object symbolObject[x] = 1; symbolObject[y] = 2; symbolObject[x]; // => 1 symbolObject[y]; // => 2 // as compared to normal numeric keys normalObject[1] = 1; normalObject[1] = 2; // overrides the value of 1 normalObject[1]; // => 2 // changing the value of x does not change the key stored in the object x = Symbol(3); symbolObject[x]; // => undefined // changing x back just creates another unique Symbol x = Symbol(1); symbolObject[x]; // => undefined 

There are also well known symbols.

One of which is Symbol.iterator; if something implements Symbol.iterator, it's iterable:

const x = [1, 2, 3, 4]; // x is an Array x[Symbol.iterator] === Array.prototype[Symbol.iterator]; // and Arrays are iterable const xIterator = x[Symbol.iterator](); // The [Symbol.iterator] function should provide an iterator for x xIterator.next(); // { value: 1, done: false } xIterator.next(); // { value: 2, done: false } xIterator.next(); // { value: 3, done: false } xIterator.next(); // { value: 4, done: false } xIterator.next(); // { value: undefined, done: true } xIterator.next(); // { value: undefined, done: true } // for..of loops automatically iterate values for (const value of x) {  console.log(value); // 1 2 3 4 } // Sets are also iterable: [Symbol.iterator] in Set.prototype; // true for (const value of new Set(['apple', 'orange'])) {  console.log(value); // "apple" "orange" } 

Native objects edit

The JavaScript language provides a handful of native objects. JavaScript native objects are considered part of the JavaScript specification. JavaScript environment notwithstanding, this set of objects should always be available.

Array edit

An Array is a JavaScript object prototyped from the Array constructor specifically designed to store data values indexed by integer keys. Arrays, unlike the basic Object type, are prototyped with methods and properties to aid the programmer in routine tasks (for example, join, slice, and push).

As in the C family, arrays use a zero-based indexing scheme: A value that is inserted into an empty array by means of the push method occupies the 0th index of the array.

const myArray = []; // Point the variable myArray to a newly ...  // ... created, empty Array myArray.push("hello World"); // Fill the next empty index, in this case 0 console.log(myArray[0]); // Equivalent to console.log("hello World"); 

Arrays have a length property that is guaranteed to always be larger than the largest integer index used in the array. It is automatically updated, if one creates a property with an even larger index. Writing a smaller number to the length property will remove larger indices.

Elements of Arrays may be accessed using normal object property access notation:

myArray[1]; // the 2nd item in myArray myArray["1"]; 

The above two are equivalent. It's not possible to use the "dot"-notation or strings with alternative representations of the number:

myArray.1; // syntax error myArray["01"]; // not the same as myArray[1] 

Declaration of an array can use either an Array literal or the Array constructor:

let myArray; // Array literals myArray = [1, 2]; // length of 2 myArray = [1, 2,]; // same array - You can also have an extra comma at the end // It's also possible to not fill in parts of the array myArray = [0, 1, /* hole */, /* hole */, 4, 5]; // length of 6 myArray = [0, 1, /* hole */, /* hole */, 4, 5,]; // same array myArray = [0, 1, /* hole */, /* hole */, 4, 5, /* hole */,]; // length of 7 // With the constructor myArray = new Array(0, 1, 2, 3, 4, 5); // length of 6 myArray = new Array(365); // an empty array with length 365 

Arrays are implemented so that only the defined elements use memory; they are "sparse arrays". Setting myArray[10] = 'someThing' and myArray[57] = 'somethingOther' only uses space for these two elements, just like any other object. The length of the array will still be reported as 58. The maximum length of an array is 4,294,967,295 which corresponds to 32-bit binary number (11111111111111111111111111111111)2.

One can use the object declaration literal to create objects that behave much like associative arrays in other languages:

const dog = {color: "brown", size: "large"}; dog["color"]; // results in "brown" dog.color; // also results in "brown" 

One can use the object and array declaration literals to quickly create arrays that are associative, multidimensional, or both. (Technically, JavaScript does not support multidimensional arrays, but one can mimic them with arrays-of-arrays.)

const cats = [{color: "brown", size: "large"},  {color: "black", size: "small"}]; cats[0]["size"]; // results in "large" const dogs = {rover: {color: "brown", size: "large"},  spot: {color: "black", size: "small"}}; dogs["spot"]["size"]; // results in "small" dogs.rover.color; // results in "brown" 

Date edit

A Date object stores a signed millisecond count with zero representing 1970-01-01 00:00:00 UT and a range of ±108 days. There are several ways of providing arguments to the Date constructor. Note that months are zero-based.

new Date(); // create a new Date instance representing the current time/date. new Date(2010, 3, 1); // create a new Date instance representing 2010-Mar-01 00:00:00 new Date(2010, 3, 1, 14, 25, 30); // create a new Date instance representing 2010-Mar-01 14:25:30 new Date("2010-3-1 14:25:30"); // create a new Date instance from a String. 

Methods to extract fields are provided, as well as a useful toString:

const d = new Date(2010, 2, 1, 14, 25, 30); // 2010-Mar-01 14:25:30; // Displays '2010-3-1 14:25:30': console.log(d.getFullYear() + '-' + (d.getMonth() + 1) + '-' + d.getDate() + ' '  + d.getHours() + ':' + d.getMinutes() + ':' + d.getSeconds()); // Built-in toString returns something like 'Mon Mar 01 2010 14:25:30 GMT-0500 (EST)': console.log(d); 

Error edit

Custom error messages can be created using the Error class:

throw new Error("Something went wrong."); 

These can be caught by try...catch...finally blocks as described in the section on exception handling.

Math edit

The Math object contains various math-related constants (for example, π) and functions (for example, cosine). (Note that the Math object has no constructor, unlike Array or Date. All its methods are "static", that is "class" methods.) All the trigonometric functions use angles expressed in radians, not degrees or grads.

Some of the constants contained in the Math object
Property Returned value
rounded to 5 digits
Description
Math.E 2.7183 e: Natural logarithm base
Math.LN2 0.69315 Natural logarithm of 2
Math.LN10 2.3026 Natural logarithm of 10
Math.LOG2E 1.4427 Logarithm to the base 2 of e
Math.LOG10E 0.43429 Logarithm to the base 10 of e
Math.PI 3.14159 π: circumference/diameter of a circle
Math.SQRT1_2 0.70711 Square root of ½
Math.SQRT2 1.4142 Square root of 2
Methods of the Math object
Example Returned value
rounded to 5 digits
Description
Math.abs(-2.3) 2.3 Absolute value
Math.acos(Math.SQRT1_2) 0.78540 rad = 45° Arccosine
Math.asin(Math.SQRT1_2) 0.78540 rad = 45° Arcsine
Math.atan(1) 0.78540 rad = 45° Half circle arctangent (  to  )
Math.atan2(-3.7, -3.7) −2.3562 rad = −135° Whole circle arctangent (  to  )
Math.ceil(1.1) 2 Ceiling: round up to smallest integer ≥ argument
Math.cos(Math.PI/4) 0.70711 Cosine
Math.exp(1) 2.7183 Exponential function: e raised to this power
Math.floor(1.9) 1 Floor: round down to largest integer ≤ argument
Math.log(Math.E) 1 Natural logarithm, base e
Math.max(1, -2) 1 Maximum: (x > y) ? x : y
Math.min(1, -2) −2 Minimum: (x < y) ? x : y
Math.pow(-3, 2) 9 Exponentiation (raised to the power of): Math.pow(x, y) gives xy
Math.random() e.g. 0.17068 Pseudorandom number between 0 (inclusive) and 1 (exclusive)
Math.round(1.5) 2 Round to the nearest integer; half fractions are rounded up (e.g. 1.5 rounds to 2)
Math.sin(Math.PI/4) 0.70711 Sine
Math.sqrt(49) 7 Square root
Math.tan(Math.PI/4) 1 Tangent

Regular expression edit

/expression/.test(string); // returns Boolean "string".search(/expression/); // returns position Number "string".replace(/expression/, replacement); // Here are some examples if (/Tom/.test("My name is Tom")) console.log("Hello Tom!"); console.log("My name is Tom".search(/Tom/)); // == 11 (letters before Tom) console.log("My name is Tom".replace(/Tom/, "John")); // == "My name is John" 

Character classes edit

// \d - digit // \D - non digit // \s - space // \S - non space // \w - word char // \W - non word // [ ] - one of // [^] - one not of // - - range if (/\d/.test('0')) console.log('Digit'); if (/[0-9]/.test('6')) console.log('Digit'); if (/[13579]/.test('1')) console.log('Odd number'); if (/\S\S\s\S\S\S\S/.test('My name')) console.log('Format OK'); if (/\w\w\w/.test('Tom')) console.log('Hello Tom'); if (/[a-zA-Z]/.test('B')) console.log('Letter'); 

Character matching edit

// A...Z a...z 0...9 - alphanumeric // \u0000...\uFFFF - Unicode hexadecimal // \x00...\xFF - ASCII hexadecimal // \t - tab // \n - new line // \r - CR // . - any character // | - OR if (/T.m/.test('Tom')) console.log ('Hi Tom, Tam or Tim'); if (/A|B/.test("A")) console.log ('A or B'); 

Repeaters edit

// ? - 0 or 1 match // * - 0 or more // + - 1 or more // {n} - exactly n // {n,} - n or more // {0,n} - n or less // {n,m} - range n to m if (/ab?c/.test("ac")) console.log("OK"); // match: "ac", "abc" if (/ab*c/.test("ac")) console.log("OK"); // match: "ac", "abc", "abbc", "abbbc" etc. if (/ab+c/.test("abc")) console.log("OK"); // match: "abc", "abbc", "abbbc" etc. if (/ab{3}c/.test("abbbc")) console.log("OK"); // match: "abbbc" if (/ab{3,}c/.test("abbbc")) console.log("OK"); // match: "abbbc", "abbbbc", "abbbbbc" etc. if (/ab{1,3}c/.test("abc")) console.log("OK"); // match: "abc", "abbc", "abbbc" 

Anchors edit

// ^ - string starts with // $ - string ends with if (/^My/.test("My name is Tom")) console.log ("Hi!"); if (/Tom$/.test("My name is Tom")) console.log ("Hi Tom!"); 

Subexpression edit

// ( ) - groups characters if (/water(mark)?/.test("watermark")) console.log("Here is water!"); // match: "water", "watermark", if (/(Tom)|(John)/.test("John")) console.log("Hi Tom or John!"); 

Flags edit

// /g - global // /i - ignore upper/lower case // /m - allow matches to span multiple lines console.log("hi tom!".replace(/Tom/i, "John")); // == "hi John!" console.log("ratatam".replace(/ta/, "tu")); // == "ratutam" console.log("ratatam".replace(/ta/g, "tu")); // == "ratutum" 

Advanced methods edit

my_array = my_string.split(my_delimiter); // example my_array = "dog,cat,cow".split(","); // my_array==["dog","cat","cow"]; my_array = my_string.match(my_expression); // example my_array = "We start at 11:30, 12:15 and 16:45".match(/\d\d:\d\d/g); // my_array==["11:30","12:15","16:45"]; 

Capturing groups edit

const myRe = /(\d{4}-\d{2}-\d{2}) (\d{2}:\d{2}:\d{2})/; const results = myRe.exec("The date and time are 2009-09-08 09:37:08."); if (results) {  console.log("Matched: " + results[0]); // Entire match  const my_date = results[1]; // First group == "2009-09-08"  const my_time = results[2]; // Second group == "09:37:08"  console.log(`It is ${my_time} on ${my_date}`); } else console.log("Did not find a valid date!"); 

Function edit

Every function in JavaScript is an instance of the Function constructor:

// x, y is the argument. 'return x + y' is the function body, which is the last in the argument list. const add = new Function('x', 'y', 'return x + y'); add(1, 2); // => 3 

The add function above may also be defined using a function expression:

const add = function(x, y) {  return x + y; }; add(1, 2); // => 3 

In ES6, arrow function syntax was added, allowing functions that return a value to be more concise. They also retain the this of the global object instead of inheriting it from where it was called / what it was called on, unlike the function() {} expression.

const add = (x, y) => {return x + y;}; // values can also be implicitly returned (i.e. no return statement is needed) const addImplicit = (x, y) => x + y; add(1, 2); // => 3 addImplicit(1, 2) // => 3 

For functions that need to be hoisted, there is a separate expression:

function add(x, y) {  return x + y; } add(1, 2); // => 3 

Hoisting allows you to use the function before it is "declared":

add(1, 2); // => 3, not a ReferenceError function add(x, y) {  return x + y; } 

A function instance has properties and methods.

function subtract(x, y) {  return x - y; } console.log(subtract.length); // => 2, arity of the function (number of arguments) console.log(subtract.toString()); /* "function subtract(x, y) {  return x - y; }" */ 

Operators edit

The '+' operator is overloaded: it is used for string concatenation and arithmetic addition. This may cause problems when inadvertently mixing strings and numbers. As a unary operator, it can convert a numeric string to a number.

// Concatenate 2 strings console.log('He' + 'llo'); // displays Hello // Add two numbers console.log(2 + 6); // displays 8 // Adding a number and a string results in concatenation (from left to right) console.log(2 + '2'); // displays 22 console.log('$' + 3 + 4); // displays $34, but $7 may have been expected console.log('$' + (3 + 4)); // displays $7 console.log(3 + 4 + '7'); // displays 77, numbers stay numbers until a string is added // Convert a string to a number using the unary plus console.log(+'2' === 2); // displays true console.log(+'Hello'); // displays NaN 

Similarly, the '*' operator is overloaded: it can convert a string into a number.

console.log(2 + '6'*1); // displays 8 console.log(3*'7'); // 21 console.log('3'*'7'); // 21 console.log('hello'*'world'); // displays NaN 

Arithmetic edit

JavaScript supports the following binary arithmetic operators:

+ addition
- subtraction
* multiplication
/ division (returns a floating-point value)
% modulo (returns the remainder)
** exponentiation

JavaScript supports the following unary arithmetic operators:

+ unary conversion of string to number
- unary negation (reverses the sign)
++ increment (can be prefix or postfix)
-- decrement (can be prefix or postfix)
let x = 1; console.log(++x); // x becomes 2; displays 2 console.log(x++); // displays 2; x becomes 3 console.log(x); // x is 3; displays 3 console.log(x--); // displays 3; x becomes 2 console.log(x); // displays 2; x is 2 console.log(--x); // x becomes 1; displays 1 

The modulo operator displays the remainder after division by the modulus. If negative numbers are involved, the returned value depends on the operand.

const x = 17; console.log(x%5); // displays 2 console.log(x%6); // displays 5 console.log(-x%5); // displays -2 console.log(-x%-5); // displays -2 console.log(x%-5); // displays 2 

To always return a non-negative number, re-add the modulus and apply the modulo operator again:

const x = 17; console.log((-x%5+5)%5); // displays 3 

You could also do:

const x = 17; console.log(Math.abs(-x%5)); // also 3 

Assignment edit

= assign
+= add and assign
-= subtract and assign
*= multiply and assign
/= divide and assign
%= modulo and assign
**= exponentiation and assign

Assignment of primitive types

let x = 9; x += 1;  console.log(x); // displays: 10 x *= 30; console.log(x); // displays: 300 x /= 6; console.log(x); // displays: 50 x -= 3; console.log(x); // displays: 47 x %= 7; console.log(x); // displays: 5 

Assignment of object types

/**  * To learn JavaScript objects...  */ const object_1 = {a: 1}; // assign reference of newly created object to object_1 let object_2 = {a: 0}; let object_3 = object_2; // object_3 references the same object as object_2 does   object_3.a = 2; message(); // displays 1 2 2   object_2 = object_1; // object_2 now references the same object as object_1  // object_3 still references what object_2 referenced before message(); // displays 1 1 2   object_2.a = 7; // modifies object_1 message(); // displays 7 7 2 object_3.a = 5; // object_3 doesn't change object_2 message(); // displays 7 7 5 object_3 = object_2;  object_3.a=4; // object_3 changes object_1 and object_2 message(); // displays 4 4 4 /**  * Prints the console.log message  */ function message() {  console.log(object_1.a + " " + object_2.a + " " + object_3.a); } 

Destructuring assignment edit

In Mozilla's JavaScript, since version 1.7, destructuring assignment allows the assignment of parts of data structures to several variables at once. The left hand side of an assignment is a pattern that resembles an arbitrarily nested object/array literal containing l-lvalues at its leaves that are to receive the substructures of the assigned value.

let a, b, c, d, e; [a, b, c] = [3, 4, 5]; console.log(`${a},${b},${c}`); // displays: 3,4,5 e = {foo: 5, bar: 6, baz: ['Baz', 'Content']}; const arr = []; ({baz: [arr[0], arr[3]], foo: a, bar: b}) = e; console.log(`${a},${b},${arr}`); // displays: 5,6,Baz,,,Content [a, b] = [b, a]; // swap contents of a and b console.log(a + ',' + b); // displays: 6,5 [a, b, c] = [3, 4, 5]; // permutations [a, b, c] = [b, c, a]; console.log(`${a},${b},${c}`); // displays: 4,5,3 

Spread/rest operator edit

The ECMAScript 2015 standard introduces the "..." operator, for the related concepts of "spread syntax"[12] and "rest parameters"[13]

Spread syntax provides another way to destructure arrays. It indicates that the elements in a specified array should be used as the parameters in a function call or the items in an array literal.

In other words, "..." transforms "[...foo]" into "[foo[0], foo[1], foo[2]]", and "this.bar(...foo);" into "this.bar(foo[0], foo[1], foo[2]);".

const a = [1, 2, 3, 4];  // It can be used multiple times in the same expression const b = [...a, ...a]; // b = [1, 2, 3, 4, 1, 2, 3, 4];  // It can be combined with non-spread items. const c = [5, 6, ...a, 7, 9]; // c = [5, 6, 1, 2, 3, 4, 7, 9];  // For comparison, doing this without the spread operator  // creates a nested array. const d = [a, a]; // d = [[1, 2, 3, 4], [1, 2, 3, 4]]  // It works the same with function calls function foo(arg1, arg2, arg3) {  console.log(`${arg1}:${arg2}:${arg3}`); }  // You can use it even if it passes more parameters than the function will use foo(...a); // "1:2:3" → foo(a[0], a[1], a[2], a[3]);  // You can mix it with non-spread parameters foo(5, ...a, 6); // "5:1:2" → foo(5, a[0], a[1], a[2], a[3], 6);  // For comparison, doing this without the spread operator // assigns the array to arg1, and nothing to the other parameters. foo(a); // "1,2,3,4:undefined:undefined" 

When ... is used in a function declaration, it indicates a rest parameter. The rest parameter must be the final named parameter in the function's parameter list. It will be assigned an Array containing any arguments passed to the function in excess of the other named parameters. In other words, it gets "the rest" of the arguments passed to the function (hence the name).

function foo(a, b, ...c) {  console.log(c.length); } foo(1, 2, 3, 4, 5); // "3" → c = [3, 4, 5] foo('a', 'b'); // "0" → c = [] 

Rest parameters are similar to Javascript's arguments object, which is an array-like object that contains all of the parameters (named and unnamed) in the current function call. Unlike arguments, however, rest parameters are true Array objects, so methods such as .slice() and .sort() can be used on them directly.

The ... operator can only be used with Array objects. (However, there is a proposal to extend it to Objects in a future ECMAScript standard.[14])

Comparison edit

== equal
!= not equal
> greater than
>= greater than or equal to
< less than
<= less than or equal to
=== identical (equal and of same type)
!== not identical

Variables referencing objects are equal or identical only if they reference the same object:

const obj1 = {a: 1}; const obj2 = {a: 1}; const obj3 = obj1; console.log(obj1 == obj2); //false console.log(obj3 == obj1); //true console.log(obj3 === obj1); //true 

See also String.

Logical edit

JavaScript provides four logical operators:

In the context of a logical operation, any expression evaluates to true except the following:

  • Strings: "", '',
  • Numbers: 0, -0, NaN,
  • Special: null, undefined,
  • Boolean: false.

The Boolean function can be used to explicitly convert to a primitive of type Boolean:

// Only empty strings return false console.log(Boolean("") === false); console.log(Boolean("false") === true); console.log(Boolean("0") === true); // Only zero and NaN return false console.log(Boolean(NaN) === false); console.log(Boolean(0) === false); console.log(Boolean(-0) === false); // equivalent to -1*0 console.log(Boolean(-2) === true); // All objects return true console.log(Boolean(this) === true); console.log(Boolean({}) === true); console.log(Boolean([]) === true); // These types return false console.log(Boolean(null) === false); console.log(Boolean(undefined) === false); // equivalent to Boolean() 

The NOT operator evaluates its operand as a Boolean and returns the negation. Using the operator twice in a row, as a double negative, explicitly converts an expression to a primitive of type Boolean:

console.log( !0 === Boolean(!0)); console.log(Boolean(!0) === !!1); console.log(!!1 === Boolean(1)); console.log(!!0 === Boolean(0)); console.log(Boolean(0) === !1); console.log(!1 === Boolean(!1)); console.log(!"" === Boolean(!"")); console.log(Boolean(!"") === !!"s"); console.log(!!"s" === Boolean("s")); console.log(!!"" === Boolean("")); console.log(Boolean("") === !"s");  console.log(!"s" === Boolean(!"s")); 

The ternary operator can also be used for explicit conversion:

console.log([] == false); console.log([] ? true : false); // “truthy”, but the comparison uses [].toString() console.log([0] == false); console.log([0]? true : false); // [0].toString() == "0" console.log("0" == false); console.log("0"? true : false); // "0" → 0 ... (0 == 0) ... 0 ← false console.log([1] == true); console.log([1]? true : false); // [1].toString() == "1" console.log("1" == true); console.log("1"? true : false); // "1" → 1 ... (1 == 1) ... 1 ← true console.log([2] != true); console.log([2]? true : false); // [2].toString() == "2" console.log("2" != true); console.log("2"? true : false); // "2" → 2 ... (2 != 1) ... 1 ← true 

Expressions that use features such as post–incrementation (i++) have an anticipated side effect. JavaScript provides short-circuit evaluation of expressions; the right operand is only executed if the left operand does not suffice to determine the value of the expression.

console.log(a || b); // When a is true, there is no reason to evaluate b. console.log(a && b); // When a is false, there is no reason to evaluate b. console.log(c ? t : f); // When c is true, there is no reason to evaluate f. 

In early versions of JavaScript and JScript, the binary logical operators returned a Boolean value (like most C-derived programming languages). However, all contemporary implementations return one of their operands instead:

console.log(a || b); // if a is true, return a, otherwise return b console.log(a && b); // if a is false, return a, otherwise return b 

Programmers who are more familiar with the behavior in C might find this feature surprising, but it allows for a more concise expression of patterns like null coalescing:

const s = t || "(default)"; // assigns t, or the default value, if t is null, empty, etc. 

Logical assignment edit

??= Nullish assignment
||= Logical Or assignment
&&= Logical And assignment

Bitwise edit

JavaScript supports the following binary bitwise operators:

& AND
| OR
^ XOR
! NOT
<< shift left (zero fill at right)
>> shift right (sign-propagating); copies of the
leftmost bit (sign bit) are shifted in from the left
>>> shift right (zero fill at left). For positive numbers,
>> and >>> yield the same result.

Examples:

const x = 11 & 6; console.log(x); // 2 

JavaScript supports the following unary bitwise operator:

~ NOT (inverts the bits)

Bitwise Assignment edit

JavaScript supports the following binary assignment operators:

&= and
|= or
^= xor
<<= shift left (zero fill at right)
>>= shift right (sign-propagating); copies of the
leftmost bit (sign bit) are shifted in from the left
>>>= shift right (zero fill at left). For positive numbers,
>>= and >>>= yield the same result.

Examples:

let x=7; console.log(x); // 7 x<<=3; console.log(x); // 7->14->28->56 

String edit

= assignment
+ concatenation
+= concatenate and assign

Examples:

let str = "ab" + "cd"; // "abcd" str += "e"; // "abcde" const str2 = "2" + 2; // "22", not "4" or 4. 

?? edit

JavaScript's nearest operator is ??, the "nullish coalescing operator," which was added to the standard in ECMAScript's 11th edition.[15] In earlier versions, it could be used via a Babel plugin, and in TypeScript. It evaluates its left-hand operand and, if the result value is not "nullish" (null or undefined), takes that value as its result; otherwise, it evaluates the right-hand operand and takes the resulting value as its result.

In the following example, a will be assigned the value of b if the value of b is not null or undefined, otherwise it will be assigned 3.

const a = b ?? 3; 

Before the nullish coalescing operator, programmers would use the logical OR operator (||). But where ?? looks specifically for null or undefined, the || operator looks for any falsy value: null, undefined, "", 0, NaN, and of course, false.

In the following example, a will be assigned the value of b if the value of b is truthy, otherwise it will be assigned 3.

const a = b || 3; 

Control structures edit

Compound statements edit

A pair of curly brackets { } and an enclosed sequence of statements constitute a compound statement, which can be used wherever a statement can be used.

If ... else edit

if (expr) {  //statements; } else if (expr2) {  //statements; } else {  //statements; } 

Conditional (ternary) operator edit

The conditional operator creates an expression that evaluates as one of two expressions depending on a condition. This is similar to the if statement that selects one of two statements to execute depending on a condition. I.e., the conditional operator is to expressions what if is to statements.

const result = condition ? expression : alternative; 

is the same as:

if (condition) {  const result = expression; } else {  const result = alternative; } 

Unlike the if statement, the conditional operator cannot omit its "else-branch".

Switch statement edit

The syntax of the JavaScript switch statement is as follows:

 switch (expr) {  case SOMEVALUE:  // statements;  break;  case ANOTHERVALUE:  // statements for when ANOTHERVALUE || ORNAOTHERONE  // no break statement, falling through to the following case  case ORANOTHERONE:  // statements specific to ORANOTHERONE (i.e. !ANOTHERVALUE && ORANOTHER);  break; //The buck stops here.  case YETANOTHER:  // statements;  break;  default:  // statements;  break;  } 
  • break; is optional; however, it is usually needed, since otherwise code execution will continue to the body of the next case block. This fall through behavior can be used when the same set of statements apply in several cases, effectively creating a disjunction between those cases.
  • Add a break statement to the end of the last case as a precautionary measure, in case additional cases are added later.
  • String literal values can also be used for the case values.
  • Expressions can be used instead of values.
  • The default case (optional) is executed when the expression does not match any other specified cases.
  • Braces are required.

For loop edit

The syntax of the JavaScript for loop is as follows:

 for (initial; condition; loop statement) {  /*  statements will be executed every time  the for{} loop cycles, while the  condition is satisfied  */  } 

or

 for (initial; condition; loop statement(iteration)) // one statement 

For ... in loop edit

The syntax of the JavaScript for ... in loop is as follows:

for (var property_name in some_object) {  // statements using some_object[property_name]; } 
  • Iterates through all enumerable properties of an object.
  • Iterates through all used indices of array including all user-defined properties of array object, if any. Thus it may be better to use a traditional for loop with a numeric index when iterating over arrays.
  • There are differences between the various Web browsers with regard to which properties will be reflected with the for...in loop statement. In theory, this is controlled by an internal state property defined by the ECMAscript standard called "DontEnum", but in practice, each browser returns a slightly different set of properties during introspection. It is useful to test for a given property using if (some_object.hasOwnProperty(property_name)) { ...}. Thus, adding a method to the array prototype with Array.prototype.newMethod = function() {...} may cause for ... in loops to loop over the method's name.

While loop edit

The syntax of the JavaScript while loop is as follows:

while (condition) {  statement1;  statement2;  statement3;  ... } 

Do ... while loop edit

The syntax of the JavaScript do ... while loop is as follows:

do {  statement1;  statement2;  statement3;  ... } while (condition); 

With edit

The with statement adds all of the given object's properties and methods into the following block's scope, letting them be referenced as if they were local variables.

with (document) {  const a = getElementById('a');  const b = getElementById('b');  const c = getElementById('c'); }; 
  • Note the absence of document. before each getElementById() invocation.

The semantics are similar to the with statement of Pascal.

Because the availability of with statements hinders program performance and is believed to reduce code clarity (since any given variable could actually be a property from an enclosing with), this statement is not allowed in strict mode.

Labels edit

JavaScript supports nested labels in most implementations. Loops or blocks can be labelled for the break statement, and loops for continue. Although goto is a reserved word,[16] goto is not implemented in JavaScript.

loop1: for (let a = 0; a < 10; ++a) {  if (a === 4) break loop1; // Stops after the 4th attempt  console.log('a = ' + a);  loop2: for (let b = 0; b < 10; ++b) {  if (b === 3) continue loop2; // Number 3 is skipped  if (b === 6) continue loop1; // Continues the first loop, 'finished' is not shown  console.log('b = ' + b);  } //end of loop2  console.log('finished'); } //end of loop1 block1: {  console.log('Hello'); // Displays 'Hello'  break block1;  console.log('World'); // Will never get here } goto block1; // Parse error. 

Functions edit

A function is a block with a (possibly empty) parameter list that is normally given a name. A function may use local variables. If you exit the function without a return statement, the value undefined is returned.

function gcd(number1, number2) {  if isNaN(number1*number2) throw TypeError("Non-Numeric arguments not allowed.");  number1 = Math.round(number1);  number2 = Math.round(number2);  let difference = number1 - number2;  if (difference === 0) return number1;  return difference > 0 ? gcd(number2, difference) : gcd(number1, -difference); } console.log(gcd(60, 40)); // 20 //In the absence of parentheses following the identifier 'gcd' on the RHS of the assignment below, //'gcd' returns a reference to the function itself without invoking it. let mygcd = gcd; // mygcd and gcd reference the same function. console.log(mygcd(60, 40)); // 20 

Functions are first class objects and may be assigned to other variables.

The number of arguments given when calling a function may not necessarily correspond to the number of arguments in the function definition; a named argument in the definition that does not have a matching argument in the call will have the value undefined (that can be implicitly cast to false). Within the function, the arguments may also be accessed through the arguments object; this provides access to all arguments using indices (e.g. arguments[0], arguments[1], ... arguments[n]), including those beyond the number of named arguments. (While the arguments list has a .length property, it is not an instance of Array; it does not have methods such as .slice(), .sort(), etc.)

function add7(x, y) {  if (!y) {  y = 7;  }  console.log(x + y + arguments.length); }; add7(3); // 11 add7(3, 4); // 9 

Primitive values (number, boolean, string) are passed by value. For objects, it is the reference to the object that is passed.

const obj1 = {a : 1}; const obj2 = {b : 2}; function foo(p) {  p = obj2; // Ignores actual parameter  p.b = arguments[1]; } foo(obj1, 3); // Does not affect obj1 at all. 3 is additional parameter console.log(`${obj1.a} ${obj2.b}`); // writes 1 3 

Functions can be declared inside other functions, and access the outer function's local variables. Furthermore, they implement full closures by remembering the outer function's local variables even after the outer function has exited.

let t = "Top"; let bar, baz; function foo() {  let f = "foo var";  bar = function() { console.log(f) };  baz = function(x) { f = x; }; } foo(); baz("baz arg"); bar(); // "baz arg" (not "foo var") even though foo() has exited. console.log(t); // Top 

Async/await edit

The await operator in JavaScript can only be used from inside an async function or at the top level of a module. If the parameter is a promise, execution of the async function will resume when the promise is resolved (unless the promise is rejected, in which case an error will be thrown that can be handled with normal JavaScript exception handling). If the parameter is not a promise, the parameter itself will be returned immediately.[17]

Many libraries provide promise objects that can also be used with await, as long as they match the specification for native JavaScript promises. However, promises from the jQuery library were not Promises/A+ compatible until jQuery 3.0.[18]

Here's an example (modified from this[19] article):

async function createNewDoc() {  let response = await db.post({}); // post a new doc  return db.get(response.id); // find by id } async function main() {  try {  let doc = await createNewDoc();  console.log(doc);  } catch (err) {  console.log(err);  } } main(); 
Node.js version 8 includes a utility that enables using the standard library callback-based methods as promises.[20]

Objects edit

For convenience, types are normally subdivided into primitives and objects. Objects are entities that have an identity (they are only equal to themselves) and that map property names to values ("slots" in prototype-based programming terminology). Objects may be thought of as associative arrays or hashes, and are often implemented using these data structures. However, objects have additional features, such as a prototype chain[clarification needed], which ordinary associative arrays do not have.

JavaScript has several kinds of built-in objects, namely Array, Boolean, Date, Function, Math, Number, Object, RegExp and String. Other objects are "host objects", defined not by the language, but by the runtime environment. For example, in a browser, typical host objects belong to the DOM (window, form, links, etc.).

Creating objects edit

Objects can be created using a constructor or an object literal. The constructor can use either a built-in Object function or a custom function. It is a convention that constructor functions are given a name that starts with a capital letter:

// Constructor const anObject = new Object(); // Object literal const objectA = {}; const objectA2 = {}; // A != A2, {}s create new objects as copies. const objectB = {index1: 'value 1', index2: 'value 2'}; // Custom constructor (see below) 

Object literals and array literals allow one to easily create flexible data structures:

const myStructure = {  name: {  first: "Mel",  last: "Smith"  },  age: 33,  hobbies: ["chess", "jogging"] }; 

This is the basis for JSON, which is a simple notation that uses JavaScript-like syntax for data exchange.

Methods edit

A method is simply a function that has been assigned to a property name of an object. Unlike many object-oriented languages, there is no distinction between a function definition and a method definition in object-related JavaScript. Rather, the distinction occurs during function calling; a function can be called as a method.

When called as a method, the standard local variable this is just automatically set to the object instance to the left of the ".". (There are also call and apply methods that can set this explicitly—some packages such as jQuery do unusual things with this.)

In the example below, Foo is being used as a constructor. There is nothing special about a constructor - it is just a plain function that initialises an object. When used with the new keyword, as is the norm, this is set to a newly created blank object.

Note that in the example below, Foo is simply assigning values to slots, some of which are functions. Thus it can assign different functions to different instances. There is no prototyping in this example.

function px() { return this.prefix + "X"; } function Foo(yz) {  this.prefix = "a-";  if (yz > 0) {  this.pyz = function() { return this.prefix + "Y"; };  } else {  this.pyz = function() { return this.prefix + "Z"; };  }  this.m1 = px;  return this; } const foo1 = new Foo(1); const foo2 = new Foo(0); foo2.prefix = "b-"; console.log("foo1/2 " + foo1.pyz() + foo2.pyz()); // foo1/2 a-Y b-Z foo1.m3 = px; // Assigns the function itself, not its evaluated result, i.e. not px() const baz = {"prefix": "c-"}; baz.m4 = px; // No need for a constructor to make an object. console.log("m1/m3/m4 " + foo1.m1() + foo1.m3() + baz.m4()); // m1/m3/m4 a-X a-X c-X foo1.m2(); // Throws an exception, because foo1.m2 doesn't exist. 

Constructors edit

Constructor functions simply assign values to slots of a newly created object. The values may be data or other functions.

Example: Manipulating an object:

function MyObject(attributeA, attributeB) {  this.attributeA = attributeA;  this.attributeB = attributeB; } MyObject.staticC = "blue"; // On MyObject Function, not object console.log(MyObject.staticC); // blue const object = new MyObject('red', 1000); console.log(object.attributeA); // red console.log(object.attributeB); // 1000 console.log(object.staticC); // undefined object.attributeC = new Date(); // add a new property delete object.attributeB; // remove a property of object console.log(object.attributeB); // undefined 

The constructor itself is referenced in the object's prototype's constructor slot. So,

function Foo() {} // Use of 'new' sets prototype slots (for example,  // x = new Foo() would set x's prototype to Foo.prototype, // and Foo.prototype has a constructor slot pointing back to Foo). const x = new Foo(); // The above is almost equivalent to const y = {}; y.constructor = Foo; y.constructor(); // Except x.constructor == y.constructor; // true x instanceof Foo; // true y instanceof Foo; // false // y's prototype is Object.prototype, not // Foo.prototype, since it was initialised with // {} instead of new Foo. // Even though Foo is set to y's constructor slot, // this is ignored by instanceof - only y's prototype's // constructor slot is considered. 

Functions are objects themselves, which can be used to produce an effect similar to "static properties" (using C++/Java terminology) as shown below. (The function object also has a special prototype property, as discussed in the "Inheritance" section below.)

Object deletion is rarely used as the scripting engine will garbage collect objects that are no longer being referenced.

Inheritance edit

JavaScript supports inheritance hierarchies through prototyping in the manner of Self.

In the following example, the Derived class inherits from the Base class. When d is created as Derived, the reference to the base instance of Base is copied to d.base.

Derive does not contain a value for aBaseFunction, so it is retrieved from aBaseFunction when aBaseFunction is accessed. This is made clear by changing the value of base.aBaseFunction, which is reflected in the value of d.aBaseFunction.

Some implementations allow the prototype to be accessed or set explicitly using the __proto__ slot as shown below.

function Base() {  this.anOverride = function() { console.log("Base::anOverride()"); };  this.aBaseFunction = function() { console.log("Base::aBaseFunction()"); }; } function Derived() {  this.anOverride = function() { console.log("Derived::anOverride()"); }; } const base = new Base(); Derived.prototype = base; // Must be before new Derived() Derived.prototype.constructor = Derived; // Required to make `instanceof` work const d = new Derived(); // Copies Derived.prototype to d instance's hidden prototype slot. d instanceof Derived; // true d instanceof Base; // true base.aBaseFunction = function() { console.log("Base::aNEWBaseFunction()"); }; d.anOverride(); // Derived::anOverride() d.aBaseFunction(); // Base::aNEWBaseFunction() console.log(d.aBaseFunction == Derived.prototype.aBaseFunction); // true console.log(d.__proto__ == base); // true in Mozilla-based implementations and false in many others. 

The following shows clearly how references to prototypes are copied on instance creation, but that changes to a prototype can affect all instances that refer to it.

function m1() { return "One"; } function m2() { return "Two"; } function m3() { return "Three"; } function Base() {} Base.prototype.m = m2; const bar = new Base(); console.log("bar.m " + bar.m()); // bar.m Two function Top() { this.m = m3; } const t = new Top(); const foo = new Base(); Base.prototype = t; // No effect on foo, the *reference* to t is copied. console.log("foo.m " + foo.m()); // foo.m Two const baz = new Base(); console.log("baz.m " + baz.m()); // baz.m Three t.m = m1; // Does affect baz, and any other derived classes. console.log("baz.m1 " + baz.m()); // baz.m1 One 

In practice many variations of these themes are used, and it can be both powerful and confusing.

Exception handling edit

JavaScript includes a try ... catch ... finally exception handling statement to handle run-time errors.

The try ... catch ... finally statement catches exceptions resulting from an error or a throw statement. Its syntax is as follows:

try {  // Statements in which exceptions might be thrown } catch(errorValue) {  // Statements that execute in the event of an exception } finally {  // Statements that execute afterward either way } 

Initially, the statements within the try block execute. If an exception is thrown, the script's control flow immediately transfers to the statements in the catch block, with the exception available as the error argument. Otherwise the catch block is skipped. The catch block can throw(errorValue), if it does not want to handle a specific error.

In any case the statements in the finally block are always executed. This can be used to free resources, although memory is automatically garbage collected.

Either the catch or the finally clause may be omitted. The catch argument is required.

The Mozilla implementation allows for multiple catch statements, as an extension to the ECMAScript standard. They follow a syntax similar to that used in Java:

try { statement; } catch (e if e == "InvalidNameException") { statement; } catch (e if e == "InvalidIdException") { statement; } catch (e if e == "InvalidEmailException") { statement; } catch (e) { statement; } 

In a browser, the onerror event is more commonly used to trap exceptions.

onerror = function (errorValue, url, lineNr) {...; return true;}; 

Native functions and methods edit

(Not related to Web browsers.)

eval (expression) edit

Evaluates the first parameter as an expression, which can include assignment statements. Variables local to functions can be referenced by the expression. However, eval represents a major security risk, as it allows a bad actor to execute arbitrary code, so its use is discouraged.[21]

> (function foo() { ... var x = 7; ... console.log("val " + eval("x + 2")); ... })(); val 9 undefined 

See also edit

References edit

  1. ^ JavaScript 1.1 specification
  2. ^ "Chapter 1. Basic JavaScript". speakingjs.com. Retrieved 22 September 2020.
  3. ^ Flanagan, David (2006). JavaScript: The definitive Guide. p. 16. ISBN 978-0-596-10199-2. Omitting semicolons is not a good programming practice; you should get into the habit of inserting them.
  4. ^ "Storing the information you need — Variables - Learn web development | MDN". developer.mozilla.org. 9 May 2023. Retrieved 23 June 2023.
  5. ^ . Mozilla Developer Network. 16 September 2010. Archived from the original on 29 June 2011. Retrieved 1 February 2020.
  6. ^ "JavaScript Hoisting". W3Schools. In JavaScript, a variable can be declared after it has been used. In other words; a variable can be used before it has been declared.
  7. ^ "JavaScript Scoping and Hoisting", Ben Cherry, Adequately Good, 2010-02-08
  8. ^ ECMA-262 5e edition clarified this behavior with the Declarative Environment Record and Object Environment Record. With this formalism, the global object is the Object Environment Record of the global Lexical Environment (the global scope).
  9. ^ "Template literals". MDN Web Docs. Retrieved 4 November 2023.
  10. ^ "Comparison Operators - MDC Doc Center". Mozilla. 5 August 2010. Retrieved 5 March 2011.
  11. ^ "The Elements of JavaScript Style". Douglas Crockford. Retrieved 5 March 2011.
  12. ^ "Spread syntax".
  13. ^ "rest parameters".
  14. ^ . Archived from the original on 9 August 2016.
  15. ^ "ECMAScript 2020 Language Specification". Ecma International. June 2020.
  16. ^ ECMA-262, Edition 3, 7.5.3 Future Reserved Words
  17. ^ "await - JavaScript (MDN)". Retrieved 2 May 2017.
  18. ^ "jQuery Core 3.0 Upgrade Guide". Retrieved 2 May 2017.
  19. ^ "Taming the asynchronous beast with ES7". Retrieved 12 November 2015.
  20. ^ Foundation, Node.js. "Node v8.0.0 (Current) - Node.js". Node.js.
  21. ^ "eval()". MDN Web Docs. Retrieved 29 January 2020.

Further reading edit

  • Danny Goodman: JavaScript Bible, Wiley, John & Sons, ISBN 0-7645-3342-8.
  • David Flanagan, Paula Ferguson: JavaScript: The Definitive Guide, O'Reilly & Associates, ISBN 0-596-10199-6.
  • Thomas A. Powell, Fritz Schneider: JavaScript: The Complete Reference, McGraw-Hill Companies, ISBN 0-07-219127-9.
  • Axel Rauschmayer: Speaking JavaScript: An In-Depth Guide for Programmers, 460 pages, O'Reilly Media, 25 February 2014, ISBN 978-1449365035. (free online edition)
  • Emily Vander Veer: JavaScript For Dummies, 4th Edition, Wiley, ISBN 0-7645-7659-3.

External links edit

  • A re-introduction to JavaScript - Mozilla Developer Center
  • JavaScript Loops
  • ECMAScript standard references: ECMA-262
  • JavaScript on About.com: lessons and explanation 25 February 2017 at the Wayback Machine
  • Mozilla Developer Center Core References for JavaScript versions 1.5, , and
  • Mozilla JavaScript Language Documentation

javascript, syntax, this, article, multiple, issues, please, help, improve, discuss, these, issues, talk, page, learn, when, remove, these, template, messages, this, article, long, read, navigate, comfortably, please, consider, splitting, content, into, articl. This article has multiple issues Please help improve it or discuss these issues on the talk page Learn how and when to remove these template messages This article may be too long to read and navigate comfortably Please consider splitting content into sub articles condensing it or adding subheadings Please discuss this issue on the article s talk page May 2019 This article needs to be updated The reason given is New features versions now in JavaScript Please help update this article to reflect recent events or newly available information November 2020 2 Learn how and when to remove this template message The syntax of JavaScript is the set of rules that define a correctly structured JavaScript program A snippet of JavaScript code with keywords highlighted in different colorsThe examples below make use of the log function of the console object present in most browsers for standard text output The JavaScript standard library lacks an official standard text output function with the exception of document write Given that JavaScript is mainly used for client side scripting within modern web browsers and that almost all Web browsers provide the alert function alert can also be used but is not commonly used Contents 1 Origins 2 Basics 2 1 Case sensitivity 2 2 Whitespace and semicolons 2 3 Comments 3 Variables 3 1 Scoping and hoisting 3 2 Declaration and assignment 3 3 Examples 4 Primitive data types 4 1 Undefined 4 2 Number 4 3 BigInt 4 4 String 4 5 Boolean 4 6 Type conversion 4 7 Symbol 5 Native objects 5 1 Array 5 2 Date 5 3 Error 5 4 Math 5 5 Regular expression 5 5 1 Character classes 5 5 2 Character matching 5 5 3 Repeaters 5 5 4 Anchors 5 5 5 Subexpression 5 5 6 Flags 5 5 7 Advanced methods 5 5 8 Capturing groups 5 6 Function 6 Operators 6 1 Arithmetic 6 2 Assignment 6 2 1 Destructuring assignment 6 2 2 Spread rest operator 6 3 Comparison 6 4 Logical 6 5 Logical assignment 6 6 Bitwise 6 7 Bitwise Assignment 6 8 String 6 9 7 Control structures 7 1 Compound statements 7 2 If else 7 3 Conditional ternary operator 7 4 Switch statement 7 5 For loop 7 6 For in loop 7 7 While loop 7 8 Do while loop 7 9 With 7 10 Labels 8 Functions 8 1 Async await 9 Objects 9 1 Creating objects 9 2 Methods 9 3 Constructors 9 4 Inheritance 10 Exception handling 11 Native functions and methods 11 1 eval expression 12 See also 13 References 14 Further reading 15 External linksOrigins editBrendan Eich summarized the ancestry of the syntax in the first paragraph of the JavaScript 1 1 specification 1 2 as follows JavaScript borrows most of its syntax from Java but also inherits from Awk and Perl with some indirect influence from Self in its object prototype system Basics editCase sensitivity edit JavaScript is case sensitive It is common to start the name of a constructor with a capitalised letter and the name of a function or variable with a lower case letter Example var a 5 console log a 5 console log A throws a ReferenceError A is not defined Whitespace and semicolons edit Unlike in C whitespace in JavaScript source can directly impact semantics Semicolons end statements in JavaScript Because of automatic semicolon insertion ASI some statements that are well formed when a newline is parsed will be considered complete as if a semicolon were inserted just prior to the newline Some authorities advise supplying statement terminating semicolons explicitly because it may lessen unintended effects of the automatic semicolon insertion 3 There are two issues five tokens can either begin a statement or be the extension of a complete statement and five restricted productions where line breaks are not allowed in certain positions potentially yielding incorrect parsing The five problematic tokens are the open parenthesis open bracket slash plus and minus Of these the open parenthesis is common in the immediately invoked function expression pattern and open bracket occurs sometimes while others are quite rare An example a b c d e foo Treated as a b c d e foo with the suggestion that the preceding statement be terminated with a semicolon Some suggest instead the use of leading semicolons on lines starting with or so the line is not accidentally joined with the previous one This is known as a defensive semicolon and is particularly recommended because code may otherwise become ambiguous when it is rearranged For example a b c d e foo Treated as a b c d e foo Initial semicolons are also sometimes used at the start of JavaScript libraries in case they are appended to another library that omits a trailing semicolon as this can result in ambiguity of the initial statement The five restricted productions are return throw break continue and post increment decrement In all cases inserting semicolons does not fix the problem but makes the parsed syntax clear making the error easier to detect return and throw take an optional value while break and continue take an optional label In all cases the advice is to keep the value or label on the same line as the statement This most often shows up in the return statement where one might return a large object literal which might be accidentally placed starting on a new line For post increment decrement there is potential ambiguity with pre increment decrement and again it is recommended to simply keep these on the same line return a b Returns undefined Treated as return a b Should be written as return a b Comments edit Main article Comment computer programming Comment syntax is the same as in C Swift and many other languages a short one line comment this is a long multi line comment about my script May it one day be great Comments may not be nested Syntax error Variables editMain article Variable programming Variables in standard JavaScript have no type attached so any value each value has a type can be stored in any variable Starting with ES6 the 6th version of the language variables could be declared with var for function scoped variables and let or const which are for block level variables Before ES6 variables could only be declared with a var statement Values assigned to variables declared with const cannot be changed but their properties can var should no longer be used since let and const are supported by modern browsers 4 A variable s identifier must start with a letter underscore or dollar sign while subsequent characters can also be digits 0 9 JavaScript is case sensitive so the uppercase characters A through Z are different from the lowercase characters a through z Starting with JavaScript 1 5 ISO 8859 1 or Unicode letters or uXXXX Unicode escape sequences can be used in identifiers 5 In certain JavaScript implementations the at sign can be used in an identifier but this is contrary to the specifications and not supported in newer implementations citation needed Scoping and hoisting edit Variables declared with var are lexically scoped at a function level while ones with let or const have a block level scope Since declarations are processed before any code is executed a variable can be assigned to and used prior to being declared in the code 6 This is referred to as hoisting and it is equivalent to variables being forward declared at the top of the function or block 7 With var let and const statements only the declaration is hoisted assignments are not hoisted Thus a span class kd var span span class w span span class nx x span span class w span span class o span span class w span span class mf 1 span statement in the middle of the function is equivalent to a span class kd var span span class w span span class nx x span declaration statement at the top of the function and an span class nx x span span class w span span class o span span class w span span class mf 1 span assignment statement at that point in the middle of the function This means that values cannot be accessed before they are declared forward reference is not possible With var a variable s value is undefined until it is initialized Variables declared with let or const cannot be accessed until they have been initialized so referencing such variables before will cause an error Function declarations which declare a variable and assign a function to it are similar to variable statements but in addition to hoisting the declaration they also hoist the assignment as if the entire statement appeared at the top of the containing function and thus forward reference is also possible the location of a function statement within an enclosing function is irrelevant This is different from a function expression being assigned to a variable in a var let or const statement So for example var func function declaration is hoisted only function func declaration and assignment are hoisted Block scoping can be produced by wrapping the entire block in a function and then executing it this is known as the immediately invoked function expression pattern or by declaring the variable using the let keyword Declaration and assignment edit Variables declared outside a scope are global If a variable is declared in a higher scope it can be accessed by child scopes When JavaScript tries to resolve an identifier it looks in the local scope If this identifier is not found it looks in the next outer scope and so on along the scope chain until it reaches the global scope where global variables reside If it is still not found JavaScript will raise a ReferenceError exception When assigning an identifier JavaScript goes through exactly the same process to retrieve this identifier except that if it is not found in the global scope it will create the variable in the scope where it was created 8 As a consequence a variable never declared will be global if assigned Declaring a variable with the keyword var in the global scope i e outside of any function body or block in the case of let const assigning a never declared identifier or adding a property to the global object usually window will also create a new global variable Note that JavaScript s strict mode forbids the assignment of an undeclared variable which avoids global namespace pollution Examples edit Here are some examples of variable declarations and scope var x1 0 A global variable because it is not in any function let x2 0 Also global this time because it is not in any block function f var z foxes r birds 2 local variables m fish global because it wasn t declared anywhere before function child var r monkeys This variable is local and does not affect the birds r of the parent function z penguins Closure Child function is able to access the variables of the parent function twenty 20 This variable is declared on the next line but usable anywhere in the function even before as here var twenty child return x1 x2 We can use x1 and x2 here because they are global f console log z This line will raise a ReferenceError exception because the value of z is no longer available for let i 0 i lt 10 i console log i console log i throws a ReferenceError i is not defined for const i 0 i lt 10 i console log i throws a TypeError Assignment to constant variable for const i of 1 2 3 console log i will not raise an exception i is not reassigned but recreated in every iteration const pi throws a SyntaxError Missing initializer in const declarationPrimitive data types editMain article Primitive data type The JavaScript language provides six primitive data types Undefined Number BigInt String Boolean SymbolSome of the primitive data types also provide a set of named values that represent the extents of the type boundaries These named values are described within the appropriate sections below Undefined edit Main article Undefined value The value of undefined is assigned to all uninitialized variables and is also returned when checking for object properties that do not exist In a Boolean context the undefined value is considered a false value Note undefined is considered a genuine primitive type Unless explicitly converted the undefined value may behave unexpectedly in comparison to other types that evaluate to false in a logical context let test variable declared but not defined set to value of undefined const testObj console log test test variable exists but value not defined displays undefined console log testObj myProp testObj exists property does not displays undefined console log undefined null unenforced type during check displays true console log undefined null enforce type during check displays false Note There is no built in language literal for undefined Thus span class p span span class nx x span span class w span span class o span span class w span span class kc undefined span span class p span is not a foolproof way to check whether a variable is undefined because in versions before ECMAScript 5 it is legal for someone to write span class kd var span span class w span span class kc undefined span span class w span span class o span span class w span span class s2 I m defined now span span class p span A more robust approach is to compare using span class p span span class ow typeof span span class w span span class nx x span span class w span span class o span span class w span span class s1 undefined span span class p span Functions like this won t work as expected function isUndefined x let u return x u like this function isUndefined x return x void 0 or that second one function isUndefined x return typeof x undefined or that third one Here calling isUndefined my var raises a ReferenceError if my var is an unknown identifier whereas span class ow typeof span span class w span span class nx my var span span class w span span class o span span class w span span class s1 undefined span doesn t Number edit Numbers are represented in binary as IEEE 754 floating point doubles Although this format provides an accuracy of nearly 16 significant digits it cannot always exactly represent real numbers including fractions This becomes an issue when comparing or formatting numbers For example console log 0 2 0 1 0 3 displays false console log 0 94 0 01 displays 0 9299999999999999 As a result a routine such as the toFixed method should be used to round numbers whenever they are formatted for output Numbers may be specified in any of these notations 345 an integer although there is only one numeric type in JavaScript 34 5 a floating point number 3 45e2 another floating point equivalent to 345 0b1011 a binary integer equal to 11 0o377 an octal integer equal to 255 0xFF a hexadecimal integer equal to 255 digits represented by the letters A F may be upper or lowercase There s also a numeric separator the underscore introduced in ES2021 Note Wikipedia syntax doesn t support numeric separators yet 1 000 000 000 Used with big numbers 1 000 000 5 Support with decimals 1 000e1 000 Support with exponents Support with binary octals and hex 0b0000 0000 0101 1011 0o0001 3520 0237 1327 0xFFFF FFFF FFFF FFFE But you can t use them next to a non digit number part or at the start or end 12 Variable is not defined the underscore makes it a variable identifier 12 Syntax error cannot be at the end of numbers 12 0 Syntax error doesn t make sense to put a separator next to the decimal point 12 0 Syntax error 12 e 6 Syntax error next to e a non digit Doesn t make sense to put a separator at the start 1000 0000 Syntax error next to a non digit Only 1 separator at a time is allowed The extents and NaN Not a Number of the number type may be obtained by two program expressions Infinity positive infinity negative obtained with Infinity for instance NaN The Not A Number value also returned as a failure in string to number conversions Infinity and NaN are numbers typeof Infinity returns number typeof NaN returns number These three special values correspond and behave as the IEEE 754 describes them The Number constructor used as a function or a unary or may be used to perform explicit numeric conversion const myString 123 456 const myNumber1 Number myString const myNumber2 myString When used as a constructor a numeric wrapper object is created though it is of little use const myNumericWrapper new Number 123 456 However NaN is not equal to itself const nan NaN console log NaN NaN false console log NaN NaN false console log NaN NaN true console log nan nan true You can use the isNaN methods to check for NaN console log isNaN converted to NaN true console log isNaN NaN true console log Number isNaN not converted false console log Number isNaN NaN true BigInt edit BigInts can be used for arbitrarily large integers Especially whole numbers larger than 253 1 which is the largest number JavaScript can reliably represent with the Number primitive and represented by the Number MAX SAFE INTEGER constant When dividing BigInts the results are truncated String edit A string in JavaScript is a sequence of characters In JavaScript strings can be created directly as literals by placing the series of characters between double or single quotes Such strings must be written on a single line but may include escaped newline characters such as n The JavaScript standard allows the backquote character a k a grave accent or backtick to quote multiline literal strings as well as template literals which allow for interpolation of type coerced evaluated expressions within a string 9 const greeting Hello World const anotherGreeting Greetings people of Earth const aMultilineGreeting Warm regards John Doe Template literals type coerce evaluated expressions and interpolate them into the string const templateLiteral This is what is stored in anotherGreeting anotherGreeting console log templateLiteral This is what is stored in anotherGreeting Greetings people of Earth Individual characters within a string can be accessed using the charAt method provided by String prototype This is the preferred way when accessing individual characters within a string because it also works in non modern browsers const h greeting charAt 0 In modern browsers individual characters within a string can be accessed as strings with only a single character through the same notation as arrays const h greeting 0 However JavaScript strings are immutable greeting 0 H Fails Applying the equality operator to two strings returns true if the strings have the same contents which means of the same length and containing the same sequence of characters case is significant for alphabets Thus const x World const compare1 Hello x Hello World Here compare1 contains true const compare2 Hello x hello World Here compare2 contains false since the first characters of both operands are not of the same case Quotes of the same type cannot be nested unless they are escaped let x Hello World he said Just fine x Hello World he said Not good x Hello World he said Works by escaping with The String constructor creates a string object an object wrapping a string const greeting new String Hello World These objects have a valueOf method returning the primitive string wrapped within them const s new String Hello typeof s Is object typeof s valueOf Is string Equality between two String objects does not behave as with string primitives const s1 new String Hello const s2 new String Hello s1 s2 Is false because they are two distinct objects s1 valueOf s2 valueOf Is true Boolean edit JavaScript provides a Boolean data type with true and false literals The typeof operator returns the string boolean for these primitive types When used in a logical context 0 0 null NaN undefined and the empty string evaluate as false due to automatic type conversion All other values the complement of the previous list evaluate as true including the strings 0 false and any object Type conversion edit Automatic type coercion by the equality comparison operators and can be avoided by using the type checked comparison operators and When type conversion is required JavaScript converts Boolean Number String or Object operands as follows 10 Number and String The string is converted to a number value JavaScript attempts to convert the string numeric literal to a Number type value First a mathematical value is derived from the string numeric literal Next this value is rounded to nearest Number type value Boolean If one of the operands is a Boolean the Boolean operand is converted to 1 if it is true or to 0 if it is false Object If an object is compared with a number or string JavaScript attempts to return the default value for the object An object is converted to a primitive String or Number value using the valueOf or toString methods of the object If this fails a runtime error is generated Douglas Crockford advocates the terms truthy and falsy to describe how values of various types behave when evaluated in a logical context especially in regard to edge cases 11 The binary logical operators returned a Boolean value in early versions of JavaScript but now they return one of the operands instead The left operand is returned if it can be evaluated as false in the case of conjunction a amp amp b or true in the case of disjunction a b otherwise the right operand is returned Automatic type coercion by the comparison operators may differ for cases of mixed Boolean and number compatible operands including strings that can be evaluated as a number or objects that can be evaluated as such a string because the Boolean operand will be compared as a numeric value This may be unexpected An expression can be explicitly cast to a Boolean primitive by doubling the logical negation operator using the Boolean function or using the conditional operator c t f Automatic type coercion console log true 2 false true 1 2 2 console log false 2 false false 0 2 2 console log true 1 true true 1 1 1 console log false 0 true false 0 0 0 console log true 2 false true 1 2 2 console log false 2 false false 0 2 2 console log true 1 true true 1 1 1 console log false 0 true false 0 0 0 console log false true false 0 0 console log false NaN false false 0 NaN console log NaN NaN false NaN is not equivalent to anything including NaN Type checked comparison no conversion of types and values console log true 1 false data types do not match Explicit type coercion console log true 2 true data types and values match console log true 0 false data types match but values differ console log 1 true false true only 0 and NaN are falsy numbers console log 0 true false true only the empty string is falsy console log Boolean true all objects are truthy The new operator can be used to create an object wrapper for a Boolean primitive However the typeof operator does not return boolean for the object wrapper it returns object Because all objects evaluate as true a method such as valueOf or toString must be used to retrieve the wrapped value For explicit coercion to the Boolean type Mozilla recommends that the Boolean function without new be used in preference to the Boolean object const b new Boolean false Object false const t Boolean b Boolean true const f Boolean b valueOf Boolean false let n new Boolean b Not recommended n new Boolean b valueOf Preferred if 0 0 null undefined b valueOf new Boolean t console log Never this else if amp amp amp amp b amp amp typeof b object amp amp b toString false console log Always this Symbol edit New in ECMAScript6 A Symbol is a unique and immutable identifier Example let x Symbol 1 const y Symbol 1 x y gt false const symbolObject const normalObject since x and y are unique they can be used as unique keys in an object symbolObject x 1 symbolObject y 2 symbolObject x gt 1 symbolObject y gt 2 as compared to normal numeric keys normalObject 1 1 normalObject 1 2 overrides the value of 1 normalObject 1 gt 2 changing the value of x does not change the key stored in the object x Symbol 3 symbolObject x gt undefined changing x back just creates another unique Symbol x Symbol 1 symbolObject x gt undefined There are also well known symbols One of which is Symbol iterator if something implements Symbol iterator it s iterable const x 1 2 3 4 x is an Array x Symbol iterator Array prototype Symbol iterator and Arrays are iterable const xIterator x Symbol iterator The Symbol iterator function should provide an iterator for x xIterator next value 1 done false xIterator next value 2 done false xIterator next value 3 done false xIterator next value 4 done false xIterator next value undefined done true xIterator next value undefined done true for of loops automatically iterate values for const value of x console log value 1 2 3 4 Sets are also iterable Symbol iterator in Set prototype true for const value of new Set apple orange console log value apple orange Native objects editThe JavaScript language provides a handful of native objects JavaScript native objects are considered part of the JavaScript specification JavaScript environment notwithstanding this set of objects should always be available Array edit Main article Array data type An Array is a JavaScript object prototyped from the Array constructor specifically designed to store data values indexed by integer keys Arrays unlike the basic Object type are prototyped with methods and properties to aid the programmer in routine tasks for example join slice and push As in the C family arrays use a zero based indexing scheme A value that is inserted into an empty array by means of the push method occupies the 0th index of the array const myArray Point the variable myArray to a newly created empty Array myArray push hello World Fill the next empty index in this case 0 console log myArray 0 Equivalent to console log hello World Arrays have a length property that is guaranteed to always be larger than the largest integer index used in the array It is automatically updated if one creates a property with an even larger index Writing a smaller number to the length property will remove larger indices Elements of Arrays may be accessed using normal object property access notation myArray 1 the 2nd item in myArray myArray 1 The above two are equivalent It s not possible to use the dot notation or strings with alternative representations of the number myArray 1 syntax error myArray 01 not the same as myArray 1 Declaration of an array can use either an Array literal or the Array constructor let myArray Array literals myArray 1 2 length of 2 myArray 1 2 same array You can also have an extra comma at the end It s also possible to not fill in parts of the array myArray 0 1 hole hole 4 5 length of 6 myArray 0 1 hole hole 4 5 same array myArray 0 1 hole hole 4 5 hole length of 7 With the constructor myArray new Array 0 1 2 3 4 5 length of 6 myArray new Array 365 an empty array with length 365 Arrays are implemented so that only the defined elements use memory they are sparse arrays Setting span class nx myArray span span class p span span class mf 10 span span class p span span class w span span class o span span class w span span class s1 someThing span and span class nx myArray span span class p span span class mf 57 span span class p span span class w span span class o span span class w span span class s1 somethingOther span only uses space for these two elements just like any other object The length of the array will still be reported as 58 The maximum length of an array is 4 294 967 295 which corresponds to 32 bit binary number 11111111111111111111111111111111 2 One can use the object declaration literal to create objects that behave much like associative arrays in other languages const dog color brown size large dog color results in brown dog color also results in brown One can use the object and array declaration literals to quickly create arrays that are associative multidimensional or both Technically JavaScript does not support multidimensional arrays but one can mimic them with arrays of arrays const cats color brown size large color black size small cats 0 size results in large const dogs rover color brown size large spot color black size small dogs spot size results in small dogs rover color results in brown Date edit A Date object stores a signed millisecond count with zero representing 1970 01 01 00 00 00 UT and a range of 108 days There are several ways of providing arguments to the Date constructor Note that months are zero based new Date create a new Date instance representing the current time date new Date 2010 3 1 create a new Date instance representing 2010 Mar 01 00 00 00 new Date 2010 3 1 14 25 30 create a new Date instance representing 2010 Mar 01 14 25 30 new Date 2010 3 1 14 25 30 create a new Date instance from a String Methods to extract fields are provided as well as a useful toString const d new Date 2010 2 1 14 25 30 2010 Mar 01 14 25 30 Displays 2010 3 1 14 25 30 console log d getFullYear d getMonth 1 d getDate d getHours d getMinutes d getSeconds Built in toString returns something like Mon Mar 01 2010 14 25 30 GMT 0500 EST console log d Error edit Custom error messages can be created using the Error class throw new Error Something went wrong These can be caught by try catch finally blocks as described in the section on exception handling Math edit The Math object contains various math related constants for example p and functions for example cosine Note that the Math object has no constructor unlike Array or Date All its methods are static that is class methods All the trigonometric functions use angles expressed in radians not degrees or grads Some of the constants contained in the Math object Property Returned valuerounded to 5 digits DescriptionMath E 2 7183 e Natural logarithm baseMath LN2 0 69315 Natural logarithm of 2Math LN10 2 3026 Natural logarithm of 10Math LOG2E 1 4427 Logarithm to the base 2 of eMath LOG10E 0 43429 Logarithm to the base 10 of eMath PI 3 14159 p circumference diameter of a circleMath SQRT1 2 0 70711 Square root of Math SQRT2 1 4142 Square root of 2Methods of the Math object Example Returned valuerounded to 5 digits DescriptionMath abs 2 3 2 3 Absolute valueMath acos Math SQRT1 2 0 78540 rad 45 ArccosineMath asin Math SQRT1 2 0 78540 rad 45 ArcsineMath atan 1 0 78540 rad 45 Half circle arctangent p 2 displaystyle pi 2 nbsp to p 2 displaystyle pi 2 nbsp Math atan2 3 7 3 7 2 3562 rad 135 Whole circle arctangent p displaystyle pi nbsp to p displaystyle pi nbsp Math ceil 1 1 2 Ceiling round up to smallest integer argumentMath cos Math PI 4 0 70711 CosineMath exp 1 2 7183 Exponential function e raised to this powerMath floor 1 9 1 Floor round down to largest integer argumentMath log Math E 1 Natural logarithm base eMath max 1 2 1 Maximum x gt y x yMath min 1 2 2 Minimum x lt y x yMath pow 3 2 9 Exponentiation raised to the power of Math pow x y gives xyMath random e g 0 17068 Pseudorandom number between 0 inclusive and 1 exclusive Math round 1 5 2 Round to the nearest integer half fractions are rounded up e g 1 5 rounds to 2 Math sin Math PI 4 0 70711 SineMath sqrt 49 7 Square rootMath tan Math PI 4 1 TangentRegular expression edit Main article Regular expression expression test string returns Boolean string search expression returns position Number string replace expression replacement Here are some examples if Tom test My name is Tom console log Hello Tom console log My name is Tom search Tom 11 letters before Tom console log My name is Tom replace Tom John My name is John Character classes edit d digit D non digit s space S non space w word char W non word one of one not of range if d test 0 console log Digit if 0 9 test 6 console log Digit if 13579 test 1 console log Odd number if S S s S S S S test My name console log Format OK if w w w test Tom console log Hello Tom if a zA Z test B console log Letter Character matching edit A Z a z 0 9 alphanumeric u0000 uFFFF Unicode hexadecimal x00 xFF ASCII hexadecimal t tab n new line r CR any character OR if T m test Tom console log Hi Tom Tam or Tim if A B test A console log A or B Repeaters edit 0 or 1 match 0 or more 1 or more n exactly n n n or more 0 n n or less n m range n to m if ab c test ac console log OK match ac abc if ab c test ac console log OK match ac abc abbc abbbc etc if ab c test abc console log OK match abc abbc abbbc etc if ab 3 c test abbbc console log OK match abbbc if ab 3 c test abbbc console log OK match abbbc abbbbc abbbbbc etc if ab 1 3 c test abc console log OK match abc abbc abbbc Anchors edit string starts with string ends with if My test My name is Tom console log Hi if Tom test My name is Tom console log Hi Tom Subexpression edit groups characters if water mark test watermark console log Here is water match water watermark if Tom John test John console log Hi Tom or John Flags edit g global i ignore upper lower case m allow matches to span multiple lines console log hi tom replace Tom i John hi John console log ratatam replace ta tu ratutam console log ratatam replace ta g tu ratutum Advanced methods edit my array my string split my delimiter example my array dog cat cow split my array dog cat cow my array my string match my expression example my array We start at 11 30 12 15 and 16 45 match d d d d g my array 11 30 12 15 16 45 Capturing groups edit const myRe d 4 d 2 d 2 d 2 d 2 d 2 const results myRe exec The date and time are 2009 09 08 09 37 08 if results console log Matched results 0 Entire match const my date results 1 First group 2009 09 08 const my time results 2 Second group 09 37 08 console log It is my time on my date else console log Did not find a valid date Function edit Every function in JavaScript is an instance of the Function constructor x y is the argument return x y is the function body which is the last in the argument list const add new Function x y return x y add 1 2 gt 3 The add function above may also be defined using a function expression const add function x y return x y add 1 2 gt 3 In ES6 arrow function syntax was added allowing functions that return a value to be more concise They also retain the this of the global object instead of inheriting it from where it was called what it was called on unlike the function expression const add x y gt return x y values can also be implicitly returned i e no return statement is needed const addImplicit x y gt x y add 1 2 gt 3 addImplicit 1 2 gt 3 For functions that need to be hoisted there is a separate expression function add x y return x y add 1 2 gt 3 Hoisting allows you to use the function before it is declared add 1 2 gt 3 not a ReferenceError function add x y return x y A function instance has properties and methods function subtract x y return x y console log subtract length gt 2 arity of the function number of arguments console log subtract toString function subtract x y return x y Operators editThe operator is overloaded it is used for string concatenation and arithmetic addition This may cause problems when inadvertently mixing strings and numbers As a unary operator it can convert a numeric string to a number Concatenate 2 strings console log He llo displays Hello Add two numbers console log 2 6 displays 8 Adding a number and a string results in concatenation from left to right console log 2 2 displays 22 console log 3 4 displays 34 but 7 may have been expected console log 3 4 displays 7 console log 3 4 7 displays 77 numbers stay numbers until a string is added Convert a string to a number using the unary plus console log 2 2 displays true console log Hello displays NaN Similarly the operator is overloaded it can convert a string into a number console log 2 6 1 displays 8 console log 3 7 21 console log 3 7 21 console log hello world displays NaN Arithmetic edit JavaScript supports the following binary arithmetic operators addition subtraction multiplication division returns a floating point value modulo returns the remainder exponentiationJavaScript supports the following unary arithmetic operators unary conversion of string to number unary negation reverses the sign increment can be prefix or postfix decrement can be prefix or postfix let x 1 console log x x becomes 2 displays 2 console log x displays 2 x becomes 3 console log x x is 3 displays 3 console log x displays 3 x becomes 2 console log x displays 2 x is 2 console log x x becomes 1 displays 1 The modulo operator displays the remainder after division by the modulus If negative numbers are involved the returned value depends on the operand const x 17 console log x 5 displays 2 console log x 6 displays 5 console log x 5 displays 2 console log x 5 displays 2 console log x 5 displays 2 To always return a non negative number re add the modulus and apply the modulo operator again const x 17 console log x 5 5 5 displays 3 You could also do const x 17 console log Math abs x 5 also 3 Assignment edit assign add and assign subtract and assign multiply and assign divide and assign modulo and assign exponentiation and assignAssignment of primitive types let x 9 x 1 console log x displays 10 x 30 console log x displays 300 x 6 console log x displays 50 x 3 console log x displays 47 x 7 console log x displays 5 Assignment of object types To learn JavaScript objects const object 1 a 1 assign reference of newly created object to object 1 let object 2 a 0 let object 3 object 2 object 3 references the same object as object 2 does object 3 a 2 message displays 1 2 2 object 2 object 1 object 2 now references the same object as object 1 object 3 still references what object 2 referenced before message displays 1 1 2 object 2 a 7 modifies object 1 message displays 7 7 2 object 3 a 5 object 3 doesn t change object 2 message displays 7 7 5 object 3 object 2 object 3 a 4 object 3 changes object 1 and object 2 message displays 4 4 4 Prints the console log message function message console log object 1 a object 2 a object 3 a Destructuring assignment edit In Mozilla s JavaScript since version 1 7 destructuring assignment allows the assignment of parts of data structures to several variables at once The left hand side of an assignment is a pattern that resembles an arbitrarily nested object array literal containing l lvalues at its leaves that are to receive the substructures of the assigned value let a b c d e a b c 3 4 5 console log a b c displays 3 4 5 e foo 5 bar 6 baz Baz Content const arr baz arr 0 arr 3 foo a bar b e console log a b arr displays 5 6 Baz Content a b b a swap contents of a and b console log a b displays 6 5 a b c 3 4 5 permutations a b c b c a console log a b c displays 4 5 3 Spread rest operator edit The ECMAScript 2015 standard introduces the operator for the related concepts of spread syntax 12 and rest parameters 13 Spread syntax provides another way to destructure arrays It indicates that the elements in a specified array should be used as the parameters in a function call or the items in an array literal In other words transforms foo into foo 0 foo 1 foo 2 and this bar foo into this bar foo 0 foo 1 foo 2 const a 1 2 3 4 It can be used multiple times in the same expression const b a a b 1 2 3 4 1 2 3 4 It can be combined with non spread items const c 5 6 a 7 9 c 5 6 1 2 3 4 7 9 For comparison doing this without the spread operator creates a nested array const d a a d 1 2 3 4 1 2 3 4 It works the same with function calls function foo arg1 arg2 arg3 console log arg1 arg2 arg3 You can use it even if it passes more parameters than the function will use foo a 1 2 3 foo a 0 a 1 a 2 a 3 You can mix it with non spread parameters foo 5 a 6 5 1 2 foo 5 a 0 a 1 a 2 a 3 6 For comparison doing this without the spread operator assigns the array to arg1 and nothing to the other parameters foo a 1 2 3 4 undefined undefined When is used in a function declaration it indicates a rest parameter The rest parameter must be the final named parameter in the function s parameter list It will be assigned an Array containing any arguments passed to the function in excess of the other named parameters In other words it gets the rest of the arguments passed to the function hence the name function foo a b c console log c length foo 1 2 3 4 5 3 c 3 4 5 foo a b 0 c Rest parameters are similar to Javascript s arguments object which is an array like object that contains all of the parameters named and unnamed in the current function call Unlike arguments however rest parameters are true Array objects so methods such as slice and sort can be used on them directly The operator can only be used with Array objects However there is a proposal to extend it to Objects in a future ECMAScript standard 14 Comparison edit equal not equal gt greater than gt greater than or equal to lt less than lt less than or equal to identical equal and of same type not identicalVariables referencing objects are equal or identical only if they reference the same object const obj1 a 1 const obj2 a 1 const obj3 obj1 console log obj1 obj2 false console log obj3 obj1 true console log obj3 obj1 true See also String Logical edit JavaScript provides four logical operators unary negation NOT a binary disjunction OR a b and conjunction AND a amp amp b ternary conditional c t f In the context of a logical operation any expression evaluates to true except the following Strings Numbers 0 0 NaN Special null undefined Boolean false The Boolean function can be used to explicitly convert to a primitive of type Boolean Only empty strings return false console log Boolean false console log Boolean false true console log Boolean 0 true Only zero and NaN return false console log Boolean NaN false console log Boolean 0 false console log Boolean 0 false equivalent to 1 0 console log Boolean 2 true All objects return true console log Boolean this true console log Boolean true console log Boolean true These types return false console log Boolean null false console log Boolean undefined false equivalent to Boolean The NOT operator evaluates its operand as a Boolean and returns the negation Using the operator twice in a row as a double negative explicitly converts an expression to a primitive of type Boolean console log 0 Boolean 0 console log Boolean 0 1 console log 1 Boolean 1 console log 0 Boolean 0 console log Boolean 0 1 console log 1 Boolean 1 console log Boolean console log Boolean s console log s Boolean s console log Boolean console log Boolean s console log s Boolean s The ternary operator can also be used for explicit conversion console log false console log true false truthy but the comparison uses toString console log 0 false console log 0 true false 0 toString 0 console log 0 false console log 0 true false 0 0 0 0 0 false console log 1 true console log 1 true false 1 toString 1 console log 1 true console log 1 true false 1 1 1 1 1 true console log 2 true console log 2 true false 2 toString 2 console log 2 true console log 2 true false 2 2 2 1 1 true Expressions that use features such as post incrementation i have an anticipated side effect JavaScript provides short circuit evaluation of expressions the right operand is only executed if the left operand does not suffice to determine the value of the expression console log a b When a is true there is no reason to evaluate b console log a amp amp b When a is false there is no reason to evaluate b console log c t f When c is true there is no reason to evaluate f In early versions of JavaScript and JScript the binary logical operators returned a Boolean value like most C derived programming languages However all contemporary implementations return one of their operands instead console log a b if a is true return a otherwise return b console log a amp amp b if a is false return a otherwise return b Programmers who are more familiar with the behavior in C might find this feature surprising but it allows for a more concise expression of patterns like null coalescing const s t default assigns t or the default value if t is null empty etc Logical assignment edit Nullish assignment Logical Or assignment amp amp Logical And assignmentBitwise edit JavaScript supports the following binary bitwise operators amp AND OR XOR NOT lt lt shift left zero fill at right gt gt shift right sign propagating copies of theleftmost bit sign bit are shifted in from the left gt gt gt shift right zero fill at left For positive numbers gt gt and gt gt gt yield the same result Examples const x 11 amp 6 console log x 2 JavaScript supports the following unary bitwise operator NOT inverts the bits Bitwise Assignment edit JavaScript supports the following binary assignment operators amp and or xor lt lt shift left zero fill at right gt gt shift right sign propagating copies of theleftmost bit sign bit are shifted in from the left gt gt gt shift right zero fill at left For positive numbers gt gt and gt gt gt yield the same result Examples let x 7 console log x 7 x lt lt 3 console log x 7 gt 14 gt 28 gt 56 String edit assignment concatenation concatenate and assignExamples let str ab cd abcd str e abcde const str2 2 2 22 not 4 or 4 edit This section is an excerpt from Null coalescing operator JavaScript edit JavaScript s nearest operator is the nullish coalescing operator which was added to the standard in ECMAScript s 11th edition 15 In earlier versions it could be used via a Babel plugin and in TypeScript It evaluates its left hand operand and if the result value is not nullish null or undefined takes that value as its result otherwise it evaluates the right hand operand and takes the resulting value as its result In the following example a will be assigned the value of b if the value of b is not null or undefined otherwise it will be assigned 3 const a b 3 Before the nullish coalescing operator programmers would use the logical OR operator But where looks specifically for null or undefined the operator looks for any falsy value null undefined 0 NaN and of course false In the following example a will be assigned the value of b if the value of b is truthy otherwise it will be assigned 3 const a b 3 Control structures editCompound statements edit A pair of curly brackets and an enclosed sequence of statements constitute a compound statement which can be used wherever a statement can be used If else edit if expr statements else if expr2 statements else statements Conditional ternary operator edit The conditional operator creates an expression that evaluates as one of two expressions depending on a condition This is similar to the if statement that selects one of two statements to execute depending on a condition I e the conditional operator is to expressions what if is to statements const result condition expression alternative is the same as if condition const result expression else const result alternative Unlike the if statement the conditional operator cannot omit its else branch Switch statement edit Main article Switch statement The syntax of the JavaScript switch statement is as follows switch expr case SOMEVALUE statements break case ANOTHERVALUE statements for when ANOTHERVALUE ORNAOTHERONE no break statement falling through to the following case case ORANOTHERONE statements specific to ORANOTHERONE i e ANOTHERVALUE amp amp ORANOTHER break The buck stops here case YETANOTHER statements break default statements break break is optional however it is usually needed since otherwise code execution will continue to the body of the next case block This fall through behavior can be used when the same set of statements apply in several cases effectively creating a disjunction between those cases Add a break statement to the end of the last case as a precautionary measure in case additional cases are added later String literal values can also be used for the case values Expressions can be used instead of values The default case optional is executed when the expression does not match any other specified cases Braces are required For loop edit The syntax of the JavaScript for loop is as follows for initial condition loop statement statements will be executed every time the for loop cycles while the condition is satisfied or for initial condition loop statement iteration one statement For in loop edit The syntax of the JavaScript a href Foreach loop html title Foreach loop for in loop a is as follows for var property name in some object statements using some object property name Iterates through all enumerable properties of an object Iterates through all used indices of array including all user defined properties of array object if any Thus it may be better to use a traditional for loop with a numeric index when iterating over arrays There are differences between the various Web browsers with regard to which properties will be reflected with the for in loop statement In theory this is controlled by an internal state property defined by the ECMAscript standard called DontEnum but in practice each browser returns a slightly different set of properties during introspection It is useful to test for a given property using span class k if span span class w span span class p span span class nx some object span span class p span span class nx hasOwnProperty span span class p span span class nx property name span span class p span span class w span span class p span span class w span span class p span Thus adding a method to the array prototype with span class nb Array span span class p span span class nx prototype span span class p span span class nx newMethod span span class w span span class o span span class w span span class kd function span span class p span span class w span span class p span may cause for in loops to loop over the method s name While loop edit The syntax of the JavaScript while loop is as follows while condition statement1 statement2 statement3 Do while loop edit The syntax of the JavaScript a href Do while loop html title Do while loop do while loop a is as follows do statement1 statement2 statement3 while condition With edit The with statement adds all of the given object s properties and methods into the following block s scope letting them be referenced as if they were local variables with document const a getElementById a const b getElementById b const c getElementById c Note the absence of document before each getElementById invocation The semantics are similar to the with statement of Pascal Because the availability of with statements hinders program performance and is believed to reduce code clarity since any given variable could actually be a property from an enclosing with this statement is not allowed in strict mode Labels edit JavaScript supports nested labels in most implementations Loops or blocks can be labelled for the break statement and loops for continue Although a href Goto html title Goto goto a is a reserved word 16 goto is not implemented in JavaScript loop1 for let a 0 a lt 10 a if a 4 break loop1 Stops after the 4th attempt console log a a loop2 for let b 0 b lt 10 b if b 3 continue loop2 Number 3 is skipped if b 6 continue loop1 Continues the first loop finished is not shown console log b b end of loop2 console log finished end of loop1 block1 console log Hello Displays Hello break block1 console log World Will never get here goto block1 Parse error Functions editMain article Function computer programming A function is a block with a possibly empty parameter list that is normally given a name A function may use local variables If you exit the function without a return statement the value undefined is returned function gcd number1 number2 if isNaN number1 number2 throw TypeError Non Numeric arguments not allowed number1 Math round number1 number2 Math round number2 let difference number1 number2 if difference 0 return number1 return difference gt 0 gcd number2 difference gcd number1 difference console log gcd 60 40 20 In the absence of parentheses following the identifier gcd on the RHS of the assignment below gcd returns a reference to the function itself without invoking it let mygcd gcd mygcd and gcd reference the same function console log mygcd 60 40 20 Functions are first class objects and may be assigned to other variables The number of arguments given when calling a function may not necessarily correspond to the number of arguments in the function definition a named argument in the definition that does not have a matching argument in the call will have the value undefined that can be implicitly cast to false Within the function the arguments may also be accessed through the arguments object this provides access to all arguments using indices e g span class nx arguments span span class p span span class mf 0 span span class p span span class w span span class nx arguments span span class p span span class mf 1 span span class p span span class w span span class p span span class w span span class nx arguments span span class p span span class nx n span span class p span including those beyond the number of named arguments While the arguments list has a length property it is not an instance of Array it does not have methods such as slice sort etc function add7 x y if y y 7 console log x y arguments length add7 3 11 add7 3 4 9 Primitive values number boolean string are passed by value For objects it is the reference to the object that is passed const obj1 a 1 const obj2 b 2 function foo p p obj2 Ignores actual parameter p b arguments 1 foo obj1 3 Does not affect obj1 at all 3 is additional parameter console log obj1 a obj2 b writes 1 3 Functions can be declared inside other functions and access the outer function s local variables Furthermore they implement full closures by remembering the outer function s local variables even after the outer function has exited let t Top let bar baz function foo let f foo var bar function console log f baz function x f x foo baz baz arg bar baz arg not foo var even though foo has exited console log t Top Async await edit This section is an excerpt from Async await In JavaScript edit The await operator in JavaScript can only be used from inside an async function or at the top level of a module If the parameter is a promise execution of the async function will resume when the promise is resolved unless the promise is rejected in which case an error will be thrown that can be handled with normal JavaScript exception handling If the parameter is not a promise the parameter itself will be returned immediately 17 Many libraries provide promise objects that can also be used with await as long as they match the specification for native JavaScript promises However promises from the jQuery library were not Promises A compatible until jQuery 3 0 18 Here s an example modified from this 19 article async function createNewDoc let response await db post post a new doc return db get response id find by id async function main try let doc await createNewDoc console log doc catch err console log err main Node js version 8 includes a utility that enables using the standard library callback based methods as promises 20 Objects editFor convenience types are normally subdivided into primitives and objects Objects are entities that have an identity they are only equal to themselves and that map property names to values slots in prototype based programming terminology Objects may be thought of as associative arrays or hashes and are often implemented using these data structures However objects have additional features such as a prototype chain clarification needed which ordinary associative arrays do not have JavaScript has several kinds of built in objects namely Array Boolean Date Function Math Number Object RegExp and String Other objects are host objects defined not by the language but by the runtime environment For example in a browser typical host objects belong to the DOM window form links etc Creating objects edit Objects can be created using a constructor or an object literal The constructor can use either a built in Object function or a custom function It is a convention that constructor functions are given a name that starts with a capital letter Constructor const anObject new Object Object literal const objectA const objectA2 A A2 s create new objects as copies const objectB index1 value 1 index2 value 2 Custom constructor see below Object literals and array literals allow one to easily create flexible data structures const myStructure name first Mel last Smith age 33 hobbies chess jogging This is the basis for JSON which is a simple notation that uses JavaScript like syntax for data exchange Methods edit A method is simply a function that has been assigned to a property name of an object Unlike many object oriented languages there is no distinction between a function definition and a method definition in object related JavaScript Rather the distinction occurs during function calling a function can be called as a method When called as a method the standard local variable this is just automatically set to the object instance to the left of the There are also call and apply methods that can set this explicitly some packages such as jQuery do unusual things with this In the example below Foo is being used as a constructor There is nothing special about a constructor it is just a plain function that initialises an object When used with the new keyword as is the norm this is set to a newly created blank object Note that in the example below Foo is simply assigning values to slots some of which are functions Thus it can assign different functions to different instances There is no prototyping in this example function px return this prefix X function Foo yz this prefix a if yz gt 0 this pyz function return this prefix Y else this pyz function return this prefix Z this m1 px return this const foo1 new Foo 1 const foo2 new Foo 0 foo2 prefix b console log foo1 2 foo1 pyz foo2 pyz foo1 2 a Y b Z foo1 m3 px Assigns the function itself not its evaluated result i e not px const baz prefix c baz m4 px No need for a constructor to make an object console log m1 m3 m4 foo1 m1 foo1 m3 baz m4 m1 m3 m4 a X a X c X foo1 m2 Throws an exception because foo1 m2 doesn t exist Constructors edit Constructor functions simply assign values to slots of a newly created object The values may be data or other functions Example Manipulating an object function MyObject attributeA attributeB this attributeA attributeA this attributeB attributeB MyObject staticC blue On MyObject Function not object console log MyObject staticC blue const object new MyObject red 1000 console log object attributeA red console log object attributeB 1000 console log object staticC undefined object attributeC new Date add a new property delete object attributeB remove a property of object console log object attributeB undefined The constructor itself is referenced in the object s prototype s constructor slot So function Foo Use of new sets prototype slots for example x new Foo would set x s prototype to Foo prototype and Foo prototype has a constructor slot pointing back to Foo const x new Foo The above is almost equivalent to const y y constructor Foo y constructor Except x constructor y constructor true x instanceof Foo true y instanceof Foo false y s prototype is Object prototype not Foo prototype since it was initialised with instead of new Foo Even though Foo is set to y s constructor slot this is ignored by instanceof only y s prototype s constructor slot is considered Functions are objects themselves which can be used to produce an effect similar to static properties using C Java terminology as shown below The function object also has a special prototype property as discussed in the Inheritance section below Object deletion is rarely used as the scripting engine will garbage collect objects that are no longer being referenced Inheritance edit JavaScript supports inheritance hierarchies through prototyping in the manner of Self In the following example the Derived class inherits from the Base class When d is created as Derived the reference to the base instance of Base is copied to d base Derive does not contain a value for aBaseFunction so it is retrieved from aBaseFunction when aBaseFunction is accessed This is made clear by changing the value of base aBaseFunction which is reflected in the value of d aBaseFunction Some implementations allow the prototype to be accessed or set explicitly using the proto slot as shown below function Base this anOverride function console log Base anOverride this aBaseFunction function console log Base aBaseFunction function Derived this anOverride function console log Derived anOverride const base new Base Derived prototype base Must be before new Derived Derived prototype constructor Derived Required to make instanceof work const d new Derived Copies Derived prototype to d instance s hidden prototype slot d instanceof Derived true d instanceof Base true base aBaseFunction function console log Base aNEWBaseFunction d anOverride Derived anOverride d aBaseFunction Base aNEWBaseFunction console log d aBaseFunction Derived prototype aBaseFunction true console log d proto base true in Mozilla based implementations and false in many others The following shows clearly how references to prototypes are copied on instance creation but that changes to a prototype can affect all instances that refer to it function m1 return One function m2 return Two function m3 return Three function Base Base prototype m m2 const bar new Base console log bar m bar m bar m Two function Top this m m3 const t new Top const foo new Base Base prototype t No effect on foo the reference to t is copied console log foo m foo m foo m Two const baz new Base console log baz m baz m baz m Three t m m1 Does affect baz and any other derived classes console log baz m1 baz m baz m1 One In practice many variations of these themes are used and it can be both powerful and confusing Exception handling editJavaScript includes a try catch finally exception handling statement to handle run time errors The try catch finally statement catches exceptions resulting from an error or a throw statement Its syntax is as follows try Statements in which exceptions might be thrown catch errorValue Statements that execute in the event of an exception finally Statements that execute afterward either way Initially the statements within the try block execute If an exception is thrown the script s control flow immediately transfers to the statements in the catch block with the exception available as the error argument Otherwise the catch block is skipped The catch block can throw errorValue if it does not want to handle a specific error In any case the statements in the finally block are always executed This can be used to free resources although memory is automatically garbage collected Either the catch or the finally clause may be omitted The catch argument is required The Mozilla implementation allows for multiple catch statements as an extension to the ECMAScript standard They follow a syntax similar to that used in Java try statement catch e if e InvalidNameException statement catch e if e InvalidIdException statement catch e if e InvalidEmailException statement catch e statement In a browser the onerror event is more commonly used to trap exceptions onerror function errorValue url lineNr return true Native functions and methods edit Not related to Web browsers eval expression edit Evaluates the first parameter as an expression which can include assignment statements Variables local to functions can be referenced by the expression However eval represents a major security risk as it allows a bad actor to execute arbitrary code so its use is discouraged 21 gt function foo var x 7 console log val eval x 2 val 9 undefinedSee also editComparison of JavaScript based source code editors JavaScriptReferences edit JavaScript 1 1 specification Chapter 1 Basic JavaScript speakingjs com Retrieved 22 September 2020 Flanagan David 2006 JavaScript The definitive Guide p 16 ISBN 978 0 596 10199 2 Omitting semicolons is not a good programming practice you should get into the habit of inserting them Storing the information you need Variables Learn web development MDN developer mozilla org 9 May 2023 Retrieved 23 June 2023 Values Variables and Literals MDC Mozilla Developer Network 16 September 2010 Archived from the original on 29 June 2011 Retrieved 1 February 2020 JavaScript Hoisting W3Schools In JavaScript a variable can be declared after it has been used In other words a variable can be used before it has been declared JavaScript Scoping and Hoisting Ben Cherry Adequately Good 2010 02 08 ECMA 262 5e edition clarified this behavior with the Declarative Environment Record and Object Environment Record With this formalism the global object is the Object Environment Record of the global Lexical Environment the global scope Template literals MDN Web Docs Retrieved 4 November 2023 Comparison Operators MDC Doc Center Mozilla 5 August 2010 Retrieved 5 March 2011 The Elements of JavaScript Style Douglas Crockford Retrieved 5 March 2011 Spread syntax rest parameters Ecmascript Archived from the original on 9 August 2016 ECMAScript 2020 Language Specification Ecma International June 2020 ECMA 262 Edition 3 7 5 3 Future Reserved Words await JavaScript MDN Retrieved 2 May 2017 jQuery Core 3 0 Upgrade Guide Retrieved 2 May 2017 Taming the asynchronous beast with ES7 Retrieved 12 November 2015 Foundation Node js Node v8 0 0 Current Node js Node js eval MDN Web Docs Retrieved 29 January 2020 Further reading editDanny Goodman JavaScript Bible Wiley John amp Sons ISBN 0 7645 3342 8 David Flanagan Paula Ferguson JavaScript The Definitive Guide O Reilly amp Associates ISBN 0 596 10199 6 Thomas A Powell Fritz Schneider JavaScript The Complete Reference McGraw Hill Companies ISBN 0 07 219127 9 Axel Rauschmayer Speaking JavaScript An In Depth Guide for Programmers 460 pages O Reilly Media 25 February 2014 ISBN 978 1449365035 free online edition Emily Vander Veer JavaScript For Dummies 4th Edition Wiley ISBN 0 7645 7659 3 External links edit nbsp Wikibooks has a book on the topic of JavaScript A re introduction to JavaScript Mozilla Developer Center JavaScript Loops ECMAScript standard references ECMA 262 Interactive JavaScript Lessons example based JavaScript on About com lessons and explanation Archived 25 February 2017 at the Wayback Machine JavaScript Training Mozilla Developer Center Core References for JavaScript versions 1 5 1 4 1 3 and 1 2 Mozilla JavaScript Language Documentation Retrieved from https en wikipedia org w index php title JavaScript syntax amp oldid 1191331423, wikipedia, wiki, book, books, library,

article

, read, download, free, free download, mp3, video, mp4, 3gp, jpg, jpeg, gif, png, picture, music, song, movie, book, game, games.