Comments:
Primitive (atomic) values:
// Booleans
true
false
// Numbers (JavaScript only has a single type for numbers)
-123
1.141
// Strings (JavaScript has no type for characters)
'abc'
"abc"
An assertion describes what the result of a computation is expected to look like and throws an exception if those expectations aren’t correct. For example, the following assertion states that the result of the computation 7 plus 1 must be 8:
assert.equal()
is a method call (the object is assert
, the method is .equal()
) with two arguments: the actual result and the expected result. It is part of a Node.js assertion API that is explained later in this book.
Logging to the console of a browser or Node.js:
// Printing a value to standard out (another method call)
console.log('Hello!');
// Printing error information to standard error
console.error('Something went wrong!');
Operators:
// Operators for booleans
assert.equal(true && false, false); // And
assert.equal(true || false, true); // Or
// Operators for numbers
assert.equal(3 + 4, 7);
assert.equal(5 - 1, 4);
assert.equal(3 * 4, 12);
assert.equal(9 / 3, 3);
// Operators for strings
assert.equal('a' + 'b', 'ab');
assert.equal('I see ' + 3 + ' monkeys', 'I see 3 monkeys');
// Comparison operators
assert.equal(3 < 4, true);
assert.equal(3 <= 4, true);
assert.equal('abc' === 'abc', true);
assert.equal('abc' !== 'def', true);
Declaring variables:
let x; // declaring x (mutable)
x = 3 * 5; // assign a value to x
let y = 3 * 5; // declaring and assigning
const z = 8; // declaring z (immutable)
Control flow statements:
Ordinary function declarations:
// add1() has the parameters a and b
function add1(a, b) {
return a + b;
}
// Calling function add1()
assert.equal(add1(5, 2), 7);
Arrow function expressions (used especially as arguments of function calls and method calls):
const add2 = (a, b) => { return a + b };
// Calling function add2()
assert.equal(add2(5, 2), 7);
// Equivalent to add2:
const add3 = (a, b) => a + b;
The previous code contains the following two arrow functions (the terms expression and statement are explained later in this chapter):
// An arrow function whose body is a code block
(a, b) => { return a + b }
// An arrow function whose body is an expression
(a, b) => a + b
Objects:
// Creating a plain object via an object literal
const obj = {
first: 'Jane', // property
last: 'Doe', // property
getFullName() { // property (method)
return this.first + ' ' + this.last;
},
};
// Getting a property value
assert.equal(obj.first, 'Jane');
// Setting a property value
obj.first = 'Janey';
// Calling the method
assert.equal(obj.getFullName(), 'Janey Doe');
Arrays (Arrays are also objects):
// Creating an Array via an Array literal
const arr = ['a', 'b', 'c'];
// Getting an Array element
assert.equal(arr[1], 'b');
// Setting an Array element
arr[1] = 'β';
Each module is a single file. Consider, for example, the following two files with modules in them:
file-tools.mjs
main.mjs
The module in file-tools.mjs
exports its function isTextFilePath()
:
The module in main.mjs
imports the whole module path
and the function isTextFilePath()
:
// Import whole module as namespace object `path`
import * as path from 'path';
// Import a single export of module file-tools.mjs
import {isTextFilePath} from './file-tools.mjs';
The grammatical category of variable names and property names is called identifier.
Identifiers are allowed to have the following characters:
A
–Z
, a
–z
(etc.)$
, _
0
–9
(etc.)
Some words have special meaning in JavaScript and are called reserved. Examples include: if
, true
, const
.
Reserved words can’t be used as variable names:
But they are allowed as names of properties:
Common casing styles for concatenating words are:
threeConcatenatedWords
three_concatenated_words
three-concatenated-words
In general, JavaScript uses camel case, except for constants.
Lowercase:
myFunction
obj.myMethod
special-class
specialClass
Uppercase:
MyClass
MY_CONSTANT
myConstant
The following naming conventions are popular in JavaScript.
If the name of a parameter starting with an underscore (or is an underscore) means that this parameter is not used. For example:
If the name of a property of an object starts with an underscore then that property is considered private:
At the end of a statement:
But not if that statement ends with a curly brace:
However, adding a semicolon after such a statement is not a syntax error – it is interpreted as an empty statement:
Quiz: basic
See quiz app.
All remaining sections of this chapter are advanced.
First character:
é
and ü
and characters from non-latin alphabets, such as α
)$
_
Subsequent characters:
Examples:
Reserved words can’t be variable names, but they can be property names.
All JavaScript keywords are reserved words:
await
break
case
catch
class
const
continue
debugger
default
delete
do
else
export
extends
finally
for
function
if
import
in
instanceof
let
new
return
static
super
switch
this
throw
try
typeof
var
void
while
with
yield
The following tokens are also keywords, but currently not used in the language:
enum
implements
package
protected
interface
private
public
The following literals are reserved words:
true
false
null
Technically, these words are not reserved, but you should avoid them, too, because they effectively are keywords:
Infinity
NaN
undefined
async
You shouldn’t use the names of global variables (String
, Math
, etc.) for your own variables and parameters, either.
In this section, we explore how JavaScript distinguishes two kinds of syntactic constructs: statements and expressions. Afterwards, we’ll see that that can cause problems, because the same syntax can mean different things, depending on where it is used.
We pretend there are only statements and expressions
For the sake of simplicity, we pretend that there are only statements and expressions in JavaScript.
A statement is a piece of code that can be executed and performs some kind of action. For example, if
is a statement:
One more example of a statement: a function declaration.
An expression is a piece of code that can be evaluated to produce a value. For example, the code between the parentheses is an expression:
The operator _?_:_
used between the parentheses is called the ternary operator. It is the expression version of the if
statement.
Let’s look at more examples of expressions. We enter expressions and the REPL evaluates them for us:
The current location within JavaScript source code determines which kind of syntactic constructs you are allowed to use:
The body of a function must be a sequence of statements:
The arguments of a function call or a method call must be expressions:
However, expressions can be used as statements. Then they are called expression statements. The opposite is not true: when the context requires an expression, you can’t use a statement.
The following code demonstrates that any expression bar()
can be either expression or statement – it depends on the context:
function f() {
console.log(bar()); // bar() is expression
bar(); // bar(); is (expression) statement
}
JavaScript has several programming constructs that are syntactically ambiguous: The same syntax is interpreted differently, depending on whether it is used in statement context or in expression context. This section explores the phenomenon and the pitfalls it causes.
A function declaration is a statement:
A function expression is an expression (right-hand side of =
):
In the following code, {}
is an object literal: an expression that creates an empty object.
This is an empty code block (a statement):
The ambiguities are only a problem in statement context: If the JavaScript parser encounters ambiguous syntax, it doesn’t know if it’s a plain statement or an expression statement. For example:
function
: Is it a function declaration or a function expression?{
: Is it an object literal or a code block?To resolve the ambiguity, statements starting with function
or {
are never interpreted as expressions. If you want an expression statement to start with either one of these tokens, you must wrap it in parentheses:
In this code:
('abc')
#1 is only interpreted as an expression, because we wrap it in parentheses. If we didn’t, we would get a syntax error, because then JavaScript expects a function declaration and complains about the missing function name. Additionally, you can’t put a function call immediately after a function declaration.
Later in this book, we’ll see more examples of pitfalls caused by syntactic ambiguity:
Each statement is terminated by a semicolon.
Except: statements ending with blocks.
The following case is slightly tricky:
The whole const
declaration (a statement) ends with a semicolon, but inside it, there is an arrow function expression. That is: It’s not the statement per se that ends with a curly brace; it’s the embedded arrow function expression. That’s why there is a semicolon at the end.
The body of a control statement is itself a statement. For example, this is the syntax of the while
loop:
The body can be a single statement:
But blocks are also statements and therefore legal bodies of control statements:
If you want a loop to have an empty body, your first option is an empty statement (which is just a semicolon):
Your second option is an empty block:
While I recommend to always write semicolons, most of them are optional in JavaScript. The mechanism that makes this possible is called automatic semicolon insertion (ASI). In a way, it corrects syntax errors.
ASI works as follows. Parsing of a statement continues until there is either:
In other words, ASI can be seen as inserting semicolons at line breaks. The next subsections cover the pitfalls of ASI.
The good news about ASI is that – if you don’t rely on it and always write semicolons – there is only one pitfall that you need to be aware of. It is that JavaScript forbids line breaks after some tokens. If you do insert a line break, a semicolon will be inserted, too.
The token where this is most practically relevant is return
. Consider, for example, the following code:
This code is parsed as:
That is, an empty return statement, followed by a code block, followed by an empty statement.
Why does JavaScript do this? It protects against accidentally returning a value in a line after a return
.
In some cases, ASI is not triggered when you think it should be. That makes life more complicated for people who don’t like semicolons, because they need to be aware of those cases. The following are three examples. There are more.
Example 1: Unintended function call.
Parsed as:
Example 2: Unintended division.
Parsed as:
Example 3: Unintended property access.
Executed as:
const propKey = ('ul','ol'); // comma operator
assert.equal(propKey, 'ol');
someFunction()[propKey].map(x => x + x);
I recommend that you always write semicolons:
However, there are also many people who don’t like the added visual clutter of semicolons. If you are one of them: code without them is legal. I recommend that you use tools to help you avoid mistakes. The following are two examples:
Starting with ECMAScript 5, JavaScript has two modes in which JavaScript can be executed:
You’ll rarely encounter sloppy mode in modern JavaScript code, which is almost always located in modules. In this book, I assume that strict mode is always switched on.
In script files and CommonJS modules, you switch on strict mode for a complete file, by putting the following code in the first line:
The neat thing about this “directive” is that ECMAScript versions before 5 simply ignore it: it’s an expression statement that does nothing.
You can also switch on strict mode for just a single function:
Let’s look at three things that strict mode does better than sloppy mode. Just in this one section, all code fragments are executed in sloppy mode.
In non-strict mode, changing an undeclared variable creates a global variable.
function sloppyFunc() {
undeclaredVar1 = 123;
}
sloppyFunc();
// Created global variable `undeclaredVar1`:
assert.equal(undeclaredVar1, 123);
Strict mode does it better and throws a ReferenceError
. That makes it easier to detect typos.
function strictFunc() {
'use strict';
undeclaredVar2 = 123;
}
assert.throws(
() => strictFunc(),
{
name: 'ReferenceError',
message: 'undeclaredVar2 is not defined',
});
The assert.throws()
states that its first argument, a function, throws a ReferenceError
when it is called.
In strict mode, a variable created via a function declaration only exists within the innermost enclosing block:
function strictFunc() {
'use strict';
{
function foo() { return 123 }
}
return foo(); // ReferenceError
}
assert.throws(
() => strictFunc(),
{
name: 'ReferenceError',
message: 'foo is not defined',
});
In sloppy mode, function declarations are function-scoped:
function sloppyFunc() {
{
function foo() { return 123 }
}
return foo(); // works
}
assert.equal(sloppyFunc(), 123);
In strict mode, you get an exception if you try to change immutable data:
function strictFunc() {
'use strict';
true.prop = 1; // TypeError
}
assert.throws(
() => strictFunc(),
{
name: 'TypeError',
message: "Cannot create property 'prop' on boolean 'true'",
});
In sloppy mode, the assignment fails silently:
function sloppyFunc() {
true.prop = 1; // fails silently
return true.prop;
}
assert.equal(sloppyFunc(), undefined);
Further reading: sloppy mode
For more information on how sloppy mode differs from strict mode, see MDN.
Quiz: advanced
See quiz app.