JavaScript for Impatient Programmers
JavaScript for Impatient Programmers
2020
“An exhaustive resource, yet cuts out the fluff that clutters many
programming books – with explanations that are understandable and to
the point, as promised by the title! The quizzes and exercises are a very
useful feature to check and lock in your knowledge. And you can
definitely tear through the book fairly quickly, to get up and running in
JavaScript.”
— Pam Selle, thewebivore.com
I Background 9
1 About this book 11
1.1 About the content . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 11
1.2 Previewing and buying this book . . . . . . . . . . . . . . . . . . . . . . 12
1.3 What’s new in this book? . . . . . . . . . . . . . . . . . . . . . . . . . . . 12
1.4 About the author . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 13
1.5 Acknowledgements . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 13
4 FAQ: JavaScript 25
4.1 What are good references for JavaScript? . . . . . . . . . . . . . . . . . . 25
4.2 How do I find out what JavaScript features are supported where? . . . . 25
4.3 Where can I look up what features are planned for JavaScript? . . . . . . 26
4.4 Why does JavaScript fail silently so often? . . . . . . . . . . . . . . . . . 26
4.5 Why can’t we clean up JavaScript, by removing quirks and outdated fea-
tures? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 26
4.6 How can I quickly try out a piece of JavaScript code? . . . . . . . . . . . 26
II First steps 27
5 The big picture 29
5.1 What are you learning in this book? . . . . . . . . . . . . . . . . . . . . . 29
3
4 CONTENTS
6 Syntax 31
6.1 An overview of JavaScript’s syntax . . . . . . . . . . . . . . . . . . . . . 32
6.2 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 37
6.3 Identifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 37
6.4 Statement vs. expression . . . . . . . . . . . . . . . . . . . . . . . . . . . 38
6.5 Ambiguous syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 39
6.6 Semicolons . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 40
6.7 Automatic semicolon insertion (ASI) . . . . . . . . . . . . . . . . . . . . 41
6.8 Semicolons: best practices . . . . . . . . . . . . . . . . . . . . . . . . . . 43
6.9 Strict mode vs. sloppy mode . . . . . . . . . . . . . . . . . . . . . . . . . 43
8 Assertion API 53
8.1 Assertions in software development . . . . . . . . . . . . . . . . . . . . . 53
8.2 How assertions are used in this book . . . . . . . . . . . . . . . . . . . . 53
8.3 Normal comparison vs. deep comparison . . . . . . . . . . . . . . . . . . 54
8.4 Quick reference: module assert . . . . . . . . . . . . . . . . . . . . . . . 55
11 Values 79
11.1 What’s a type? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 79
11.2 JavaScript’s type hierarchy . . . . . . . . . . . . . . . . . . . . . . . . . . 80
11.3 The types of the language specification . . . . . . . . . . . . . . . . . . . 80
11.4 Primitive values vs. objects . . . . . . . . . . . . . . . . . . . . . . . . . . 81
11.5 The operators typeof and instanceof: what’s the type of a value? . . . . 83
CONTENTS 5
12 Operators 89
12.1 Making sense of operators . . . . . . . . . . . . . . . . . . . . . . . . . . 89
12.2 The plus operator (+) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 90
12.3 Assignment operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 91
12.4 Equality: == vs. === . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 92
12.5 Ordering operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 95
12.6 The nullish coalescing operator (??) for default values [ES2020] . . . . . . 95
12.7 Various other operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 97
IV Primitive values 99
13 The non-values undefined and null 101
13.1 undefined vs. null . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 101
13.2 Occurrences of undefined and null . . . . . . . . . . . . . . . . . . . . . 102
13.3 Checking for undefined or null . . . . . . . . . . . . . . . . . . . . . . . 103
13.4 undefined and null don’t have properties . . . . . . . . . . . . . . . . . 103
13.5 The history of undefined and null . . . . . . . . . . . . . . . . . . . . . 104
14 Booleans 105
14.1 Converting to boolean . . . . . . . . . . . . . . . . . . . . . . . . . . . . 105
14.2 Falsy and truthy values . . . . . . . . . . . . . . . . . . . . . . . . . . . . 106
14.3 Truthiness-based existence checks . . . . . . . . . . . . . . . . . . . . . . 107
14.4 Conditional operator (? :) . . . . . . . . . . . . . . . . . . . . . . . . . . 109
14.5 Binary logical operators: And (x && y), Or (x || y) . . . . . . . . . . . . 110
14.6 Logical Not (!) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 111
15 Numbers 113
15.1 Numbers are used for both floating point numbers and integers . . . . . 114
15.2 Number literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 114
15.3 Arithmetic operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 115
15.4 Converting to number . . . . . . . . . . . . . . . . . . . . . . . . . . . . 118
15.5 Error values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 118
15.6 Error value: NaN . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 119
15.7 Error value: Infinity . . . . . . . . . . . . . . . . . . . . . . . . . . . . 120
15.8 The precision of numbers: careful with decimal fractions . . . . . . . . . 121
15.9 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 121
15.10Background: floating point precision . . . . . . . . . . . . . . . . . . . . 121
15.11 Integer numbers in JavaScript . . . . . . . . . . . . . . . . . . . . . . . . 123
15.12Bitwise operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 126
15.13Quick reference: numbers . . . . . . . . . . . . . . . . . . . . . . . . . . 128
16 Math 135
16.1 Data properties . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 135
16.2 Exponents, roots, logarithms . . . . . . . . . . . . . . . . . . . . . . . . . 136
16.3 Rounding . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 137
6 CONTENTS
18 Strings 149
18.1 Plain string literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 150
18.2 Accessing characters and code points . . . . . . . . . . . . . . . . . . . . 150
18.3 String concatenation via + . . . . . . . . . . . . . . . . . . . . . . . . . . 151
18.4 Converting to string . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 151
18.5 Comparing strings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 153
18.6 Atoms of text: Unicode characters, JavaScript characters, grapheme clusters154
18.7 Quick reference: Strings . . . . . . . . . . . . . . . . . . . . . . . . . . . 156
20 Symbols 175
20.1 Use cases for symbols . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 176
20.2 Publicly known symbols . . . . . . . . . . . . . . . . . . . . . . . . . . . 178
20.3 Converting symbols . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 178
VI Modularity 217
24 Modules 219
24.1 Overview: syntax of ECMAScript modules . . . . . . . . . . . . . . . . . 220
24.2 JavaScript source code formats . . . . . . . . . . . . . . . . . . . . . . . . 221
24.3 Before we had modules, we had scripts . . . . . . . . . . . . . . . . . . . 221
24.4 Module systems created prior to ES6 . . . . . . . . . . . . . . . . . . . . 222
24.5 ECMAScript modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . 224
24.6 Named exports and imports . . . . . . . . . . . . . . . . . . . . . . . . . 225
24.7 Default exports and imports . . . . . . . . . . . . . . . . . . . . . . . . . 227
24.8 More details on exporting and importing . . . . . . . . . . . . . . . . . . 230
24.9 npm packages . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 231
24.10Naming modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 233
24.11 Module specifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 234
24.12Loading modules dynamically via import() [ES2020] . . . . . . . . . . . 236
24.13 import.meta.url . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 238
24.14Polyfills: emulating native web platform features (advanced) . . . . . . . 240
Background
9
Chapter 1
Contents
1.1 About the content . . . . . . . . . . . . . . . . . . . . . . . . . . . . 11
1.1.1 What’s in this book? . . . . . . . . . . . . . . . . . . . . . . . 11
1.1.2 What is not covered by this book? . . . . . . . . . . . . . . . . 12
1.1.3 Isn’t this book too long for impatient people? . . . . . . . . . . 12
1.2 Previewing and buying this book . . . . . . . . . . . . . . . . . . . 12
1.2.1 How can I preview the book, the exercises, and the quizzes? . 12
1.2.2 How can I buy a digital edition of this book? . . . . . . . . . . 12
1.2.3 How can I buy the print edition of this book? . . . . . . . . . . 12
1.3 What’s new in this book? . . . . . . . . . . . . . . . . . . . . . . . . 12
1.4 About the author . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 13
1.5 Acknowledgements . . . . . . . . . . . . . . . . . . . . . . . . . . . 13
Highlights:
No prior knowledge of JavaScript is required, but you should know how to program.
11
12 1 About this book
1.5 Acknowledgements
• Cover by Fran Caye
• Parts of this book were edited by Adaobi Obi Tulton.
• Thanks for answering questions, discussing language topics, etc.:
– Allen Wirfs-Brock (@awbjs)
– Benedikt Meurer (@bmeurer)
– Brian Terlson (@bterlson)
– Daniel Ehrenberg (@littledan)
– Jordan Harband (@ljharb)
– Maggie Johnson-Pint (@maggiepint)
– Mathias Bynens (@mathias)
– Myles Borins (@MylesBorins)
– Rob Palmer (@robpalmer2)
– Šime Vidas (@simevidas)
– And many others
• Thanks for reviewing:
– Johannes Weber (@jowe)
[Generated: 2020-06-23 21:20]
14 1 About this book
Chapter 2
Contents
2.1 How to read this book . . . . . . . . . . . . . . . . . . . . . . . . . . 15
2.1.1 In which order should I read the content in this book? . . . . . 15
2.1.2 Why are some chapters and sections marked with “(advanced)”? 16
2.1.3 Why are some chapters marked with “(bonus)”? . . . . . . . . 16
2.2 I own a digital edition . . . . . . . . . . . . . . . . . . . . . . . . . . 16
2.2.1 How do I submit feedback and corrections? . . . . . . . . . . 16
2.2.2 How do I get updates for the downloads I bought at Payhip? . 16
2.2.3 Can I upgrade from package “Ebooks” to package “Ebooks +
exercises + quizzes”? . . . . . . . . . . . . . . . . . . . . . . . 16
2.3 I own the print edition . . . . . . . . . . . . . . . . . . . . . . . . . . 17
2.3.1 Can I get a discount for a digital edition? . . . . . . . . . . . . 17
2.3.2 Can I submit an error or see submitted errors? . . . . . . . . . 17
2.3.3 Is there an online list with the URLs in this book? . . . . . . . 17
2.4 Notations and conventions . . . . . . . . . . . . . . . . . . . . . . . 17
2.4.1 What is a type signature? Why am I seeing static types in this
book? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
2.4.2 What do the notes with icons mean? . . . . . . . . . . . . . . . 17
This chapter answers questions you may have and gives tips for reading this book.
15
16 2 FAQ: Book and supplementary material
The quizzes and exercises play an important part in helping you practice and retain what
you have learned.
2.1.2 Why are some chapters and sections marked with “(advanced)”?
Several chapters and sections are marked with “(advanced)”. The idea is that you can
initially skip them. That is, you can get a quick working knowledge of JavaScript by only
reading the basic (non-advanced) content.
As your knowledge evolves, you can later come back to some or all of the advanced
content.
• If you opted into emails while buying, you’ll get an email whenever there is new
content. To opt in later, you must contact Payhip (see bottom of payhip.com).
Alas, the reverse is not possible: you cannot get a discount for the print edition if you
bought a digital edition.
That is called the type signature of Number.isFinite(). This notation, especially the static
types number of num and boolean of the result, are not real JavaScript. The notation
is borrowed from the compile-to-JavaScript language TypeScript (which is mostly just
JavaScript plus static typing).
Why is this notation being used? It helps give you a quick idea of how a function works.
The notation is explained in detail in “Tackling TypeScript”, but is usually relatively in-
tuitive.
Reading instructions
Explains how to best read the content.
External content
Points to additional, external, content.
18 2 FAQ: Book and supplementary material
Tip
Gives a tip related to the current content.
Question
Asks and answers a question pertinent to the current content (think FAQ).
Warning
Warns about pitfalls, etc.
Details
Provides additional details, complementing the current content. It is similar to a
footnote.
Exercise
Mentions the path of a test-driven exercise that you can do at that point.
Quiz
Indicates that there is a quiz for the current (part of a) chapter.
Chapter 3
Contents
3.1 How JavaScript was created . . . . . . . . . . . . . . . . . . . . . . . 19
3.2 Standardizing JavaScript . . . . . . . . . . . . . . . . . . . . . . . . 20
3.3 Timeline of ECMAScript versions . . . . . . . . . . . . . . . . . . . 20
3.4 Ecma Technical Committee 39 (TC39) . . . . . . . . . . . . . . . . . 21
3.5 The TC39 process . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 21
3.5.1 Tip: Think in individual features and stages, not ECMAScript
versions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 21
3.6 FAQ: TC39 process . . . . . . . . . . . . . . . . . . . . . . . . . . . . 23
3.6.1 How is [my favorite proposed feature] doing? . . . . . . . . . 23
3.6.2 Is there an official list of ECMAScript features? . . . . . . . . . 23
3.7 Evolving JavaScript: Don’t break the web . . . . . . . . . . . . . . . 23
19
20 3 History and evolution of JavaScript
The original name of that organization was ECMA, an acronym for European Computer
Manufacturers Association. It was later changed to Ecma International (with “Ecma” be-
ing a proper name, not an acronym) because the organization’s activities had expanded
beyond Europe. The initial all-caps acronym explains the spelling of ECMAScript.
In principle, JavaScript and ECMAScript mean the same thing. Sometimes the following
distinction is made:
• The term JavaScript refers to the language and its implementations.
• The term ECMAScript refers to the language standard and language versions.
Therefore, ECMAScript 6 is a version of the language (its 6th edition).
Every two months, TC39 has meetings that member-appointed delegates and invited
experts attend. The minutes of those meetings are public in a GitHub repository.
• If too much time passes between releases then features that are ready early, have
to wait a long time until they can be released. And features that are ready late, risk
being rushed to make the deadline.
• Features were often designed long before they were implemented and used. De-
sign deficiencies related to implementation and use were therefore discovered too
late.
The result: smaller, incremental releases, whose features have already been field-tested.
Fig. 3.1 illustrates the TC39 process.
ES2016 was the first ECMAScript version that was designed according to the TC39 pro-
cess.
Starting with ES2016, it’s better to think in individual features: once a feature reaches
stage 4, you can safely use it (if it’s supported by the JavaScript engines you are targeting).
You don’t have to wait until the next ECMAScript release.
22 3 History and evolution of JavaScript
Pick champions
Spec complete
Figure 3.1: Each ECMAScript feature proposal goes through stages that are numbered
from 0 to 4. Champions are TC39 members that support the authors of a feature. Test
262 is a suite of tests that checks JavaScript engines for compliance with the language
specification.
3.6 FAQ: TC39 process 23
Quiz
See quiz app.
24 3 History and evolution of JavaScript
Chapter 4
FAQ: JavaScript
Contents
4.1 What are good references for JavaScript? . . . . . . . . . . . . . . . 25
4.2 How do I find out what JavaScript features are supported where? . . 25
4.3 Where can I look up what features are planned for JavaScript? . . . 26
4.4 Why does JavaScript fail silently so often? . . . . . . . . . . . . . . 26
4.5 Why can’t we clean up JavaScript, by removing quirks and outdated
features? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 26
4.6 How can I quickly try out a piece of JavaScript code? . . . . . . . . . 26
25
26 4 FAQ: JavaScript
Second example: If an arithmetic computation fails, you get an error value, not an excep-
tion.
> 1 / 0
Infinity
The reason for the silent failures is historical: JavaScript did not have exceptions until
ECMAScript 3. Since then, its designers have tried to avoid silent failures.
First steps
27
Chapter 5
Contents
5.1 What are you learning in this book? . . . . . . . . . . . . . . . . . . 29
5.2 The structure of browsers and Node.js . . . . . . . . . . . . . . . . . 29
5.3 JavaScript references . . . . . . . . . . . . . . . . . . . . . . . . . . . 30
5.4 Further reading . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 30
In this chapter, I’d like to paint the big picture: what are you learning in this book, and
how does it fit into the overall landscape of web development?
• Web browser
• Node.js
29
30 5 The big picture
JS standard
Platform API
library
Figure 5.1: The structure of the two JavaScript platforms web browser and Node.js. The
APIs “standard library” and “platform API” are hosted on top of a foundational layer
with a JavaScript engine and a platform-specific “core”.
Syntax
Contents
6.1 An overview of JavaScript’s syntax . . . . . . . . . . . . . . . . . . . 32
6.1.1 Basic syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . 32
6.1.2 Modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 34
6.1.3 Legal variable and property names . . . . . . . . . . . . . . . 35
6.1.4 Casing styles . . . . . . . . . . . . . . . . . . . . . . . . . . . 35
6.1.5 Capitalization of names . . . . . . . . . . . . . . . . . . . . . 35
6.1.6 More naming conventions . . . . . . . . . . . . . . . . . . . . 36
6.1.7 Where to put semicolons? . . . . . . . . . . . . . . . . . . . . 36
6.2 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 37
6.3 Identifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 37
6.3.1 Valid identifiers (variable names, etc.) . . . . . . . . . . . . . . 37
6.3.2 Reserved words . . . . . . . . . . . . . . . . . . . . . . . . . . 37
6.4 Statement vs. expression . . . . . . . . . . . . . . . . . . . . . . . . . 38
6.4.1 Statements . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 38
6.4.2 Expressions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 38
6.4.3 What is allowed where? . . . . . . . . . . . . . . . . . . . . . 39
6.5 Ambiguous syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . 39
6.5.1 Same syntax: function declaration and function expression . . 39
6.5.2 Same syntax: object literal and block . . . . . . . . . . . . . . 40
6.5.3 Disambiguation . . . . . . . . . . . . . . . . . . . . . . . . . . 40
6.6 Semicolons . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 40
6.6.1 Rule of thumb for semicolons . . . . . . . . . . . . . . . . . . 40
6.6.2 Semicolons: control statements . . . . . . . . . . . . . . . . . 41
6.7 Automatic semicolon insertion (ASI) . . . . . . . . . . . . . . . . . . 41
6.7.1 ASI triggered unexpectedly . . . . . . . . . . . . . . . . . . . 42
6.7.2 ASI unexpectedly not triggered . . . . . . . . . . . . . . . . . 42
6.8 Semicolons: best practices . . . . . . . . . . . . . . . . . . . . . . . . 43
6.9 Strict mode vs. sloppy mode . . . . . . . . . . . . . . . . . . . . . . 43
31
32 6 Syntax
/*
Comment with
multiple lines
*/
// Booleans
true
false
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(7 + 1, 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!');
Operators:
// Operators for booleans
assert.equal(true && false, false); // And
6.1 An overview of JavaScript’s syntax 33
// Comparison operators
assert.equal(3 < 4, true);
assert.equal(3 <= 4, true);
assert.equal('abc' === 'abc', true);
assert.equal('abc' !== 'def', true);
Declaring variables:
// Conditional statement
if (x < 0) { // is x less than zero?
x = -x;
}
Arrow function expressions (used especially as arguments of function calls and method
calls):
// Equivalent to add2:
const add3 = (a, b) => a + b;
34 6 Syntax
The previous code contains the following two arrow functions (the terms expression and
statement are explained later in this chapter):
Objects:
6.1.2 Modules
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 main.mjs imports the whole module path and the function is-
TextFilePath():
Some words have special meaning in JavaScript and are called reserved. Examples in-
clude: if, true, const.
const if = 123;
// SyntaxError: Unexpected token if
Lowercase:
Uppercase:
36 6 Syntax
• Classes: MyClass
• Constants: MY_CONSTANT
– Constants are also often written in camel case: myConstant
If the name of a parameter starts with an underscore (or is an underscore) it means that
this parameter is not used – for example:
arr.map((_x, i) => i)
If the name of a property of an object starts with an underscore then that property is
considered private:
class ValueWrapper {
constructor(value) {
this._value = value;
}
}
const x = 123;
func();
while (false) {
// ···
} // no semicolon
function func() {
// ···
} // no semicolon
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.
6.2 (Advanced) 37
6.2 (Advanced)
All remaining sections of this chapter are advanced.
6.3 Identifiers
6.3.1 Valid identifiers (variable names, etc.)
First character:
• Unicode letter (including accented characters such as é and ü and characters from
non-latin alphabets, such as α)
• $
• _
Subsequent characters:
Examples:
const ε = 0.0001;
const строка = '';
let _tmp = 0;
const $foo2 = true;
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:
Technically, these words are not reserved, but you should avoid them, too, because they
effectively are keywords:
You shouldn’t use the names of global variables (String, Math, etc.) for your own vari-
ables and parameters, either.
38 6 Syntax
6.4.1 Statements
A statement is a piece of code that can be executed and performs some kind of action. For
example, if is a statement:
let myStr;
if (myBool) {
myStr = 'Yes';
} else {
myStr = 'No';
}
function twice(x) {
return x + x;
}
6.4.2 Expressions
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:
function max(x, y) {
if (x > y) {
return x;
} else {
return y;
}
}
However, expressions can be used as statements. Then they are called expression state-
ments. 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
}
function id(x) {
return x;
}
{
}
6.5.3 Disambiguation
The ambiguities are only a problem in statement context: If the JavaScript parser en-
counters ambiguous syntax, it doesn’t know if it’s a plain statement or an expression
statement. For example:
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:
// Output:
// 'abc'
In this code:
The code fragment shown in (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:
6.6 Semicolons
6.6.1 Rule of thumb for semicolons
Each statement is terminated by a semicolon:
6.7 Automatic semicolon insertion (ASI) 41
const x = 3;
someFunction('abc');
i++;
function foo() {
// ···
}
if (y > 0) {
// ···
}
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.
while (condition)
statement
But blocks are also statements and therefore legal bodies of control statements:
while (a > 0) {
a--;
}
If you want a loop to have an empty body, your first option is an empty statement (which
is just a semicolon):
That is:
• Return statement without operand: return;
• Start of code block: {
• Expression statement 'jane'; with label first:
• End of code block: }
• Empty statement: ;
Why does JavaScript do this? It protects against accidentally returning a value in a line
after a return.
Parsed as:
a = b + c(d + e).print();
6.8 Semicolons: best practices 43
a = b
/hi/g.exec(c).map(d)
Parsed as:
a = b / hi / g.exec(c).map(d);
someFunction()
['ul', 'ol'].map(x => x + x)
Executed as:
• I like the visual structure it gives code – you clearly see when a statement ends.
• There are less rules to keep in mind.
• The majority of JavaScript programmers use semicolons.
However, there are also many people who don’t like the added visual clutter of semi-
colons. 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:
• The automatic code formatter Prettier can be configured to not use semicolons. It
then automatically fixes problems. For example, if it encounters a line that starts
with a square bracket, it prefixes that line with a semicolon.
• The static checker ESLint has a rule that you tell your preferred style (always semi-
colons or as few semicolons as possible) and that warns you about critical issues.
• Normal “sloppy” mode is the default in scripts (code fragments that are a precur-
sor to modules and supported by browsers).
• Strict mode is the default in modules and classes, and can be switched on in scripts
(how, is explained later). In this mode, several pitfalls of normal mode are removed
and more exceptions are thrown.
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.
44 6 Syntax
'use strict';
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:
function functionInStrictMode() {
'use strict';
}
6.9.2.1 Sloppy mode pitfall: changing an undeclared variable creates a global vari-
able
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.
6.9 Strict mode vs. sloppy mode 45
In strict mode, a variable created via a function declaration only exists within the inner-
most enclosing block:
function strictFunc() {
'use strict';
{
function foo() { return 123 }
}
return foo(); // ReferenceError
}
assert.throws(
() => strictFunc(),
{
name: 'ReferenceError',
message: 'foo is not defined',
});
6.9.2.3 Sloppy mode doesn’t throw exceptions when changing immutable data
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'",
});
Quiz: advanced
See quiz app.
Chapter 7
Contents
7.1 Trying out JavaScript code . . . . . . . . . . . . . . . . . . . . . . . . 47
7.1.1 Browser consoles . . . . . . . . . . . . . . . . . . . . . . . . . 47
7.1.2 The Node.js REPL . . . . . . . . . . . . . . . . . . . . . . . . . 49
7.1.3 Other options . . . . . . . . . . . . . . . . . . . . . . . . . . . 49
7.2 The console.* API: printing data and more . . . . . . . . . . . . . . 49
7.2.1 Printing values: console.log() (stdout) . . . . . . . . . . . . 50
7.2.2 Printing error information: console.error() (stderr) . . . . . 51
7.2.3 Printing nested objects via JSON.stringify() . . . . . . . . . 51
47
48 7 Consoles: interactive JavaScript command lines
Figure 7.1: The console of the web browser “Google Chrome” is open (in the bottom half
of window) while visiting a web page.
7.2 The console.* API: printing data and more 49
Figure 7.2: Starting and using the Node.js REPL (interactive command line).
• There are many web apps that let you experiment with JavaScript in web browsers
– for example, Babel’s REPL.
• There are also native apps and IDE plugins for running JavaScript.
The full console.* API is documented on MDN web docs and on the Node.js website. It
is not part of the JavaScript language standard, but much functionality is supported by
both browsers and Node.js.
In this chapter, we only look at the following two methods for printing data (“printing”
means displaying in the console):
• console.log()
• console.error()
The first variant prints (text representations of) values on the console:
console.log('abc', 123, true);
// Output:
// abc 123 true
At the end, console.log() always prints a newline. Therefore, if you call it with zero
arguments, it just prints a newline.
These are some of the directives you can use for substitutions:
• %s converts the corresponding value to a string and inserts it.
console.log('%s %s', 'abc', 123);
// Output:
// abc 123
• %% inserts a single %.
console.log('%s%%', 99);
// Output:
// 99%
Output:
{
"first": "Jane",
"last": "Doe"
}
52 7 Consoles: interactive JavaScript command lines
Chapter 8
Assertion API
Contents
8.1 Assertions in software development . . . . . . . . . . . . . . . . . . 53
8.2 How assertions are used in this book . . . . . . . . . . . . . . . . . . 53
8.2.1 Documenting results in code examples via assertions . . . . . 54
8.2.2 Implementing test-driven exercises via assertions . . . . . . . 54
8.3 Normal comparison vs. deep comparison . . . . . . . . . . . . . . . 54
8.4 Quick reference: module assert . . . . . . . . . . . . . . . . . . . . 55
8.4.1 Normal equality . . . . . . . . . . . . . . . . . . . . . . . . . . 55
8.4.2 Deep equality . . . . . . . . . . . . . . . . . . . . . . . . . . . 55
8.4.3 Expecting exceptions . . . . . . . . . . . . . . . . . . . . . . . 55
8.4.4 Another tool function . . . . . . . . . . . . . . . . . . . . . . . 56
This assertion states that the expected result of 3 plus 5 is 8. The import statement uses
the recommended strict version of assert.
53
54 8 Assertion API
function id(x) {
return x;
}
assert.equal(id('abc'), 'abc');
For more information, consult §9 “Getting started with quizzes and exercises”.
assert.equal(3+3, 6);
assert.notEqual(3+3, 22);
The optional last parameter message can be used to explain what is asserted. If the asser-
tion fails, the message is used to set up the AssertionError that is thrown.
let e;
try {
const x = 3;
assert.equal(x, 8, 'x must be equal to 8')
} catch (err) {
assert.equal(
String(err),
'AssertionError [ERR_ASSERTION]: x must be equal to 8');
}
assert.deepEqual([1,2,3], [1,2,3]);
assert.deepEqual([], []);
assert.notDeepEqual([1,2,3], [1,2]);
assert.throws(
() => {
null.prop;
}
);
assert.throws(
() => {
null.prop;
},
TypeError
);
assert.throws(
() => {
null.prop;
},
/^TypeError: Cannot read property 'prop' of null$/
);
assert.throws(
() => {
null.prop;
},
{
name: 'TypeError',
message: `Cannot read property 'prop' of null`,
}
);
try {
functionThatShouldThrow();
assert.fail();
} catch (_) {
// Success
}
8.4 Quick reference: module assert 57
Quiz
See quiz app.
58 8 Assertion API
Chapter 9
Contents
9.1 Quizzes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 59
9.2 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 59
9.2.1 Installing the exercises . . . . . . . . . . . . . . . . . . . . . . 59
9.2.2 Running exercises . . . . . . . . . . . . . . . . . . . . . . . . . 60
9.3 Unit tests in JavaScript . . . . . . . . . . . . . . . . . . . . . . . . . . 60
9.3.1 A typical test . . . . . . . . . . . . . . . . . . . . . . . . . . . 60
9.3.2 Asynchronous tests in AVA . . . . . . . . . . . . . . . . . . . 61
Throughout most chapters, there are quizzes and exercises. These are a paid feature, but
a comprehensive preview is available. This chapter explains how to get started with
them.
9.1 Quizzes
Installation:
• Download and unzip impatient-js-quiz.zip
Running the quiz app:
• Open impatient-js-quiz/index.html in a web browser
• You’ll see a TOC of all the quizzes.
9.2 Exercises
9.2.1 Installing the exercises
To install the exercises:
59
60 9 Getting started with quizzes and exercises
The key thing here is: everything you want to test must be exported. Otherwise, the test
code can’t access it.
The core of this test file is line E – an assertion: assert.equal() specifies that the expected
result of id('abc') is 'abc'.
• The comment at the very beginning shows the shell command for running the test.
• Line A: We import the test framework.
• Line B: We import the assertion library. AVA has built-in assertions, but module
assert lets us remain compatible with plain Node.js.
• Line C: We import the function to test.
• Line D: We define a test. This is done by calling the function test():
– First parameter: the name of the test.
– Second parameter: the test code, which is provided via an arrow function.
The parameter t gives us access to AVA’s testing API (assertions, etc.).
npm t demos/quizzes-exercises/id_test.mjs
The t is an abbreviation for test. That is, the long version of this command is:
Reading
You can postpone reading this section until you get to the chapters on asynchronous
programming.
Writing tests for asynchronous code requires extra work: The test receives its results
later and has to signal to AVA that it isn’t finished yet when it returns. The following
subsections examine three ways of doing so.
test.cb('divideCallback', t => {
divideCallback(8, 4, (error, result) => {
if (error) {
t.end(error);
} else {
assert.strictEqual(result, 2);
t.end();
}
});
});
You don’t need to explicitly return anything: The implicitly returned undefined is used
to fulfill the Promise returned by this async function. And if the test code throws an
exception, then the async function takes care of rejecting the returned Promise.
Part III
63
Chapter 10
Contents
10.1 let . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 66
10.2 const . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 66
10.2.1 const and immutability . . . . . . . . . . . . . . . . . . . . . 66
10.2.2 const and loops . . . . . . . . . . . . . . . . . . . . . . . . . . 67
10.3 Deciding between const and let . . . . . . . . . . . . . . . . . . . . 67
10.4 The scope of a variable . . . . . . . . . . . . . . . . . . . . . . . . . . 67
10.4.1 Shadowing variables . . . . . . . . . . . . . . . . . . . . . . . 68
10.5 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 69
10.6 Terminology: static vs. dynamic . . . . . . . . . . . . . . . . . . . . 69
10.6.1 Static phenomenon: scopes of variables . . . . . . . . . . . . . 69
10.6.2 Dynamic phenomenon: function calls . . . . . . . . . . . . . . 69
10.7 Global variables and the global object . . . . . . . . . . . . . . . . . 70
10.7.1 globalThis [ES2020] . . . . . . . . . . . . . . . . . . . . . . . 70
10.8 Declarations: scope and activation . . . . . . . . . . . . . . . . . . . 72
10.8.1 const and let: temporal dead zone . . . . . . . . . . . . . . . 72
10.8.2 Function declarations and early activation . . . . . . . . . . . 73
10.8.3 Class declarations are not activated early . . . . . . . . . . . . 75
10.8.4 var: hoisting (partial early activation) . . . . . . . . . . . . . . 75
10.9 Closures . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 76
10.9.1 Bound variables vs. free variables . . . . . . . . . . . . . . . . 76
10.9.2 What is a closure? . . . . . . . . . . . . . . . . . . . . . . . . . 76
10.9.3 Example: A factory for incrementors . . . . . . . . . . . . . . 77
10.9.4 Use cases for closures . . . . . . . . . . . . . . . . . . . . . . . 78
65
66 10 Variables and assignment
10.1 let
let i;
i = 0;
i = i + 1;
assert.equal(i, 1);
let i = 0;
10.2 const
Variables declared via const are immutable. You must always initialize immediately:
assert.throws(
() => { i = i + 1 },
{
name: 'TypeError',
message: 'Assignment to constant variable.',
}
);
In JavaScript, const only means that the binding (the association between variable name
and variable value) is immutable. The value itself may be mutable, like obj in the fol-
lowing example.
• const indicates an immutable binding and that a variable never changes its value.
Prefer it.
• let indicates that the value of a variable changes. Use it only when you can’t use
const.
Exercise: const
exercises/variables-assignment/const_exrc.mjs
{ // // Scope A. Accessible: x
const x = 0;
assert.equal(x, 0);
{ // Scope B. Accessible: x, y
const y = 1;
assert.equal(x, 0);
assert.equal(y, 1);
{ // Scope C. Accessible: x, y, z
const z = 2;
assert.equal(x, 0);
assert.equal(y, 1);
68 10 Variables and assignment
assert.equal(z, 2);
}
}
}
// Outside. Not accessible: x, y, z
assert.throws(
() => console.log(x),
{
name: 'ReferenceError',
message: 'x is not defined',
}
);
Each variable is accessible in its direct scope and all scopes nested within that scope.
The variables declared via const and let are called block-scoped because their scopes are
always the innermost surrounding blocks.
assert.throws(
() => {
eval('let x = 1; let x = 2;');
},
{
name: 'SyntaxError',
message: "Identifier 'x' has already been declared",
});
Why eval()?
eval() delays parsing (and therefore the SyntaxError), until the callback of as-
sert.throws() is executed. If we didn’t use it, we’d already get an error when this
code is parsed and assert.throws() wouldn’t even be executed.
You can, however, nest a block and use the same variable name x that you used outside
the block:
const x = 1;
assert.equal(x, 1);
{
const x = 2;
assert.equal(x, 2);
10.5 (Advanced) 69
}
assert.equal(x, 1);
Inside the block, the inner x is the only accessible variable with that name. The inner x is
said to shadow the outer x. Once you leave the block, you can access the old value again.
Quiz: basic
See quiz app.
10.5 (Advanced)
All remaining sections are advanced.
• Static means that something is related to source code and can be determined with-
out executing code.
• Dynamic means at runtime.
function f() {
const x = 3;
// ···
}
x is statically (or lexically) scoped. That is, its scope is fixed and doesn’t change at runtime.
function g(x) {}
function h(y) {
if (Math.random()) g(y); // (A)
}
Whether or not the function call in line A happens, can only be decided at runtime.
The root is also called the global scope. In web browsers, the only location where one is
directly in that scope is at the top level of a script. The variables of the global scope are
called global variables and accessible everywhere. There are two kinds of global variables:
The following HTML fragment demonstrates globalThis and the two kinds of global
variables.
<script>
const declarativeVariable = 'd';
var objectVariable = 'o';
</script>
<script>
// All scripts share the same top-level scope:
console.log(declarativeVariable); // 'd'
console.log(objectVariable); // 'o'
Each ECMAScript module has its own scope. Therefore, variables that exist at the top
level of a module are not global. Fig. 10.1 illustrates how the various scopes are related.
The global variable globalThis is the new standard way of accessing the global object.
It got its name from the fact that it has the same value as this in global scope.
Global scope
Figure 10.1: The global scope is JavaScript’s outermost scope. It has two kinds of vari-
ables: object variables (managed via the global object) and normal declarative variables. Each
ECMAScript module has its own scope which is contained in the global scope.
• Global variable window: is the classic way of referring to the global object. But it
doesn’t work in Node.js and in Web Workers.
• Global variable self: is available in Web Workers and browsers in general. But it
isn’t supported by Node.js.
• Global variable global: is only available in Node.js.
The global object is now considered a mistake that JavaScript can’t get rid of, due to
backward compatibility. It affects performance negatively and is generally confusing.
ECMAScript 6 introduced several features that make it easier to avoid the global object
– for example:
• const, let, and class declarations don’t create global object properties when used
in global scope.
• Each ECMAScript module has its own local scope.
It is usually better to access global object variables via variables and not via properties
of globalThis. The former has always worked the same on all JavaScript platforms.
Tutorials on the web occasionally access global variables globVar via window.globVar.
But the prefix “window.” is not necessary and I recommend to omit it:
window.encodeURIComponent(str); // no
encodeURIComponent(str); // yes
Therefore, there are relatively few use cases for globalThis – for example:
72 10 Variables and assignment
For JavaScript, TC39 needed to decide what happens if you access a constant in its direct
scope, before its declaration:
{
console.log(x); // What happens here?
const x;
}
Approach 1 was rejected because there is no precedent in the language for this approach.
It would therefore not be intuitive to JavaScript programmers.
Approach 2 was rejected because then x wouldn’t be a constant – it would have different
values before and after its declaration.
let uses the same approach 3 as const, so that both work similarly and it’s easy to switch
between them.
The time between entering the scope of a variable and executing its declaration is called
the temporal dead zone (TDZ) of that variable:
• During this time, the variable is considered to be uninitialized (as if that were a
special value it has).
• If you access an uninitialized variable, you get a ReferenceError.
• Once you reach a variable declaration, the variable is set to either the value of
the initializer (specified via the assignment symbol) or undefined – if there is no
initializer.
The following code illustrates the temporal dead zone:
if (true) { // entering scope of `tmp`, TDZ starts
// `tmp` is uninitialized:
assert.throws(() => (tmp = 'abc'), ReferenceError);
assert.throws(() => console.log(tmp), ReferenceError);
The next example shows that the temporal dead zone is truly temporal (related to time):
if (true) { // entering scope of `myVar`, TDZ starts
const func = () => {
console.log(myVar); // executed later
};
Even though func() is located before the declaration of myVar and uses that variable, we
can call func(). But we have to wait until the temporal dead zone of myVar is over.
In this section, we are using functions – before we had a chance to learn them prop-
erly. Hopefully, everything still makes sense. Whenever it doesn’t, please see §23
“Callable values”.
A function declaration is always executed when entering its scope, regardless of where it
is located within that scope. That enables you to call a function foo() before it is declared:
assert.equal(foo(), 123); // OK
function foo() { return 123; }
The early activation of foo() means that the previous code is equivalent to:
function foo() { return 123; }
assert.equal(foo(), 123);
If you declare a function via const or let, then it is not activated early. In the following
example, you can only use bar() after its declaration.
assert.throws(
() => bar(), // before declaration
ReferenceError);
Even if a function g() is not activated early, it can be called by a preceding function f()
(in the same scope) if we adhere to the following rule: f() must be invoked after the
declaration of g().
const f = () => g();
const g = () => 123;
The functions of a module are usually invoked after its complete body is executed. There-
fore, in modules, you rarely need to worry about the order of functions.
Lastly, note how early activation automatically keeps the aforementioned rule: when
entering a scope, all function declarations are executed first, before any calls are made.
If you rely on early activation to call a function before its declaration, then you need to
be careful that it doesn’t access data that isn’t activated early.
funcDecl();
assert.throws(
() => MY_STR,
ReferenceError);
}
The problem goes away if you make the call to funcDecl() after the declaration of MY_-
STR.
We have seen that early activation has a pitfall and that you can get most of its benefits
without using it. Therefore, it is better to avoid early activation. But I don’t feel strongly
about this and, as mentioned before, often use function declarations because I like their
syntax.
class MyClass {}
The operand of extends is an expression. Therefore, you can do things like this:
const identity = x => x;
class MyClass extends identity(Object) {}
Evaluating such an expression must be done at the location where it is mentioned. Any-
thing else would be confusing. That explains why class declarations are not activated
early.
function f() {
// Partial early activation:
assert.equal(x, undefined);
if (true) {
var x = 123;
// The assignment is executed in place:
assert.equal(x, 123);
}
// Scope is function, not block:
assert.equal(x, 123);
}
10.9 Closures
Before we can explore closures, we need to learn about bound variables and free vari-
ables.
• Bound variables are declared within the scope. They are parameters and local vari-
ables.
• Free variables are declared externally. They are also called non-local variables.
function func(x) {
const y = 123;
console.log(z);
}
A closure is a function plus a connection to the variables that exist at its “birth
place”.
What is the point of keeping this connection? It provides the values for the free variables
of the function – for example:
function funcFactory(value) {
return () => {
return value;
10.9 Closures 77
};
}
funcFactory returns a closure that is assigned to func. Because func has the connection
to the variables at its birth place, it can still access the free variable value when it is called
in line A (even though it “escaped” its scope).
function createInc(startValue) {
return (step) => { // (A)
startValue += step;
return startValue;
};
}
const inc = createInc(5);
assert.equal(inc(2), 7);
We can see that the function created in line A keeps its internal number in the free variable
startValue. This time, we don’t just read from the birth scope, we use it to store data
that we change and that persists across function calls.
We can create more storage slots in the birth scope, via local variables:
function createInc(startValue) {
let index = -1;
return (step) => {
startValue += step;
index++;
return [index, startValue];
};
}
const inc = createInc(5);
assert.deepEqual(inc(2), [0, 7]);
assert.deepEqual(inc(2), [1, 9]);
assert.deepEqual(inc(2), [2, 11]);
78 10 Variables and assignment
• And they can provide private data for objects (produced via literals or classes).
The details of how that works are explained in Exploring ES6.
Quiz: advanced
See quiz app.
Chapter 11
Values
Contents
11.1 What’s a type? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 79
11.2 JavaScript’s type hierarchy . . . . . . . . . . . . . . . . . . . . . . . 80
11.3 The types of the language specification . . . . . . . . . . . . . . . . 80
11.4 Primitive values vs. objects . . . . . . . . . . . . . . . . . . . . . . . 81
11.4.1 Primitive values (short: primitives) . . . . . . . . . . . . . . . 81
11.4.2 Objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 82
11.5 The operators typeof and instanceof: what’s the type of a value? . 83
11.5.1 typeof . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 84
11.5.2 instanceof . . . . . . . . . . . . . . . . . . . . . . . . . . . . 85
11.6 Classes and constructor functions . . . . . . . . . . . . . . . . . . . 85
11.6.1 Constructor functions associated with primitive types . . . . . 85
11.7 Converting between types . . . . . . . . . . . . . . . . . . . . . . . . 86
11.7.1 Explicit conversion between types . . . . . . . . . . . . . . . . 87
11.7.2 Coercion (automatic conversion between types) . . . . . . . . 87
79
80 11 Values
(any)
null number
Array Function
string
Map RegExp
symbol
Set Date
Figure 11.1: A partial hierarchy of JavaScript’s types. Missing are the classes for errors,
the classes associated with primitive types, and more. The diagram hints at the fact that
not all objects are instances of Object.
Fig. 11.1 shows JavaScript’s type hierarchy. What do we learn from that diagram?
• JavaScript distinguishes two kinds of values: primitive values and objects. We’ll
see soon what the difference is.
• The diagram differentiates objects and instances of class Object. Each instance
of Object is also an object, but not vice versa. However, virtually all objects that
you’ll encounter in practice are instances of Object – for example, objects created
via object literals. More details on this topic are explained in §26.4.3.4 “Objects that
aren’t instances of Object”.
• Primitive values are the elements of the types undefined, null, boolean, number,
bigint, string, symbol.
• All other values are objects.
In contrast to Java (that inspired JavaScript here), primitive values are not second-class
citizens. The difference between them and objects is more subtle. In a nutshell:
Other than that, primitive values and objects are quite similar: they both have properties
(key-value entries) and can be used in the same locations.
Primitives are passed by value: variables (including parameters) store the contents of the
primitives. When assigning a primitive value to a variable or passing it as an argument
to a function, its content is copied.
let x = 123;
let y = x;
assert.equal(y, 123);
82 11 Values
Primitives are compared by value: when comparing two primitive values, we compare
their contents.
To see what’s so special about this way of comparing, read on and find out how objects
are compared.
11.4.2 Objects
Objects are covered in detail in §25 “Single objects” and the following chapter. Here, we
mainly focus on how they differ from primitive values.
• Object literal:
const obj = {
first: 'Jane',
last: 'Doe',
};
The object literal starts and ends with curly braces {}. It creates an object with
two properties. The first property has the key 'first' (a string) and the value
'Jane'. The second property has the key 'last' and the value 'Doe'. For more
information on object literals, consult §25.2.1 “Object literals: properties”.
• Array literal:
The Array literal starts and ends with square brackets []. It creates an Array with
two elements: 'foo' and 'bar'. For more information on Array literals, consult
[content not included].
By default, you can freely change, add, and remove the properties of objects:
Objects are passed by identity (my term): variables (including parameters) store the identi-
ties of objects.
11.5 The operators typeof and instanceof: what’s the type of a value? 83
The identity of an object is like a pointer (or a transparent reference) to the object’s actual
data on the heap (think shared main memory of a JavaScript engine).
Now the old value { prop: 'value' } of obj is garbage (not used anymore). JavaScript
will automatically garbage-collect it (remove it from memory), at some point in time (pos-
sibly never if there is enough free memory).
Objects are compared by identity (my term): two variables are only equal if they contain
the same object identity. They are not equal if they refer to different objects with the same
content.
11.5.1 typeof
x typeof x
undefined 'undefined'
null 'object'
Boolean 'boolean'
Number 'number'
Bigint 'bigint'
String 'string'
Symbol 'symbol'
Function 'function'
All other objects 'object'
Tbl. 11.1 lists all results of typeof. They roughly correspond to the 7 types of the language
specification. Alas, there are two differences, and they are language quirks:
• typeof null returns 'object' and not 'null'. That’s a bug. Unfortunately, it
can’t be fixed. TC39 tried to do that, but it broke too much code on the web.
• typeof of a function should be 'object' (functions are objects). Introducing a
separate category for functions is confusing.
These are a few examples of using typeof:
> typeof undefined
'undefined'
> typeof 123n
'bigint'
> typeof 'abc'
'string'
> typeof {}
'object'
• exercises/values/typeof_exrc.mjs
• Bonus: exercises/values/is_object_test.mjs
11.5.2 instanceof
This operator answers the question: has a value x been created by a class C?
x instanceof C
For example:
> (function() {}) instanceof Function
true
> ({}) instanceof Object
true
> [] instanceof Array
true
Exercise: instanceof
exercises/values/instanceof_exrc.mjs
assert.equal(Number('123'), 123);
assert.equal((123).toString, Number.prototype.toString);
• Number is a namespace/container object for tool functions for numbers – for exam-
ple:
assert.equal(Number.isInteger(123), true);
• Lastly, you can also use Number as a class and create number objects. These objects
are different from real numbers and should be avoided.
The constructor functions related to primitive types are also called wrapper types because
they provide the canonical way of converting primitive values to objects. In the process,
primitive values are “wrapped” in objects.
Wrapping rarely matters in practice, but it is used internally in the language specification,
to give primitives properties.
The following table describes in more detail how this conversion works:
x Object(x)
undefined {}
null {}
boolean new Boolean(x)
number new Number(x)
bigint An instance of BigInt (new throws TypeError)
string new String(x)
symbol An instance of Symbol (new throws TypeError)
object x
Many built-in functions coerce, too. For example, parseInt() coerces its parameter to
string (parsing stops at the first character that is not a digit):
> parseInt(123.45)
123
Quiz
See quiz app.
Chapter 12
Operators
Contents
12.1 Making sense of operators . . . . . . . . . . . . . . . . . . . . . . . . 89
12.1.1 Operators coerce their operands to appropriate types . . . . . 90
12.1.2 Most operators only work with primitive values . . . . . . . . 90
12.2 The plus operator (+) . . . . . . . . . . . . . . . . . . . . . . . . . . . 90
12.3 Assignment operators . . . . . . . . . . . . . . . . . . . . . . . . . . 91
12.3.1 The plain assignment operator . . . . . . . . . . . . . . . . . . 91
12.3.2 Compound assignment operators . . . . . . . . . . . . . . . . 91
12.3.3 A list of all compound assignment operators . . . . . . . . . . 91
12.4 Equality: == vs. === . . . . . . . . . . . . . . . . . . . . . . . . . . . . 92
12.4.1 Loose equality (== and !=) . . . . . . . . . . . . . . . . . . . . 92
12.4.2 Strict equality (=== and !==) . . . . . . . . . . . . . . . . . . . 93
12.4.3 Recommendation: always use strict equality . . . . . . . . . . 93
12.4.4 Even stricter than ===: Object.is() . . . . . . . . . . . . . . . 94
12.5 Ordering operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 95
12.6 The nullish coalescing operator (??) for default values [ES2020] . . 95
12.6.1 Example: counting matches . . . . . . . . . . . . . . . . . . . 95
12.6.2 Example: specifying a default value for a property . . . . . . . 96
12.6.3 Using destructuring for default values . . . . . . . . . . . . . 96
12.6.4 Legacy approach: using logical Or (||) for default values . . . 96
12.7 Various other operators . . . . . . . . . . . . . . . . . . . . . . . . . 97
12.7.1 Comma operator . . . . . . . . . . . . . . . . . . . . . . . . . 97
12.7.2 void operator . . . . . . . . . . . . . . . . . . . . . . . . . . . 97
89
90 12 Operators
First, the multiplication operator can only work with numbers. Therefore, it converts
strings to numbers before computing its result.
Second, the square brackets operator ([ ]) for accessing the properties of an object can
only handle strings and symbols. All other values are coerced to string:
Why? The plus operator first coerces its operands to primitive values:
> String([1,2,3])
'1,2,3'
> String([4,5,6])
'4,5,6'
• First, it converts both operands to primitive values. Then it switches to one of two
modes:
– String mode: If one of the two primitive values is a string, then it converts
the other one to a string, concatenates both strings, and returns the result.
12.3 Assignment operators 91
Number mode means that if neither operand is a string (or an object that becomes a
string) then everything is coerced to numbers:
> 4 + true
5
Number(true) is 1.
const x = value;
let y = value;
If, for example, op is +, then we get the operator += that works as follows.
assert.equal(str, '<b>Hello!</b>');
+= -= *= /= %= **=
• Bitwise operators:
<<= >>= >>>= &= ^= |=
Objects are coerced to primitives if (and only if!) the other operand is primitive:
> [1, 2, 3] == '1,2,3'
true
> ['1', '2', '3'] == '1,2,3'
true
If both operands are objects, they are only equal if they are the same object:
> [1, 2, 3] == ['1', '2', '3']
false
> [1, 2, 3] == [1, 2, 3]
false
An object is only equal to another value if that value is the same object:
The === operator does not consider undefined and null to be equal:
Let’s look at two use cases for == and what I recommend to do instead.
== lets you check if a value x is a number or that number as a string – with a single
comparison:
if (x == 123) {
// x is either 123 or '123'
}
You can also convert x to a number when you first encounter it.
94 12 Operators
The problem with this code is that you can’t be sure if someone meant to write it that
way or if they made a typo and meant === null.
I prefer either of the following two alternatives:
if (x === undefined || x === null) ···
if (!x) ···
A downside of the second alternative is that it accepts values other than undefined and
null, but it is a well-established pattern in JavaScript (to be explained in detail in §14.3
“Truthiness-based existence checks”).
The following three conditions are also roughly equivalent:
if (x != null) ···
if (x !== undefined && x !== null) ···
if (x) ···
It is even stricter than ===. For example, it considers NaN, the error value for computations
involving numbers, to be equal to itself:
> Object.is(NaN, NaN)
true
> NaN === NaN
false
That is occasionally useful. For example, you can use it to implement an improved ver-
sion of the Array method .indexOf():
const myIndexOf = (arr, elem) => {
return arr.findIndex(x => Object.is(x, elem));
};
The result -1 means that .indexOf() couldn’t find its argument in the Array.
Operator name
< less than
<= Less than or equal
> Greater than
>= Greater than or equal
JavaScript’s ordering operators (tbl. 12.1) work for both numbers and strings:
> 5 >= 2
true
> 'bar' < 'foo'
true
assert.equal(
countMatches(/a/g, 'ababa'), 3);
assert.equal(
countMatches(/b/g, 'ababa'), 2);
assert.equal(
countMatches(/x/g, 'ababa'), 0);
If there are one or more matches for regex inside str, then .match() returns an Array.
If there are no matches, it unfortunately returns null (and not the empty Array). We fix
that via the ?? operator.
return matchResult?.length ?? 0;
const files = [
{path: 'index.html', title: 'Home'},
{path: 'tmp.html'},
];
assert.deepEqual(
files.map(f => getTitle(f)),
['Home', '(Untitled)']);
function getTitle(fileDesc) {
const {title = '(Untitled)'} = fileDesc;
return title;
}
But it also returns the default for all other falsy values – for example:
> false || 'default'
'default'
> 0 || 'default'
'default'
> 0n || 'default'
'default'
> '' || 'default'
'default'
Quiz
See quiz app.
Part IV
Primitive values
99
Chapter 13
Contents
13.1 undefined vs. null . . . . . . . . . . . . . . . . . . . . . . . . . . . . 101
13.2 Occurrences of undefined and null . . . . . . . . . . . . . . . . . . . 102
13.2.1 Occurrences of undefined . . . . . . . . . . . . . . . . . . . . 102
13.2.2 Occurrences of null . . . . . . . . . . . . . . . . . . . . . . . 102
13.3 Checking for undefined or null . . . . . . . . . . . . . . . . . . . . . 103
13.4 undefined and null don’t have properties . . . . . . . . . . . . . . . 103
13.5 The history of undefined and null . . . . . . . . . . . . . . . . . . . 104
Many programming languages have one “non-value” called null. It indicates that a vari-
able does not currently point to an object – for example, when it hasn’t been initialized
yet.
• undefined means “not initialized” (e.g., a variable) or “not existing” (e.g., a prop-
erty of an object).
• null means “the intentional absence of any object value” (a quote from the lan-
guage specification).
101
102 13 The non-values undefined and null
• null means “explicitly switched off”. That is, it helps implement a type that com-
prises both meaningful values and a meta-value that stands for “no meaningful
value”. Such a type is called option type or maybe type in functional programming.
let myVar;
assert.equal(myVar, undefined);
function func(x) {
return x;
}
assert.equal(func(), undefined);
If you don’t explicitly specify the result of a function via a return statement, JavaScript
returns undefined for you:
function func() {}
assert.equal(func(), undefined);
> Object.getPrototypeOf(Object.prototype)
null
If you match a regular expression (such as /a/) against a string (such as 'x'), you either
get an object with matching data (if matching was successful) or null (if matching failed):
> /a/.exec('x')
null
The JSON data format does not support undefined, only null:
Truthy means “is true if coerced to boolean”. Falsy means “is false if coerced to boolean”.
Both concepts are explained properly in §14.2 “Falsy and truthy values”.
undefined and null are the two only JavaScript values where you get an exception if
you try to read a property. To explore this phenomenon, let’s use the following function,
which reads (“gets”) property .foo and returns the result.
function getFoo(x) {
return x.foo;
}
If we apply getFoo() to various values, we can see that it only fails for undefined and
null:
> getFoo(undefined)
TypeError: Cannot read property 'foo' of undefined
> getFoo(null)
TypeError: Cannot read property 'foo' of null
> getFoo(true)
undefined
> getFoo({})
undefined
104 13 The non-values undefined and null
Quiz
See quiz app.
Chapter 14
Booleans
Contents
14.1 Converting to boolean . . . . . . . . . . . . . . . . . . . . . . . . . . 105
14.2 Falsy and truthy values . . . . . . . . . . . . . . . . . . . . . . . . . 106
14.2.1 Checking for truthiness or falsiness . . . . . . . . . . . . . . . 107
14.3 Truthiness-based existence checks . . . . . . . . . . . . . . . . . . . 107
14.3.1 Pitfall: truthiness-based existence checks are imprecise . . . . 108
14.3.2 Use case: was a parameter provided? . . . . . . . . . . . . . . 108
14.3.3 Use case: does a property exist? . . . . . . . . . . . . . . . . . 109
14.4 Conditional operator (? :) . . . . . . . . . . . . . . . . . . . . . . . . 109
14.5 Binary logical operators: And (x && y), Or (x || y) . . . . . . . . . 110
14.5.1 Logical And (x && y) . . . . . . . . . . . . . . . . . . . . . . . 110
14.5.2 Logical Or (||) . . . . . . . . . . . . . . . . . . . . . . . . . . 111
14.5.3 Legacy use case for logical Or (||): providing default values . 111
14.6 Logical Not (!) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 111
The primitive type boolean comprises two values – false and true:
> typeof false
'boolean'
> typeof true
'boolean'
These are three ways in which you can convert an arbitrary value x to a boolean.
105
106 14 Booleans
• Boolean(x)
Most descriptive; recommended.
• x ? true : false
Uses the conditional operator (explained later in this chapter).
• !!x
Uses the logical Not operator (!). This operator coerces its operand to boolean. It
is applied a second time to get a non-negated result.
Tbl. 14.1 describes how various values are converted to boolean.
x Boolean(x)
undefined false
null false
boolean x (no change)
number 0 → false, NaN → false
Other numbers → true
bigint 0 → false
Other numbers → true
string '' → false
Other strings → true
symbol true
object Always true
if (value) {}
That is, JavaScript checks if value is true when converted to boolean. This kind of check
is so common that the following names were introduced:
Each value is either truthy or falsy. Consulting tbl. 14.1, we can make an exhaustive list
of falsy values:
14.3 Truthiness-based existence checks 107
• undefined
• null
• Boolean: false
• Numbers: 0, NaN
• Bigint: 0n
• String: ''
> Boolean('abc')
true
> Boolean([])
true
> Boolean({})
true
if (!x) {
// x is falsy
}
if (x) {
// x is truthy
} else {
// x is falsy
}
The conditional operator that is used in the last line, is explained later in this chapter.
Exercise: Truthiness
exercises/booleans/truthiness_exrc.mjs
if (obj.prop) {
// obj has property .prop
}
if (obj.prop) {
// obj has property .prop
}
• obj.prop is undefined.
• obj.prop is any other falsy value (null, 0, '', etc.).
In practice, this rarely causes problems, but you have to be aware of this pitfall.
function func(x) {
if (!x) {
throw new Error('Missing parameter x');
}
// ···
}
On the plus side, this pattern is established and short. It correctly throws errors for un-
defined and null.
On the minus side, there is the previously mentioned pitfall: the code also throws errors
for all other falsy values.
if (x === undefined) {
throw new Error('Missing parameter x');
}
14.4 Conditional operator (? :) 109
function readFile(fileDesc) {
if (!fileDesc.path) {
throw new Error('Missing property: .path');
}
// ···
}
readFile({ path: 'foo.txt' }); // no error
This pattern is also established and has the usual caveat: it not only throws if the property
is missing, but also if it exists and has any of the falsy values.
If you truly want to check if the property exists, you have to use the in operator:
if (! ('path' in fileDesc)) {
throw new Error('Missing property: .path');
}
It is evaluated as follows:
The conditional operator is also called ternary operator because it has three operands.
Examples:
The following code demonstrates that whichever of the two branches “then” and “else”
is chosen via the condition, only that branch is evaluated. The other branch isn’t.
// Output:
// 'then'
110 14 Booleans
> 12 || 'hello'
12
> 0 || 'hello'
'hello'
Short-circuiting means if the first operand already determines the result, then the second
operand is not evaluated. The only other operator that delays evaluating its operands
is the conditional operator. Usually, all operands are evaluated before performing an
operation.
For example, logical And (&&) does not evaluate its second operand if the first one is falsy:
// Output:
// 'hello'
1. Evaluate a.
2. Is the result falsy? Return it.
3. Otherwise, evaluate b and return the result.
a && b
!a ? a : b
Examples:
1. Evaluate a.
2. Is the result truthy? Return it.
3. Otherwise, evaluate b and return the result.
a || b
a ? a : b
Examples:
14.5.3 Legacy use case for logical Or (||): providing default values
ECMAScript 2020 introduced the nullish coalescing operator (??) for default values. Be-
fore that, logical Or was used for this purpose:
See §12.6 “The nullish coalescing operator (??) for default values [ES2020]” for more
information on ?? and the downsides of || in this case.
1. Evaluate x.
2. Is it truthy? Return false.
112 14 Booleans
> !0
true
> !123
false
> !''
true
> !'abc'
false
Quiz
See quiz app.
Chapter 15
Numbers
Contents
15.1 Numbers are used for both floating point numbers and integers . . 114
15.2 Number literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 114
15.2.1 Integer literals . . . . . . . . . . . . . . . . . . . . . . . . . . . 114
15.2.2 Floating point literals . . . . . . . . . . . . . . . . . . . . . . . 115
15.2.3 Syntactic pitfall: properties of integer literals . . . . . . . . . . 115
15.3 Arithmetic operators . . . . . . . . . . . . . . . . . . . . . . . . . . . 115
15.3.1 Binary arithmetic operators . . . . . . . . . . . . . . . . . . . 115
15.3.2 Unary plus (+) and negation (-) . . . . . . . . . . . . . . . . . 116
15.3.3 Incrementing (++) and decrementing (--) . . . . . . . . . . . . 116
15.4 Converting to number . . . . . . . . . . . . . . . . . . . . . . . . . . 118
15.5 Error values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 118
15.6 Error value: NaN . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 119
15.6.1 Checking for NaN . . . . . . . . . . . . . . . . . . . . . . . . . 119
15.6.2 Finding NaN in Arrays . . . . . . . . . . . . . . . . . . . . . . 119
15.7 Error value: Infinity . . . . . . . . . . . . . . . . . . . . . . . . . . 120
15.7.1 Infinity as a default value . . . . . . . . . . . . . . . . . . . 120
15.7.2 Checking for Infinity . . . . . . . . . . . . . . . . . . . . . . 120
15.8 The precision of numbers: careful with decimal fractions . . . . . . 121
15.9 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 121
15.10Background: floating point precision . . . . . . . . . . . . . . . . . . 121
15.10.1 A simplified representation of floating point numbers . . . . . 122
15.11Integer numbers in JavaScript . . . . . . . . . . . . . . . . . . . . . 123
15.11.1 Converting to integer . . . . . . . . . . . . . . . . . . . . . . . 124
15.11.2 Ranges of integer numbers in JavaScript . . . . . . . . . . . . 124
15.11.3 Safe integers . . . . . . . . . . . . . . . . . . . . . . . . . . . . 125
15.12Bitwise operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 126
15.12.1 Internally, bitwise operators work with 32-bit integers . . . . . 126
15.12.2 Bitwise Not . . . . . . . . . . . . . . . . . . . . . . . . . . . . 127
113
114 15 Numbers
However, all numbers are doubles, 64-bit floating point numbers implemented according
to the IEEE Standard for Floating-Point Arithmetic (IEEE 754).
Integer numbers are simply floating point numbers without a decimal fraction:
> 98 === 98.0
true
Note that, under the hood, most JavaScript engines are often able to use real integers,
with all associated performance and storage size benefits.
// Octal (base 8)
assert.equal(0o10, 8);
15.3 Arithmetic operators 115
% is a remainder operator, not a modulo operator. Its result has the sign of the first
operand:
> 5 % 3
2
> -5 % 3
-2
For more information on the difference between remainder and modulo, see the blog
post “Remainder operator vs. modulo operator (with JavaScript code)” on 2ality.
Table 15.2: The operators unary plus (+) and negation (-).
> +'5'
5
> +'-12'
-12
> -'9'
-9
The decrementation operator -- works the same, but subtracts one from its operand. The
next two examples explain the difference between the prefix and the suffix version.
15.3 Arithmetic operators 117
Prefix ++ and prefix -- change their operands and then return them.
let foo = 3;
assert.equal(++foo, 4);
assert.equal(foo, 4);
let bar = 3;
assert.equal(--bar, 2);
assert.equal(bar, 2);
Suffix ++ and suffix -- return their operands and then change them.
let foo = 3;
assert.equal(foo++, 3);
assert.equal(foo, 4);
let bar = 3;
assert.equal(bar--, 3);
assert.equal(bar, 2);
const obj = { a: 1 };
++obj.a;
assert.equal(obj.a, 2);
const arr = [ 4 ];
arr[0]++;
assert.deepEqual(arr, [5]);
x Number(x)
undefined NaN
null +0
boolean false → +0, true → 1
number x (no change)
bigint Throws TypeError
string '' → +0
Other → parsed number, ignoring leading/trailing whitespace
symbol Throws TypeError
object Configurable (e.g. via .valueOf())
Examples:
assert.equal(Number(123.45), 123.45);
assert.equal(Number(''), 0);
assert.equal(Number('\n 123.45 \t'), 123.45);
assert.equal(Number('xyz'), NaN);
How objects are converted to numbers can be configured – for example, by overriding
.valueOf():
• NaN
• Infinity
15.6 Error value: NaN 119
> Number('$$$')
NaN
> Number(undefined)
NaN
> Math.log(-1)
NaN
> Math.sqrt(-1)
NaN
> NaN - 3
NaN
> 7 ** NaN
NaN
const n = NaN;
assert.equal(n === n, false);
const x = NaN;
> [NaN].indexOf(NaN)
-1
120 15 Numbers
Others can:
> [NaN].includes(NaN)
true
> [NaN].findIndex(x => Number.isNaN(x))
0
> [NaN].find(x => Number.isNaN(x))
NaN
Alas, there is no simple rule of thumb. You have to check for each method how it handles
NaN.
> 5 / 0
Infinity
> -5 / 0
-Infinity
function findMinimum(numbers) {
let min = Infinity;
for (const n of numbers) {
if (n < min) min = n;
}
return min;
}
const x = Infinity;
15.8 The precision of numbers: careful with decimal fractions 121
You therefore need to take rounding errors into consideration when performing arith-
metic in JavaScript.
Read on for an explanation of this phenomenon.
Quiz: basic
See quiz app.
15.9 (Advanced)
All remaining sections of this chapter are advanced.
To understand why, we need to explore how JavaScript represents floating point numbers
internally. It uses three integers to do so, which take up a total of 64 bits of storage (double
precision):
122 15 Numbers
• For the number 1.5, we imagine there being a point after the mantissa. We use a
negative exponent to move that point one digit to the left:
> 15 * (10 ** -1)
1.5
• For the number 0.25, we move the point two digits to the left:
> 25 * (10 ** -2)
0.25
Representations with negative exponents can also be written as fractions with positive
exponents in the denominators:
> 15 * (10 ** -1) === 15 / (10 ** 1)
true
> 25 * (10 ** -2) === 25 / (10 ** 2)
true
15.11 Integer numbers in JavaScript 123
These fractions help with understanding why there are numbers that our encoding can-
not represent:
• 1/10 can be represented. It already has the required format: a power of 10 in the
denominator.
• 1/2 can be represented as 5/10. We turned the 2 in the denominator into a power
of 10 by multiplying the numerator and denominator by 5.
• 1/4 can be represented as 25/100. We turned the 4 in the denominator into a power
of 10 by multiplying the numerator and denominator by 25.
• 1/3 cannot be represented. There is no way to turn the denominator into a power
of 10. (The prime factors of 10 are 2 and 5. Therefore, any denominator that only
has these prime factors can be converted to a power of 10, by multiplying both the
numerator and denominator by enough twos and fives. If a denominator has a
different prime factor, then there’s nothing we can do.)
• 0.5 = 1/2 can be represented with base 2 because the denominator is already a
power of 2.
• 0.25 = 1/4 can be represented with base 2 because the denominator is already a
power of 2.
• 0.1 = 1/10 cannot be represented because the denominator cannot be converted
to a power of 2.
• 0.2 = 2/10 cannot be represented because the denominator cannot be converted
to a power of 2.
Now we can see why 0.1 + 0.2 doesn’t produce a correct result: internally, neither of
the two operands can be represented precisely.
The only way to compute precisely with decimal fractions is by internally switching to
base 10. For many programming languages, base 2 is the default and base 10 an option.
For example, Java has the class BigDecimal and Python has the module decimal. There
are tentative plans to add something similar to JavaScript: the ECMAScript proposal
“Decimal” is currently at stage 0.
In this section, we’ll look at a few tools for working with these pseudo-integers.
JavaScript also supports bigints, which are real integers.
124 15 Numbers
> Math.floor(2.1)
2
> Math.floor(2.9)
2
> Math.ceil(2.1)
3
> Math.ceil(2.9)
3
• Math.round(n): returns the integer that is “closest” to n with __.5 being rounded
up – for example:
> Math.round(2.4)
2
> Math.round(2.5)
3
• Math.trunc(n): removes any decimal fraction (after the point) that n has, therefore
turning it into an integer.
> Math.trunc(2.1)
2
> Math.trunc(2.9)
2
• Safe integers: can be represented “safely” by JavaScript (more on what that means
in the next subsection)
– Precision: 53 bits plus sign
– Range: (−253 , 253 )
• Array indices
– Precision: 32 bits, unsigned
– Range: [0, 232 −1) (excluding the maximum length)
– Typed Arrays have a larger range of 53 bits (safe and unsigned)
• Bitwise operators (bitwise Or, etc.)
– Precision: 32 bits
– Range of unsigned right shift (>>>): unsigned, [0, 232 )
– Range of all other bitwise operators: signed, [−231 , 231 )
15.11 Integer numbers in JavaScript 125
> 18014398509481984
18014398509481984
> 18014398509481985
18014398509481984
> 18014398509481986
18014398509481984
> 18014398509481987
18014398509481988
assert.equal(Number.isSafeInteger(5), true);
assert.equal(Number.isSafeInteger('5'), false);
assert.equal(Number.isSafeInteger(5.1), false);
assert.equal(Number.isSafeInteger(Number.MAX_SAFE_INTEGER), true);
assert.equal(Number.isSafeInteger(Number.MAX_SAFE_INTEGER+1), false);
The following result is incorrect and unsafe, even though both of its operands are safe:
> 9007199254740990 + 3
9007199254740992
The following result is safe, but incorrect. The first operand is unsafe; the second operand
is safe:
> 9007199254740995 - 10
9007199254740986
For each bitwise operator, this book mentions the types of its operands and its result.
Each type is always one of the following two:
Considering the previously mentioned steps, I recommend to pretend that bitwise oper-
ators internally work with unsigned 32-bit integers (step “computation”) and that Int32
and Uint32 only affect how JavaScript numbers are converted to and from integers (steps
“input” and “output”).
While exploring the bitwise operators, it occasionally helps to display JavaScript num-
bers as unsigned 32-bit integers in binary notation. That’s what b32() does (whose im-
plementation is shown later):
assert.equal(
b32(-1),
'11111111111111111111111111111111');
assert.equal(
b32(1),
'00000000000000000000000000000001');
assert.equal(
b32(2 ** 31),
'10000000000000000000000000000000');
15.12 Bitwise operators 127
The bitwise Not operator (tbl. 15.7) inverts each binary digit of its operand:
> b32(~0b100)
'11111111111111111111111111111011'
This so-called ones’ complement is similar to a negative for some arithmetic operations.
For example, adding an integer to its ones’ complement is always -1:
> 4 + ~4
-1
> -11 + ~-11
-1
The binary bitwise operators (tbl. 15.8) combine the bits of their operands to produce
their results:
> (0b1010 & 0b0011).toString(2).padStart(4, '0')
'0010'
> (0b1010 | 0b0011).toString(2).padStart(4, '0')
'1011'
> (0b1010 ^ 0b0011).toString(2).padStart(4, '0')
'1001'
The shift operators (tbl. 15.9) move binary digits to the left or to the right:
> (0b10 << 1).toString(2)
'100'
n >>> 0 means that we are shifting n zero bits to the right. Therefore, in principle, the
>>> operator does nothing, but it still coerces n to an unsigned 32-bit integer:
> 12 >>> 0
12
> -12 >>> 0
4294967284
> (2**32 + 1) >>> 0
1
• parseInt()
The difference between 1 and the next representable floating point number. In
general, a machine epsilon provides an upper bound for rounding errors in floating
point arithmetic.
The largest integer that JavaScript can represent unambiguously (253 −1).
The smallest integer that JavaScript can represent unambiguously (−253 +1).
Returns true if num is an actual number (neither Infinity nor -Infinity nor NaN).
> Number.isFinite(Infinity)
false
> Number.isFinite(-Infinity)
false
> Number.isFinite(NaN)
false
130 15 Numbers
> Number.isFinite(123)
true
Returns true if num is a number and does not have a decimal fraction.
> Number.isInteger(-17)
true
> Number.isInteger(33)
true
> Number.isInteger(33.1)
false
> Number.isInteger('33')
false
> Number.isInteger(NaN)
false
> Number.isInteger(Infinity)
false
> Number.isNaN(NaN)
true
> Number.isNaN(123)
false
> Number.isNaN('abc')
false
Coerces its parameter to string and parses it as a floating point number. For con-
verting strings to numbers, Number() (which ignores leading and trailing white-
space) is usually a better choice than Number.parseFloat() (which ignores leading
whitespace and illegal trailing characters and can hide problems).
Coerces its parameter to string and parses it as an integer, ignoring leading white-
space and illegal trailing characters:
> Number.parseInt('101', 2)
5
> Number.parseInt('FF', 16)
255
Do not use this method to convert numbers to integers: coercing to string is ineffi-
cient. And stopping before the first non-digit is not a good algorithm for removing
the fraction of a number. Here is an example where it goes wrong:
Returns a string that represents the number via exponential notation. With frac-
tionDigits, you can specify, how many digits should be shown of the number
that is multiplied with the exponent (the default is to show as many digits as nec-
essary).
> 1234..toString()
'1234'
Example: fraction not small enough to get a negative exponent via .toString().
> 0.003.toString()
'0.003'
> 0.003.toExponential()
'3e-3'
Works like .toString(), but precision specifies how many digits should be
shown. If precision is missing, .toString() is used.
> 1234..toPrecision(4)
'1234'
> 1234..toPrecision(5)
'1234.0'
> 1.234.toPrecision(3)
'1.23'
> 123.456.toString()
'123.456'
If you want the numeral to have a different base, you can specify it via radix:
> 1234567890..toString(36)
'kf12oi'
15.13 Quick reference: numbers 133
15.13.5 Sources
• Wikipedia
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
Quiz: advanced
See quiz app.
134 15 Numbers
Chapter 16
Math
Contents
16.1 Data properties . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 135
16.2 Exponents, roots, logarithms . . . . . . . . . . . . . . . . . . . . . . 136
16.3 Rounding . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 137
16.4 Trigonometric Functions . . . . . . . . . . . . . . . . . . . . . . . . . 138
16.5 Various other functions . . . . . . . . . . . . . . . . . . . . . . . . . 140
16.6 Sources . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 141
Math is an object with data properties and methods for processing numbers. You can see
it as a poor man’s module: It was created long before JavaScript had modules.
135
136 16 Math
> Math.cbrt(8)
2
> Math.exp(0)
1
> Math.exp(1) === Math.E
true
Returns the natural logarithm of x (to base e, Euler’s number). The inverse of
Math.exp().
> Math.log(1)
0
> Math.log(Math.E)
1
> Math.log(Math.E ** 2)
2
> Math.log10(1)
0
> Math.log10(10)
1
> Math.log10(100)
2
> Math.log2(1)
0
> Math.log2(2)
1
> Math.log2(4)
2
> Math.pow(2, 3)
8
> Math.pow(25, 0.5)
5
> Math.sqrt(9)
3
16.3 Rounding
Rounding means converting an arbitrary number to an integer (a number without a dec-
imal fraction). The following functions implement different approaches to rounding.
> Math.ceil(2.1)
3
> Math.ceil(2.9)
3
> Math.floor(2.1)
2
> Math.floor(2.9)
2
> Math.round(2.4)
2
> Math.round(2.5)
3
Tbl. 16.1 shows the results of the rounding functions for a few representative inputs.
Table 16.1: Rounding functions of Math. Note how things change with
negative numbers because “larger” always means “closer to positive in-
finity”.
Math.floor -3 -3 -3 2 2 2
Math.ceil -2 -2 -2 3 3 3
Math.round -3 -2 -2 2 3 3
Math.trunc -2 -2 -2 2 2 2
function degreesToRadians(degrees) {
return degrees / 180 * Math.PI;
}
assert.equal(degreesToRadians(90), Math.PI/2);
function radiansToDegrees(radians) {
return radians / Math.PI * 180;
}
assert.equal(radiansToDegrees(Math.PI), 180);
16.4 Trigonometric Functions 139
> Math.acos(0)
1.5707963267948966
> Math.acos(1)
0
> Math.asin(0)
0
> Math.asin(1)
1.5707963267948966
> Math.cos(0)
1
> Math.cos(Math.PI)
-1
Returns the square root of the sum of the squares of values (Pythagoras’ theorem):
> Math.hypot(3, 4)
5
140 16 Math
> Math.sin(0)
0
> Math.sin(Math.PI / 2)
1
> Math.tan(0)
0
> Math.tan(1)
1.5574077246549023
> Math.abs(3)
3
> Math.abs(-3)
3
> Math.abs(0)
0
Counts the leading zero bits in the 32-bit integer x. Used in DSP algorithms.
> Math.clz32(0b01000000000000000000000000000000)
1
> Math.clz32(0b00100000000000000000000000000000)
2
> Math.clz32(2)
30
> Math.clz32(1)
31
16.6 Sources
• Wikipedia
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
142 16 Math
Chapter 17
Contents
17.1 Code points vs. code units . . . . . . . . . . . . . . . . . . . . . . . . 143
17.1.1 Code points . . . . . . . . . . . . . . . . . . . . . . . . . . . . 144
17.1.2 Encoding Unicode code points: UTF-32, UTF-16, UTF-8 . . . . 144
17.2 Encodings used in web development: UTF-16 and UTF-8 . . . . . . 146
17.2.1 Source code internally: UTF-16 . . . . . . . . . . . . . . . . . 146
17.2.2 Strings: UTF-16 . . . . . . . . . . . . . . . . . . . . . . . . . . 146
17.2.3 Source code in files: UTF-8 . . . . . . . . . . . . . . . . . . . . 146
17.3 Grapheme clusters – the real characters . . . . . . . . . . . . . . . . 146
Unicode is a standard for representing and managing text in most of the world’s writing
systems. Virtually all modern software that works with text, supports Unicode. The
standard is maintained by the Unicode Consortium. A new version of the standard is
published every year (with new emojis, etc.). Unicode version 1.0.0 was published in
October 1991.
143
144 17 Unicode – a brief introduction (advanced)
> 'A'.codePointAt(0).toString(16)
'41'
> 'ü'.codePointAt(0).toString(16)
'fc'
> 'π'.codePointAt(0).toString(16)
'3c0'
> '☺'.codePointAt(0).toString(16)
'1f642'
The hexadecimal numbers of the code points tell us that the first three characters reside
in plane 0 (within 16 bits), while the emoji resides in plane 1.
UTF-32 uses 32 bits to store code units, resulting in one code unit per code point. This
format is the only one with fixed-length encoding; all others use a varying number of code
units to encode a single code point.
17.1 Code points vs. code units 145
UTF-8 has 8-bit code units. It uses 1–4 code units to encode a code point:
Notes:
• The bit prefix of each code unit tells us:
– Is it first in a series of code units? If yes, how many code units will follow?
– Is it second or later in a series of code units?
• The character mappings in the 0000–007F range are the same as ASCII, which leads
to a degree of backward compatibility with older software.
Three examples:
146 17 Unicode – a brief introduction (advanced)
For more information on Unicode and strings, consult §18.6 “Atoms of text: Unicode
characters, JavaScript characters, grapheme clusters”.
<!doctype html>
<html>
<head>
<meta charset="UTF-8">
···
For HTML modules loaded in web browsers, the standard encoding is also UTF-8.
On the other hand, there are grapheme clusters. A grapheme cluster corresponds most
closely to a symbol displayed on screen or paper. It is defined as “a horizontally seg-
mentable unit of text”. Therefore, official Unicode documents also call it a user-perceived
character. One or more code point characters are needed to encode a grapheme cluster.
For example, the Devanagari kshi is encoded by 4 code points. We use spreading (...) to
split a string into an Array with code point characters (for details, consult §18.6.1 “Work-
ing with code points”):
Flag emojis are also grapheme clusters and composed of two code point characters – for
example, the flag of Japan:
Quiz
See quiz app.
148 17 Unicode – a brief introduction (advanced)
Chapter 18
Strings
Contents
18.1 Plain string literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . 150
18.1.1 Escaping . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 150
18.2 Accessing characters and code points . . . . . . . . . . . . . . . . . . 150
18.2.1 Accessing JavaScript characters . . . . . . . . . . . . . . . . . 150
18.2.2 Accessing Unicode code point characters via for-of and
spreading . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 150
18.3 String concatenation via + . . . . . . . . . . . . . . . . . . . . . . . . 151
18.4 Converting to string . . . . . . . . . . . . . . . . . . . . . . . . . . . 151
18.4.1 Stringifying objects . . . . . . . . . . . . . . . . . . . . . . . . 152
18.4.2 Customizing the stringification of objects . . . . . . . . . . . . 153
18.4.3 An alternate way of stringifying values . . . . . . . . . . . . . 153
18.5 Comparing strings . . . . . . . . . . . . . . . . . . . . . . . . . . . . 153
18.6 Atoms of text: Unicode characters, JavaScript characters, grapheme
clusters . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 154
18.6.1 Working with code points . . . . . . . . . . . . . . . . . . . . 154
18.6.2 Working with code units (char codes) . . . . . . . . . . . . . . 155
18.6.3 Caveat: grapheme clusters . . . . . . . . . . . . . . . . . . . . 156
18.7 Quick reference: Strings . . . . . . . . . . . . . . . . . . . . . . . . . 156
18.7.1 Converting to string . . . . . . . . . . . . . . . . . . . . . . . 156
18.7.2 Numeric values of characters . . . . . . . . . . . . . . . . . . 156
18.7.3 String operators . . . . . . . . . . . . . . . . . . . . . . . . . . 156
18.7.4 String.prototype: finding and matching . . . . . . . . . . . 157
18.7.5 String.prototype: extracting . . . . . . . . . . . . . . . . . . 159
18.7.6 String.prototype: combining . . . . . . . . . . . . . . . . . . 160
18.7.7 String.prototype: transforming . . . . . . . . . . . . . . . . 160
18.7.8 Sources . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 163
Strings are primitive values in JavaScript and immutable. That is, string-related opera-
tions always produce new strings and never change existing strings.
149
150 18 Strings
Single quotes are used more often because it makes it easier to mention HTML, where
double quotes are preferred.
The next chapter covers template literals, which give you:
• String interpolation
• Multiple lines
• Raw string literals (backslash has no special meaning)
18.1.1 Escaping
The backslash lets you create special characters:
• Unix line break: '\n'
• Windows line break: '\r\n'
• Tab: '\t'
• Backslash: '\\'
The backslash also lets you use the delimiter of a string literal inside that literal:
assert.equal(
'She said: "Let\'s go!"',
"She said: \"Let's go!\"");
18.2.2 Accessing Unicode code point characters via for-of and spread-
ing
Iterating over strings via for-of or spreading (...) visits Unicode code point characters.
Each code point character is encoded by 1–2 JavaScript characters. For more information,
18.3 String concatenation via + 151
see §18.6 “Atoms of text: Unicode characters, JavaScript characters, grapheme clusters”.
This is how you iterate over the code point characters of a string via for-of:
And this is how you convert a string into an Array of code point characters via spreading:
The assignment operator += is useful if you want to assemble a string, piece by piece:
• String(x)
• ''+x
• x.toString() (does not work for undefined and null)
152 18 Strings
Examples:
assert.equal(String(undefined), 'undefined');
assert.equal(String(null), 'null');
assert.equal(String(false), 'false');
assert.equal(String(true), 'true');
assert.equal(String(123.45), '123.45');
Pitfall for booleans: If you convert a boolean to a string via String(), you generally can’t
convert it back via Boolean():
> String(false)
'false'
> Boolean('false')
true
The only string for which Boolean() returns false, is the empty string.
Arrays have a better string representation, but it still hides much information:
> String([true])
'true'
> String(['true'])
'true'
> String(true)
'true'
const obj = {
toString() {
return 'hello';
}
};
assert.equal(String(obj), 'hello');
The caveat is that JSON only supports null, booleans, numbers, strings, Arrays, and
objects (which it always treats as if they were created by object literals).
Tip: The third parameter lets you switch on multiline output and specify how much to
indent – for example:
{
"first": "Jane",
"last": "Doe"
}
There is one important caveat to consider: These operators compare based on the nu-
meric values of JavaScript characters. That means that the order that JavaScript uses for
strings is different from the one used in dictionaries and phone books:
Properly comparing text is beyond the scope of this book. It is supported via the ECMA-
Script Internationalization API (Intl).
> String.fromCodePoint(0x1F642)
'☺'
> '☺'.codePointAt(0).toString(16)
'1f642'
You can iterate over a string, which visits Unicode characters (not JavaScript characters).
Iteration is described later in this book. One way of iterating is via a for-of loop:
// Output:
// '☺'
// 'a'
Spreading (...) into Array literals is also based on iteration and visits Unicode characters:
> [...'☺a']
[ '☺', 'a' ]
> [...'☺a'].length
2
> '☺a'.length
3
To specify a code unit hexadecimally, you can use a code unit escape:
> '\uD83D\uDE42'
'☺'
And you can use String.fromCharCode(). Char code is the standard library’s name for
code unit:
> '☺'.charCodeAt(0).toString(16)
'd83d'
156 18 Strings
x String(x)
undefined 'undefined'
null 'null'
boolean false → 'false', true → 'true'
number Example: 123 → '123'
bigint Example: 123n → '123'
string x (input, unchanged)
symbol Example: Symbol('abc') → 'Symbol(abc)'
object Configurable via, e.g., toString()
assert.equal(str[1], 'b');
Returns true if the string would end with searchString if its length were endPos.
Returns false otherwise.
> 'foo.txt'.endsWith('.txt')
true
> 'abcde'.endsWith('cd', 4)
true
Returns true if the string contains the searchString and false otherwise. The
search starts at startPos.
> 'abc'.includes('b')
true
> 'abc'.includes('b', 2)
false
Returns the lowest index at which searchString appears within the string or -1,
otherwise. Any returned index will beminIndex‘ or higher.
> 'abab'.indexOf('a')
0
> 'abab'.indexOf('a', 1)
2
> 'abab'.indexOf('c')
-1
Returns the highest index at which searchString appears within the string or -1,
otherwise. Any returned index will bemaxIndex‘ or lower.
> 'abab'.lastIndexOf('ab', 2)
2
> 'abab'.lastIndexOf('ab', 1)
0
> 'abab'.lastIndexOf('ab')
2
158 18 Strings
If regExp is a regular expression with flag /g not set, then .match() returns the
first match for regExp within the string. Or null if there is no match. If regExp is a
string, it is used to create a regular expression (think parameter of new RegExp())
before performing the previously mentioned steps.
Numbered capture groups become Array indices (which is why this type extends
Array). Named capture groups (ES2018) become properties of .groups. In this
mode, .match() works like RegExp.prototype.exec().
Examples:
> 'ababb'.match(/a(b+)/)
{ 0: 'ab', 1: 'b', index: 0, input: 'ababb', groups: undefined }
> 'ababb'.match(/a(?<foo>b+)/)
{ 0: 'ab', 1: 'b', index: 0, input: 'ababb', groups: { foo: 'b' } }
> 'abab'.match(/x/)
null
If flag /g of regExp is set, .match() returns either an Array with all matches or
null if there was no match.
> 'ababb'.match(/a(b+)/g)
[ 'ab', 'abb' ]
> 'ababb'.match(/a(?<foo>b+)/g)
[ 'ab', 'abb' ]
> 'abab'.match(/x/g)
null
Returns the index at which regExp occurs within the string. If regExp is a string, it
is used to create a regular expression (think parameter of new RegExp()).
> 'a2b'.search(/[0-9]/)
1
> 'a2b'.search('[0-9]')
1
> '.gitignore'.startsWith('.')
true
> 'abcde'.startsWith('bc', 1)
true
Returns the substring of the string that starts at (including) index start and ends
at (excluding) index end. If an index is negative, it is added to .length before it is
used (-1 becomes this.length-1, etc.).
> 'abc'.slice(1, 3)
'bc'
> 'abc'.slice(1)
'bc'
> 'abc'.slice(-2)
'bc'
Splits the string into an Array of substrings – the strings that occur between the
separators. The separator can be a string:
The last invocation demonstrates that captures made by groups in the regular ex-
pression become elements of the returned Array.
> '☺X☺'.split('')
[ '\uD83D', '\uDE42', 'X', '\uD83D', '\uDE42' ]
> [...'☺X☺']
[ '☺', 'X', '☺' ]
Appends (fragments of) fillString to the string until it has the desired length len.
If it already has or exceeds len, then it is returned without any changes.
> '#'.padEnd(2)
'# '
> 'abc'.padEnd(2)
'abc'
> '#'.padEnd(5, 'abc')
'#abca'
Prepends (fragments of) fillString to the string until it has the desired length
len. If it already has or exceeds len, then it is returned without any changes.
> '#'.padStart(2)
' #'
> 'abc'.padStart(2)
'abc'
> '#'.padStart(5, 'abc')
'abca#'
> '*'.repeat()
''
> '*'.repeat(3)
'***'
– $$: becomes $
– $n: becomes the capture of numbered group n (alas, $0 stands for the string
'$0', it does not refer to the complete match)
– $&: becomes the complete match
– $`: becomes everything before the match
– $': becomes everything after the match
Examples:
Example:
assert.equal(
'a 2020-04 b'.replace(
/(?<year>[0-9]{4})-(?<month>[0-9]{2})/, '|$<month>|'),
'a |04| b');
If the second parameter is a function, occurrences are replaced with the strings it
returns. Its parameters args are:
Named capture groups (ES2018) are supported, too. If there are any, an argument
is added at the end with an object whose properties contain the captures:
Returns a copy of the string in which all lowercase alphabetic characters are con-
verted to uppercase. How well that works for various alphabets, depends on the
JavaScript engine.
> '-a2b-'.toUpperCase()
'-A2B-'
> 'αβγ'.toUpperCase()
'ΑΒΓ'
Returns a copy of the string in which all uppercase alphabetic characters are con-
verted to lowercase. How well that works for various alphabets, depends on the
JavaScript engine.
> '-A2B-'.toLowerCase()
'-a2b-'
> 'ΑΒΓ'.toLowerCase()
'αβγ'
Returns a copy of the string in which all leading and trailing whitespace (spaces,
tabs, line terminators, etc.) is gone.
18.7.8 Sources
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
Quiz
See quiz app.
164 18 Strings
Chapter 19
Contents
19.1 Disambiguation: “template” . . . . . . . . . . . . . . . . . . . . . . 165
19.2 Template literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 166
19.3 Tagged templates . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 167
19.3.1 Cooked vs. raw template strings (advanced) . . . . . . . . . . 167
19.3.2 Tag function library: lit-html . . . . . . . . . . . . . . . . . . . 168
19.3.3 Tag function library: re-template-tag . . . . . . . . . . . . . . 168
19.3.4 Tag function library: graphql-tag . . . . . . . . . . . . . . . . 169
19.4 Raw string literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . 169
19.5 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 169
19.6 Multiline template literals and indentation . . . . . . . . . . . . . . 170
19.6.1 Fix: template tag for dedenting . . . . . . . . . . . . . . . . . 170
19.6.2 Fix: .trim() . . . . . . . . . . . . . . . . . . . . . . . . . . . . 171
19.7 Simple templating via template literals . . . . . . . . . . . . . . . . 171
19.7.1 A more complex example . . . . . . . . . . . . . . . . . . . . 172
19.7.2 Simple HTML-escaping . . . . . . . . . . . . . . . . . . . . . 173
Before we dig into the two features template literal and tagged template, let’s first examine
the multiple meanings of the term template.
165
166 19 Using template literals and tagged templates
<div class="entry">
<h1>{{title}}</h1>
<div class="body">
{{body}}
</div>
</div>
This template has two blanks to be filled in: title and body. It is used like this:
// First step: retrieve the template text, e.g. from a text file.
const tmplFunc = Handlebars.compile(TMPL_TEXT); // compile string
const data = {title: 'My page', body: 'Welcome to my page!'};
const html = tmplFunc(data);
• A template literal is similar to a string literal, but has additional features – for exam-
ple, interpolation. It is delimited by backticks:
const num = 5;
assert.equal(`Count: ${num}!`, 'Count: 5!');
• Syntactically, a tagged template is a template literal that follows a function (or rather,
an expression that evaluates to a function). That leads to the function being called.
Its arguments are derived from the contents of the template literal.
Note that getArgs() receives both the text of the literal and the data interpolated
via ${}.
First, it supports string interpolation: if you put a dynamically computed value inside a
${}, it is converted to a string and inserted into the string returned by the literal.
assert.deepEqual(
tagFunc`Setting ${setting} is ${value}!`, // (A)
[['Setting ', ' is ', '!'], 'dark mode', true] // (B)
);
The function tagFunc before the first backtick is called a tag function. Its arguments are:
• Template strings (first argument): an Array with the text fragments surrounding the
interpolations ${}.
– In the example: ['Setting ', ' is ', '!']
• Substitutions (remaining arguments): the interpolated values.
– In the example: 'dark mode' and true
The static (fixed) parts of the literal (the template strings) are kept separate from the
dynamic parts (the substitutions).
A tag function can return arbitrary values.
The raw interpretation enables raw string literals via String.raw (described later) and
similar applications.
Tagged templates are great for supporting small embedded languages (so-called domain-
specific languages). We’ll continue with a few examples.
repeat() is a custom function for looping. Its 2nd parameter produces unique keys for
the values returned by the 3rd parameter. Note the nested tagged template used by that
parameter.
Additionally, there are plugins for pre-compiling such queries in Babel, TypeScript, etc.
assert.equal(String.raw`\back`, '\\back');
This helps whenever data contains backslashes – for example, strings with regular ex-
pressions:
All three regular expressions are equivalent. With a normal string literal, you have to
write the backslash twice, to escape it for that literal. With a raw string literal, you don’t
have to do that.
Raw string literals are also useful for specifying Windows filename paths:
19.5 (Advanced)
All remaining sections are advanced
170 19 Using template literals and tagged templates
For example:
function div(text) {
return `
<div>
${text}
</div>
`;
}
console.log('Output:');
console.log(
div('Hello!')
// Replace spaces with mid-dots:
.replace(/ /g, '·')
// Replace \n with #\n:
.replace(/\n/g, '#\n')
);
Due to the indentation, the template literal fits well into the source code. Alas, the output
is also indented. And we don’t want the return at the beginning and the return plus two
spaces at the end.
Output:
#
····<div>#
······Hello!#
····</div>#
··
There are two ways to fix this: via a tagged template or by trimming the result of the
template literal.
</div>
`.replace(/\n/g, '#\n');
}
console.log('Output:');
console.log(divDedented('Hello!'));
Output:
<div>#
Hello!#
</div>
function divDedented(text) {
return `
<div>
${text}
</div>
`.trim().replace(/\n/g, '#\n');
}
console.log('Output:');
console.log(divDedented('Hello!'));
The string method .trim() removes the superfluous whitespace at the beginning and at
the end, but the content itself must start in the leftmost column. The advantage of this
solution is that you don’t need a custom tag function. The downside is that it looks ugly.
Output:
<div>#
Hello!#
</div>
const addresses = [
{ first: '<Jane>', last: 'Bond' },
{ first: 'Lars', last: '<Croft>' },
];
The function tmpl() that produces the HTML table looks as follows:
• The first one (line 1) takes addrs, an Array with addresses, and returns a string
with a table.
• The second one (line 4) takes addr, an object containing an address, and returns a
string with a table row. Note the .trim() at the end, which removes unnecessary
whitespace.
The first templating function produces its result by wrapping a table element around an
Array that it joins into a string (line 10). That Array is produced by mapping the second
templating function to each element of addrs (line 3). It therefore contains strings with
table rows.
The helper function escapeHtml() is used to escape special HTML characters (line 6 and
line 7). Its implementation is shown in the next subsection.
Let us call tmpl() with the addresses and log the result:
console.log(tmpl(addresses));
<table>
<tr>
<td><Jane></td>
<td>Bond</td>
</tr><tr>
<td>Lars</td>
<td><Croft></td>
19.7 Simple templating via template literals 173
</tr>
</table>
Quiz
See quiz app.
174 19 Using template literals and tagged templates
Chapter 20
Symbols
Contents
20.1 Use cases for symbols . . . . . . . . . . . . . . . . . . . . . . . . . . 176
20.1.1 Symbols: values for constants . . . . . . . . . . . . . . . . . . 176
20.1.2 Symbols: unique property keys . . . . . . . . . . . . . . . . . 177
20.2 Publicly known symbols . . . . . . . . . . . . . . . . . . . . . . . . 178
20.3 Converting symbols . . . . . . . . . . . . . . . . . . . . . . . . . . . 178
Symbols are primitive values that are created via the factory function Symbol():
The parameter is optional and provides a description, which is mainly useful for debug-
ging.
On one hand, symbols are like objects in that each value created by Symbol() is unique
and not compared by value:
On the other hand, they also behave like primitive values. They have to be categorized
via typeof:
const obj = {
[sym]: 123,
};
175
176 20 Symbols
On the plus side, logging that constant produces helpful output. On the minus side, there
is a risk of mistaking an unrelated value for a color because two strings with the same
content are considered equal:
assert.notEqual(COLOR_BLUE, MOOD_BLUE);
function getComplement(color) {
switch (color) {
case COLOR_RED:
return COLOR_GREEN;
case COLOR_ORANGE:
return COLOR_BLUE;
case COLOR_YELLOW:
return COLOR_VIOLET;
case COLOR_GREEN:
return COLOR_RED;
case COLOR_BLUE:
return COLOR_ORANGE;
case COLOR_VIOLET:
return COLOR_YELLOW;
default:
20.1 Use cases for symbols 177
• The program operates at a base level. The keys at that level reflect the problem that
the program solves.
• Libraries and ECMAScript operate at a meta-level. The keys at that level are used
by services operating on base-level data and code. One such key is 'toString'.
const pt = {
x: 7,
y: 4,
toString() {
return `(${this.x}, ${this.y})`;
},
};
assert.equal(String(pt), '(7, 4)');
Properties .x and .y exist at the base level. They hold the coordinates of the point
represented by pt and are used to solve a problem – computing with points. Method
.toString() exists at a meta-level. It is used by JavaScript to convert this object to a
string.
Meta-level properties must never interfere with base-level properties. That is, their keys
must never overlap. That is difficult when both language and libraries contribute to
the meta-level. For example, it is now impossible to give new meta-level methods sim-
ple names, such as toString because they might clash with existing base-level names.
Python’s solution to this problem is to prefix and suffix special names with two under-
scores: __init__, __iter__, __hash__, etc. However, even with this solution, libraries
can’t have their own meta-level properties because those might be in conflict with future
language properties.
Symbols, used as property keys, help us here: Each symbol is unique and a symbol key
never clashes with any other string or symbol key.
As an example, let’s assume we are writing a library that treats objects differently if they
implement a special method. This is what defining a property key for such a method
and implementing it for an object would look like:
[specialMethod]() { // (A)
return this._id;
}
};
assert.equal(obj[specialMethod](), 'kf12oi');
The square brackets in line A enable us to specify that the method must have the key
specialMethod. More details are explained in §25.6.2 “Computed property keys”.
One key pitfall with symbols is how often exceptions are thrown when converting them
to something else. What is the thinking behind that? First, conversion to number never
makes sense and should be warned about. Second, converting a symbol to a string is
indeed useful for diagnostic output. But it also makes sense to warn about accidentally
turning a symbol into a string (which is a different kind of property key):
const obj = {};
const sym = Symbol();
assert.throws(
() => { obj['__'+sym+'__'] = true },
{ message: 'Cannot convert a Symbol value to a string' });
The downside is that the exceptions make working with symbols more complicated. You
have to explicitly convert symbols when assembling strings via the plus operator:
> const mySymbol = Symbol('mySymbol');
> 'Symbol I used: ' + mySymbol
TypeError: Cannot convert a Symbol value to a string
> 'Symbol I used: ' + String(mySymbol)
'Symbol I used: Symbol(mySymbol)'
Quiz
See quiz app.
180 20 Symbols
Part V
181
Chapter 21
Contents
21.1 Conditions of control flow statements . . . . . . . . . . . . . . . . . 184
21.2 Controlling loops: break and continue . . . . . . . . . . . . . . . . . 184
21.2.1 break . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 184
21.2.2 break plus label: leaving any labeled statement . . . . . . . . 185
21.2.3 continue . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 185
21.3 if statements . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 186
21.3.1 The syntax of if statements . . . . . . . . . . . . . . . . . . . 186
21.4 switch statements . . . . . . . . . . . . . . . . . . . . . . . . . . . . 187
21.4.1 A first example of a switch statement . . . . . . . . . . . . . . 187
21.4.2 Don’t forget to return or break! . . . . . . . . . . . . . . . . . 188
21.4.3 Empty case clauses . . . . . . . . . . . . . . . . . . . . . . . . 188
21.4.4 Checking for illegal values via a default clause . . . . . . . . 189
21.5 while loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 189
21.5.1 Examples of while loops . . . . . . . . . . . . . . . . . . . . . 190
21.6 do-while loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 190
21.7 for loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 190
21.7.1 Examples of for loops . . . . . . . . . . . . . . . . . . . . . . 191
21.8 for-of loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 191
21.8.1 const: for-of vs. for . . . . . . . . . . . . . . . . . . . . . . . 192
21.8.2 Iterating over iterables . . . . . . . . . . . . . . . . . . . . . . 192
21.8.3 Iterating over [index, element] pairs of Arrays . . . . . . . . . 192
21.9 for-await-of loops . . . . . . . . . . . . . . . . . . . . . . . . . . . 193
21.10 for-in loops (avoid) . . . . . . . . . . . . . . . . . . . . . . . . . . . 193
183
184 21 Control flow statements
Before we get to the actual control flow statements, let’s take a look at two operators for
controlling loops.
if (value) {}
if (Boolean(value) === true) {}
• undefined, null
• false
• 0, NaN
• 0n
• ''
All other values are truthy. For more information, see §14.2 “Falsy and truthy values”.
21.2.1 break
There are two versions of break: one with an operand and one without an operand. The
latter version works inside the following statements: while, do-while, for, for-of, for-
await-of, for-in and switch. It immediately leaves the current statement:
// Output:
// 'a'
// '---'
// 'b'
21.2 Controlling loops: break and continue 185
break with an operand works everywhere. Its operand is a label. Labels can be put in
front of any statement, including blocks. break foo leaves the statement whose label is
foo:
foo: { // label
if (condition) break foo; // labeled break
// ···
}
In the following example, we use break with a label to leave a loop differently when we
succeeded (line A). Then we skip what comes directly after the loop, which is where we
end up if we failed.
21.2.3 continue
continue only works inside while, do-while, for, for-of, for-await-of, and for-in.
It immediately leaves the current loop iteration and continues with the next one – for
example:
const lines = [
'Normal line',
'# Comment',
186 21 Control flow statements
21.3 if statements
These are two simple if statements: one with just a “then” branch and one with both a
“then” branch and an “else” branch:
if (cond) {
// then branch
}
if (cond) {
// then branch
} else {
// else branch
}
if (cond1) {
// ···
} else if (cond2) {
// ···
}
if (cond1) {
// ···
} else if (cond2) {
// ···
} else {
// ···
}
if (cond) «then_statement»
else «else_statement»
21.4 switch statements 187
So far, the then_statement has always been a block, but we can use any statement. That
statement must be terminated with a semicolon:
That means that else if is not its own construct; it’s simply an if statement whose
else_statement is another if statement.
switch («switch_expression») {
«switch_body»
}
case «case_expression»:
«statements»
default:
«statements»
function dayOfTheWeek(num) {
switch (num) {
case 1:
return 'Monday';
case 2:
return 'Tuesday';
case 3:
return 'Wednesday';
case 4:
return 'Thursday';
case 5:
return 'Friday';
case 6:
188 21 Control flow statements
return 'Saturday';
case 7:
return 'Sunday';
}
}
assert.equal(dayOfTheWeek(5), 'Friday');
function englishToFrench(english) {
let french;
switch (english) {
case 'hello':
french = 'bonjour';
case 'goodbye':
french = 'au revoir';
}
return french;
}
// The result should be 'bonjour'!
assert.equal(englishToFrench('hello'), 'au revoir');
That is, our implementation of dayOfTheWeek() only worked because we used return.
We can fix englishToFrench() by using break:
function englishToFrench(english) {
let french;
switch (english) {
case 'hello':
french = 'bonjour';
break;
case 'goodbye':
french = 'au revoir';
break;
}
return french;
}
assert.equal(englishToFrench('hello'), 'bonjour'); // ok
function isWeekDay(name) {
switch (name) {
case 'Monday':
21.5 while loops 189
case 'Tuesday':
case 'Wednesday':
case 'Thursday':
case 'Friday':
return true;
case 'Saturday':
case 'Sunday':
return false;
}
}
assert.equal(isWeekDay('Wednesday'), true);
assert.equal(isWeekDay('Sunday'), false);
function isWeekDay(name) {
switch (name) {
case 'Monday':
case 'Tuesday':
case 'Wednesday':
case 'Thursday':
case 'Friday':
return true;
case 'Saturday':
case 'Sunday':
return false;
default:
throw new Error('Illegal value: '+name);
}
}
assert.throws(
() => isWeekDay('January'),
{message: 'Illegal value: January'});
Exercises: switch
• exercises/control-flow/number_to_month_test.mjs
• Bonus: exercises/control-flow/is_object_via_switch_test.mjs
while («condition») {
«statements»
}
prompt() is a global function that is available in web browsers. It prompts the user to
input text and returns it.
The first line is the head of the loop and controls how often the body (the remainder of the
loop) is executed. It has three parts and each of them is optional:
• initialization: sets up variables, etc. for the loop. Variables declared here via
let or const only exist inside the loop.
• condition: This condition is checked before each loop iteration. If it is falsy, the
loop stops.
• post_iteration: This code is executed after each loop iteration.
A for loop is therefore roughly equivalent to the following while loop:
«initialization»
while («condition») {
«statements»
«post_iteration»
}
// Output:
// 0
// 1
// 2
// Output:
// 'a'
// 'b'
// 'c'
If you omit all three parts of the head, you get an infinite loop:
for (;;) {
if (Math.random() === 0) break;
}
But you can also use a (mutable) variable that already exists:
const iterable = ['hello', 'world'];
let elem;
for (elem of iterable) {
console.log(elem);
}
Exercise: for-of
exercises/control-flow/array_to_string_test.mjs
This is an example of using for-in properly, which involves boilerplate code (line A):
function getOwnPropertyNames(obj) {
const result = [];
for (const key in obj) {
if ({}.hasOwnProperty.call(obj, key)) { // (A)
result.push(key);
}
}
return result;
}
assert.deepEqual(
getOwnPropertyNames({ a: 1, b:2 }),
['a', 'b']);
assert.deepEqual(
getOwnPropertyNames(['a', 'b']),
['0', '1']); // strings!
We can implement the same functionality without for-in, which is almost always better:
function getOwnPropertyNames(obj) {
const result = [];
for (const key of Object.keys(obj)) {
result.push(key);
}
194 21 Control flow statements
return result;
}
Quiz
See quiz app.
Chapter 22
Exception handling
Contents
22.1 Motivation: throwing and catching exceptions . . . . . . . . . . . . 195
22.2 throw . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 196
22.2.1 Options for creating error objects . . . . . . . . . . . . . . . . 197
22.3 The try statement . . . . . . . . . . . . . . . . . . . . . . . . . . . . 197
22.3.1 The try block . . . . . . . . . . . . . . . . . . . . . . . . . . . 197
22.3.2 The catch clause . . . . . . . . . . . . . . . . . . . . . . . . . 197
22.3.3 The finally clause . . . . . . . . . . . . . . . . . . . . . . . . 198
22.4 Error classes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 199
22.4.1 Properties of error objects . . . . . . . . . . . . . . . . . . . . 199
function readProfiles(filePaths) {
const profiles = [];
for (const filePath of filePaths) {
try {
const profile = readOneProfile(filePath);
profiles.push(profile);
195
196 22 Exception handling
Let’s examine what happens in line B: An error occurred, but the best place to handle
the problem is not the current location, it’s line A. There, we can skip the current file and
move on to the next one.
Therefore:
readProfiles(···)
for (const filePath of filePaths)
try
readOneProfile(···)
openFile(···)
if (!fs.existsSync(filePath))
throw
One by one, throw exits the nested constructs, until it encounters a try statement. Exe-
cution continues in the catch clause of that try statement.
22.2 throw
throw «value»;
Any value can be thrown, but it’s best to throw an instance of Error or its subclasses.
try {
«try_statements»
} catch (error) {
«catch_statements»
} finally {
«finally_statements»
}
• try-catch
• try-finally
• try-catch-finally
Since ECMAScript 2019, you can omit the catch parameter (error), if you are not inter-
ested in the value that was thrown.
The following code demonstrates that the value that is thrown in line A is indeed caught
in line B.
try {
func();
} catch (err) { // (B)
assert.equal(err, errorObject);
}
Let’s look at a common use case for finally: You have created a resource and want to
always destroy it when you are done with it, no matter what happens while working
with it. You’d implement that as follows:
The finally clause is always executed, even if an error is thrown (line A):
exercises/exception-handling/call_function_test.mjs
Quiz
See quiz app.
Chapter 23
Callable values
Contents
23.1 Kinds of functions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 201
23.2 Ordinary functions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 202
23.2.1 Parts of a function declaration . . . . . . . . . . . . . . . . . . 202
23.2.2 Roles played by ordinary functions . . . . . . . . . . . . . . . 203
23.2.3 Names of ordinary functions . . . . . . . . . . . . . . . . . . . 203
23.3 Specialized functions . . . . . . . . . . . . . . . . . . . . . . . . . . 204
23.3.1 Specialized functions are still functions . . . . . . . . . . . . . 204
23.3.2 Recommendation: prefer specialized functions . . . . . . . . . 205
23.3.3 Arrow functions . . . . . . . . . . . . . . . . . . . . . . . . . 205
23.4 More kinds of functions and methods . . . . . . . . . . . . . . . . . 207
23.5 Returning values from functions and methods . . . . . . . . . . . . 208
23.6 Parameter handling . . . . . . . . . . . . . . . . . . . . . . . . . . . 209
23.6.1 Terminology: parameters vs. arguments . . . . . . . . . . . . 209
23.6.2 Terminology: callback . . . . . . . . . . . . . . . . . . . . . . 209
23.6.3 Too many or not enough arguments . . . . . . . . . . . . . . . 210
23.6.4 Parameter default values . . . . . . . . . . . . . . . . . . . . . 210
23.6.5 Rest parameters . . . . . . . . . . . . . . . . . . . . . . . . . . 210
23.6.6 Named parameters . . . . . . . . . . . . . . . . . . . . . . . . 211
23.6.7 Simulating named parameters . . . . . . . . . . . . . . . . . . 212
23.6.8 Spreading (...) into function calls . . . . . . . . . . . . . . . . 212
23.7 Dynamically evaluating code: eval(), new Function() (advanced) . 213
23.7.1 eval() . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 214
23.7.2 new Function() . . . . . . . . . . . . . . . . . . . . . . . . . . 214
23.7.3 Recommendations . . . . . . . . . . . . . . . . . . . . . . . . 215
201
202 23 Callable values
As we have seen in §10.8 “Declarations: scope and activation”, function declarations are
activated early, while variable declarations (e.g., via const) are not.
The syntax of function declarations and function expressions is very similar. The context
determines which is which. For more information on this kind of syntactic ambiguity,
consult §6.5 “Ambiguous syntax”.
function add(x, y) {
return x + y;
}
This function declaration creates an ordinary function whose name is add. As an ordinary
function, add() can play three roles:
In line A, obj is called the receiver of the method call. It can be accessed via this
inside the method.
(As an aside, the names of classes normally start with capital letters.)
In contrast, the name of a function declaration is accessible inside the current scope:
204 23 Callable values
Apart from nicer syntax, each kind of specialized function also supports new features,
making them better at their jobs than ordinary functions.
• Arrow functions are explained later in this chapter.
• Methods are explained in the chapter on single objects.
• Classes are explained in the chapter on classes.
Tbl. 23.1 lists the capabilities of ordinary and specialized functions.
true
> (class SomeClass {}) instanceof Function
true
The (roughly) equivalent arrow function looks as follows. Arrow functions are expres-
sions.
const f = (x, y, z) => { return 123 };
Here, the body of the arrow function is a block. But it can also be an expression. The
following arrow function works exactly like the previous one.
const f = (x, y, z) => 123;
If an arrow function has only a single parameter and that parameter is an identifier (not
a destructuring pattern) then you can omit the parentheses around the parameter:
206 23 Callable values
const id = x => x;
Ordinary functions can be both methods and real functions. Alas, the two roles are in
conflict:
const person = {
name: 'Jill',
someMethod() {
const ordinaryFunc = function () {
assert.throws(
() => this.name, // (A)
/^TypeError: Cannot read property 'name' of undefined$/);
};
const arrowFunc = () => {
assert.equal(this.name, 'Jill'); // (B)
};
ordinaryFunc();
arrowFunc();
},
}
• Dynamic this: In line A, we try to access the this of .someMethod() from an ordi-
nary function. There, it is shadowed by the function’s own this, which is undefined
(as filled in by the function call). Given that ordinary functions receive their this
via (dynamic) function or method calls, their this is called dynamic.
• Lexical this: In line B, we again try to access the this of .someMethod(). This
time, we succeed because the arrow function does not have its own this. this
is resolved lexically, just like any other variable. That’s why the this of arrow
functions is called lexical.
23.4 More kinds of functions and methods 207
If you want the expression body of an arrow function to be an object literal, you must
put the literal in parentheses:
const func1 = () => ({a: 1});
assert.deepEqual(func1(), { a: 1 });
If you don’t, JavaScript thinks, the arrow function has a block body (that doesn’t return
anything):
const func2 = () => {a: 1};
assert.deepEqual(func2(), undefined);
{a: 1} is interpreted as a block with the label a: and the expression statement 1. Without
an explicit return statement, the block body returns undefined.
This pitfall is caused by syntactic ambiguity: object literals and code blocks have the
same syntax. We use the parentheses to tell JavaScript that the body is an expression (an
object literal) and not a statement (a block).
For more information on shadowing this, consult §25.4.5 “this pitfall: accidentally
shadowing this”.
So far, all (real) functions and methods, that we have seen, were:
• Single-result
• Synchronous
Later chapters will cover other modes of programming:
• Iteration treats objects as containers of data (so-called iterables) and provides a stan-
dardized way for retrieving what is inside them. If a function or a method returns
an iterable, it returns multiple values.
• Asynchronous programming deals with handling a long-running computation. You
are notified when the computation is finished and can do something else in be-
tween. The standard pattern for asynchronously delivering single results is called
Promise.
These modes can be combined – for example, there are synchronous iterables and asyn-
chronous iterables.
Several new kinds of functions and methods help with some of the mode combinations:
• Async functions help implement functions that return Promises. There are also
async methods.
208 23 Callable values
Table 23.2: Syntax for creating functions and methods. The last column
specifies how many values are produced by an entity.
Result Values
Sync function Sync method
function f() {} { m() {} } value 1
f = function () {}
f = () => {}
Sync generator function Sync gen. method
function* f() {} { * m() {} } iterable 0+
f = function* () {}
Async function Async method
async function f() {} { async m() {} } Promise 1
f = async function () {}
f = async () => {}
Async generator function Async gen. method
async function* f() {} { async * m() {} } async iterable 0+
f = async function* () {}
function func() {
return 123;
}
assert.equal(func(), 123);
Another example:
function boolToYesNo(bool) {
if (bool) {
return 'Yes';
} else {
return 'No';
23.6 Parameter handling 209
}
}
assert.equal(boolToYesNo(true), 'Yes');
assert.equal(boolToYesNo(false), 'No');
If, at the end of a function, you haven’t returned anything explicitly, JavaScript returns
undefined for you:
function noReturn() {
// No explicit return
}
assert.equal(noReturn(), undefined);
// Output:
// 'a'
// 'b'
For example:
function foo(x, y) {
return [x, y];
}
assert.deepEqual(
f(undefined, undefined),
[undefined, 0]);
You can use a rest parameter to enforce a certain number of arguments. Take, for example,
the following function:
function createPoint(x, y) {
return {x, y};
// same as {x: x, y: y}
}
function createPoint(...args) {
if (args.length !== 2) {
throw new Error('Please provide exactly 2 arguments!');
}
const [x, y] = args; // (A)
return {x, y};
}
selectEntries(3, 20, 2)
• They lead to more self-explanatory code because each argument has a descriptive
label. Just compare the two versions of selectEntries(): with the second one, it
is much easier to see what happens.
212 23 Callable values
• The order of the arguments doesn’t matter (as long as the names are correct).
• Handling more than one optional parameter is more convenient: callers can easily
provide any subset of all optional parameters and don’t have to be aware of the
ones they omit (with positional parameters, you have to fill in preceding optional
parameters, with undefined).
This function uses destructuring to access the properties of its single parameter. The pat-
tern it uses is an abbreviation for the following pattern:
{start: start=0, end: end=-1, step: step=1}
But it does not work if you call the function without any parameters:
> selectEntries()
TypeError: Cannot destructure property `start` of 'undefined' or 'null'.
You can fix this by providing a default value for the whole pattern. This default value
works the same as default values for simpler parameter definitions: if the parameter is
missing, the default is used.
function selectEntries({start=0, end=-1, step=1} = {}) {
return {start, end, step};
}
assert.deepEqual(
selectEntries(),
{ start: 0, end: -1, step: 1 });
func(...someIterable);
// same as func('a', 'b')
// Output:
// 'a'
// 'b'
Spreading and rest parameters use the same syntax (...), but they serve opposite pur-
poses:
• Rest parameters are used when defining functions or methods. They collect argu-
ments into Arrays.
• Spread arguments are used when calling functions or methods. They turn iterable
objects into arguments.
Math.max() returns the largest one of its zero or more arguments. Alas, it can’t be used
for Arrays, but spreading gives us a way out:
> Math.max(-1, 5, 11, 3)
11
> Math.max(...[-1, 5, 11, 3])
11
> Math.max(-1, ...[-5, 11], 3)
11
Similarly, the Array method .push() destructively adds its zero or more parameters to
the end of its Array. JavaScript has no method for destructively appending an Array to
another one. Once again, we are saved by spreading:
const arr1 = ['a', 'b'];
const arr2 = ['c', 'd'];
arr1.push(...arr2);
assert.deepEqual(arr1, ['a', 'b', 'c', 'd']);
tion().
23.7.1 eval()
Given a string str with JavaScript code, eval(str) evaluates that code and returns the
result:
• Directly, via a function call. Then the code in its argument is evaluated inside the
current scope.
• Indirectly, not via a function call. Then it evaluates its code in global scope.
“Not via a function call” means “anything that looks different than eval(···)”:
• eval.call(undefined, '···')
• (0, eval)('···') (uses the comma operator)
• globalThis.eval('···')
• const e = eval; e('···')
• Etc.
globalThis.myVariable = 'global';
function func() {
const myVariable = 'local';
// Direct eval
assert.equal(eval('myVariable'), 'local');
// Indirect eval
assert.equal(eval.call(undefined, 'myVariable'), 'global');
}
Evaluating code in global context is safer because the code has access to fewer internals.
The previous statement is equivalent to the next statement. Note that «param_1», etc.,
are not inside string literals, anymore.
In the next example, we create the same function twice, first via new Function(), then
via a function expression:
23.7 Dynamically evaluating code: eval(), new Function() (advanced) 215
23.7.3 Recommendations
Avoid dynamic evaluation of code as much as you can:
• It’s a security risk because it may enable an attacker to execute arbitrary code with
the privileges of your code.
• It may be switched off – for example, in browsers, via a Content Security Policy.
Very often, JavaScript is dynamic enough so that you don’t need eval() or similar. In
the following example, what we are doing with eval() (line A) can be achieved just as
well without it (line B).
const obj = {a: 1, b: 2};
const propKey = 'b';
Quiz
See quiz app.
216 23 Callable values
Part VI
Modularity
217
Chapter 24
Modules
Contents
24.1 Overview: syntax of ECMAScript modules . . . . . . . . . . . . . . 220
24.1.1 Exporting . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 220
24.1.2 Importing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 220
24.2 JavaScript source code formats . . . . . . . . . . . . . . . . . . . . . 221
24.2.1 Code before built-in modules was written in ECMAScript 5 . . 221
24.3 Before we had modules, we had scripts . . . . . . . . . . . . . . . . 221
24.4 Module systems created prior to ES6 . . . . . . . . . . . . . . . . . . 222
24.4.1 Server side: CommonJS modules . . . . . . . . . . . . . . . . 223
24.4.2 Client side: AMD (Asynchronous Module Definition) modules 223
24.4.3 Characteristics of JavaScript modules . . . . . . . . . . . . . . 224
24.5 ECMAScript modules . . . . . . . . . . . . . . . . . . . . . . . . . . 224
24.5.1 ES modules: syntax, semantics, loader API . . . . . . . . . . . 225
24.6 Named exports and imports . . . . . . . . . . . . . . . . . . . . . . . 225
24.6.1 Named exports . . . . . . . . . . . . . . . . . . . . . . . . . . 225
24.6.2 Named imports . . . . . . . . . . . . . . . . . . . . . . . . . . 226
24.6.3 Namespace imports . . . . . . . . . . . . . . . . . . . . . . . . 227
24.6.4 Named exporting styles: inline versus clause (advanced) . . . 227
24.7 Default exports and imports . . . . . . . . . . . . . . . . . . . . . . . 227
24.7.1 The two styles of default-exporting . . . . . . . . . . . . . . . 228
24.7.2 The default export as a named export (advanced) . . . . . . . 229
24.8 More details on exporting and importing . . . . . . . . . . . . . . . 230
24.8.1 Imports are read-only views on exports . . . . . . . . . . . . . 230
24.8.2 ESM’s transparent support for cyclic imports (advanced) . . . 231
24.9 npm packages . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 231
24.9.1 Packages are installed inside a directory node_modules/ . . . . 232
24.9.2 Why can npm be used to install frontend libraries? . . . . . . . 233
24.10Naming modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 233
24.11Module specifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . 234
219
220 24 Modules
// Default exports
export default function f() {} // declaration with optional name
// Replacement for `const` (there must be exactly one value)
export default 123;
24.1.2 Importing
// Named imports
import {foo, bar as b} from './some-module.mjs';
// Namespace import
import * as someModule from './some-module.mjs';
// Default import
import someModule from './some-module.mjs';
// Combinations:
import someModule, * as someModule from './some-module.mjs';
import someModule, {foo, bar as b} from './some-module.mjs';
<script src="other-module1.js"></script>
<script src="other-module2.js"></script>
<script src="my-module.js"></script>
// Body
function internalFunc() {
// ···
}
function exportedFunc() {
importedFunc1();
importedFunc2();
internalFunc();
}
myModule is a global variable that is assigned the result of immediately invoking a func-
tion expression. The function expression starts in the first line. It is invoked in the last
line.
This way of wrapping a code fragment is called immediately invoked function expression
(IIFE, coined by Ben Alman). What do we gain from an IIFE? var is not block-scoped
(like const and let), it is function-scoped: the only way to create new scopes for var-
declared variables is via functions or methods (with const and let, you can use either
functions, methods, or blocks {}). Therefore, the IIFE in the example hides all of the
following variables from global scope and minimizes name clashes: importedFunc1, im-
portedFunc2, internalFunc, exportedFunc.
Note that we are using an IIFE in a particular manner: at the end, we pick what we
want to export and return it via an object literal. That is called the revealing module pattern
(coined by Christian Heilmann).
• Libraries in script files export and import functionality via global variables, which
risks name clashes.
• Dependencies are not stated explicitly, and there is no built-in way for a script to
load the scripts it depends on. Therefore, the web page has to load not just the
scripts that are needed by the page but also the dependencies of those scripts, the
dependencies’ dependencies, etc. And it has to do so in the right order!
// Body
function internalFunc() {
// ···
}
function exportedFunc() {
importedFunc1();
importedFunc2();
internalFunc();
}
// Exports
module.exports = {
exportedFunc: exportedFunc,
};
function internalFunc() {
224 24 Modules
// ···
}
function exportedFunc() {
importedFunc1();
importedFunc2();
internalFunc();
}
return {
exportedFunc: exportedFunc,
};
});
• With CommonJS, ES modules share the compact syntax and support for cyclic de-
pendencies.
• With AMD, ES modules share being designed for asynchronous loading.
ES modules also have new benefits:
• The syntax is even more compact than CommonJS’s.
• Modules have static structures (which can’t be changed at runtime). That helps
with static checking, optimized access of imports, dead code elimination, and
more.
• Support for cyclic imports is completely transparent.
This is an example of ES module syntax:
import {importedFunc1} from './other-module1.mjs';
import {importedFunc2} from './other-module2.mjs';
function internalFunc() {
···
}
To export something, we put the keyword export in front of a declaration. Entities that
are not exported are private to a module and can’t be accessed from outside.
• You can destructure again inside a destructuring pattern, but the {} in an import
statement can’t be nested.
assert.deepEqual(
Object.keys(myMath), ['LIGHTSPEED', 'square']);
But we can also use separate export clauses. For example, this is what lib/my-math.mjs
looks like with an export clause:
function times(a, b) {
return a * b;
}
function square(x) {
return times(x, x);
}
const LIGHTSPEED = 299792458;
With an export clause, we can rename before exporting and use different names inter-
nally:
function times(a, b) {
return a * b;
}
function sq(x) {
return times(x, x);
}
const LS = 299792458;
export {
sq as square,
LS as LIGHTSPEED, // trailing comma is optional
};
my-func.mjs
main.mjs
Note the syntactic difference: the curly braces around named imports indicate that we
are reaching into the module, while a default import is the module.
Second, you can directly default-export values. In that style, export default is itself
much like a declaration.
The reason is that export default can’t be used to label const: const may define multi-
ple values, but export default needs exactly one value. Consider the following hypo-
thetical code:
// Not legal JavaScript!
export default const foo = 1, bar = 2, baz = 3;
With this code, you don’t know which one of the three values is the default export.
export {
greet as default,
};
The default export is also available via property .default of namespace imports:
import * as mf from './my-func2.mjs';
assert.equal(mf.default(), 'Hello!');
230 24 Modules
counter.mjs
main.mjs
main.mjs name-imports both exports. When we use incCounter(), we discover that the
connection to counter is live – we can always access the live state of that variable:
Note that while the connection is live and we can read counter, we cannot change this
variable (e.g., via counter++).
• It is easier to split modules because previously shared variables can become ex-
ports.
• This behavior is crucial for supporting transparent cyclic imports. Read on for
more information.
24.9 npm packages 231
N O
P Q R S
• Instantiation: Every module is visited and its imports are connected to its exports.
Before a parent can be instantiated, all of its children must be instantiated.
• Evaluation: The bodies of the modules are executed. Once again, children are
evaluated before parents.
This approach handles cyclic imports correctly, due to two features of ES modules:
• Due to the static structure of ES modules, the exports are already known after
parsing. That makes it possible to instantiate P before its child M: P can already
look up M’s exports.
Imports being filled in later is enabled by them being “live immutable views” on
exports.
{
"name": "foo",
"version": "1.0.0",
232 24 Modules
"description": "",
"main": "index.js",
"scripts": {
"test": "echo \"Error: no test specified\" && exit 1"
},
"keywords": [],
"author": "",
"license": "ISC"
}
• name specifies the name of this package. Once it is uploaded to the npm registry, it
can be installed via npm install foo.
• version is used for version management and follows semantic versioning, with
three numbers:
– Major version: is incremented when incompatible API changes are made.
– Minor version: is incremented when functionality is added in a backward
compatible manner.
– Patch version: is incremented when backward compatible changes are made.
• description, keywords, author make it easier to find packages.
• license clarifies how you can use this package.
• main: specifies the module that “is” the package (explained later in this chapter).
• scripts: are commands that you can execute via npm run. For example, the script
test can be executed via npm run test.
• /tmp/a/b/node_modules
• /tmp/a/node_modules
• /tmp/node_modules
When installing a package foo, npm uses the closest node_modules. If, for example, we
are inside /tmp/a/b/ and there is a node_modules in that directory, then npm puts the
package inside the directory:
/tmp/a/b/node_modules/foo/
When importing a module, we can use a special module specifier to tell Node.js that we
want to import it from an installed package. How exactly that works, is explained later.
For now, consider the following example:
24.10 Naming modules 233
// /home/jane/proj/main.mjs
import * as theModule from 'the-package/the-module.mjs';
To find the-module.mjs (Node.js prefers the filename extension .mjs for ES modules),
Node.js walks up the node_module chain and searches the following locations:
• /home/jane/proj/node_modules/the-package/the-module.mjs
• /home/jane/node_modules/the-package/the-module.mjs
• /home/node_modules/the-package/the-module.mjs
But that style does not work for default imports: I like underscore-casing for namespace
objects, but it is not a good choice for functions, etc.
'./some/other/module.mjs'
'../../lib/counter.mjs'
'/home/jane/file-tools.mjs'
'https://example.com/some-module.mjs'
'file:///home/john/tmp/main.mjs'
• Bare path: does not start with a dot, a slash or a protocol, and consists of a single
filename without an extension. Examples:
'lodash'
'the-package'
• Deep import path: starts with a bare path and has at least one slash. Example:
'the-package/dist/the-module.mjs'
• Relative paths, absolute paths, and URLs work as expected. They all must point to
real files (in contrast to CommonJS, which lets you omit filename extensions and
more).
• The file name extensions of modules don’t matter, as long as they are served with
the content type text/javascript.
• How bare paths will end up being handled is not yet clear. You will probably
eventually be able to map them to other specifiers via lookup tables.
Note that bundling tools such as webpack, which combine modules into fewer files, are
often less strict with specifiers than browsers. That’s because they operate at build/-
compile time (not at runtime) and can search for files by traversing the file system.
24.11 Module specifiers 235
• Relative paths are resolved as they are in web browsers – relative to the path of the
current module.
• Absolute paths are currently not supported. As a workaround, you can use URLs
that start with file:///. You can create such URLs via url.pathToFileURL().
• A bare path is interpreted as a package name and resolved relative to the closest
node_modules directory. What module should be loaded, is determined by looking
at property "main" of the package’s package.json (similarly to CommonJS).
• Deep import paths are also resolved relatively to the closest node_modules direc-
tory. They contain file names, so it is always clear which module is meant.
All specifiers, except bare paths, must refer to actual files. That is, ESM does not support
the following CommonJS features:
All built-in Node.js modules are available via bare paths and have named ESM exports
– for example:
assert.equal(
path.join('a/b/c', '../d'), 'a/b/d');
The filename extension .js stands for either ESM or CommonJS. Which one it is is config-
ured via the “closest” package.json (in the current directory, the parent directory, etc.).
Using package.json in this manner is independent of packages.
236 24 Modules
Not all source code executed by Node.js comes from files. You can also send it code via
stdin, --eval, and --print. The command line option --input-type lets you specify
how such code is interpreted:
• As CommonJS (the default): --input-type=commonjs
• As ESM: --input-type=module
function loadConstant() {
return import(moduleSpecifier)
.then(myMath => {
const result = myMath.LIGHTSPEED;
assert.equal(result, 299792458);
return result;
});
}
Next, we’ll implement the exact same functionality in main2.mjs but via a so-called async
function, which provides nicer syntax for Promises.
Some functionality of web apps doesn’t have to be present when they start, it can be
loaded on demand. Then import() helps because you can put such functionality into
modules – for example:
/* Error handling */
})
});
We may want to load a module depending on whether a condition is true. For example,
a module with a polyfill that makes a new feature available on legacy platforms:
if (isLegacyPlatform()) {
import('./my-polyfill.mjs')
.then(···);
}
import(`messages_${getLocale()}.mjs`)
.then(···);
24.13 import.meta.url
The object import.meta holds metadata for the current module. Its most important prop-
erty is import.meta.url, which contains a string with the URL of the current module file.
For example:
'https://example.com/code/main.mjs'
Parameter input contains the URL to be parsed. It can be relative if the second parameter,
base, is provided.
In other words, this constructor lets us resolve a relative path against a base URL:
This is how we get a URL instance that points to a file data.txt that sits next to the current
module:
'file:///Users/rauschma/my-module.mjs'
Many Node.js file system operations accept either strings with paths or instances of URL.
That enables us to read a sibling file data.txt of the current module:
For most functions of the module fs, we can refer to files via:
For more information on this topic, see the Node.js API documentation.
The Node.js module url has two functions for converting between file: URLs and
paths:
If you need a path that can be used in the local file system, then property .pathname of
URL instances does not always work:
assert.equal(
new URL('file:///tmp/with%20space.txt').pathname,
'/tmp/with%20space.txt');
Similarly, pathToFileURL() does more than just prepend 'file://' to an absolute path.
240 24 Modules
Polyfills help with a conflict that we are facing when developing a web application in
JavaScript:
• On one hand, we want to use modern web platform features that make the app
better and/or development easier.
• On the other hand, the app should run on as many browsers as possible.
Given a web platform feature X:
• A polyfill for X is a piece of code. If it is executed on a platform that already has built-
in support for X, it does nothing. Otherwise, it makes the feature available on the
platform. In the latter case, the polyfilled feature is (mostly) indistinguishable from
a native implementation. In order to achieve that, the polyfill usually makes global
changes. For example, it may modify global data or configure a global module
loader. Polyfills are often packaged as modules.
– The term polyfill was coined by Remy Sharp.
• A speculative polyfill is a polyfill for a proposed web platform feature (that is not
standardized, yet).
– Alternative term: prollyfill
• A replica of X is a library that reproduces the API and functionality of X locally.
Such a library exists independently of a native (and global) implementation of X.
– Replica is a new term introduced in this section. Alternative term: ponyfill
• There is also the term shim, but it doesn’t have a universally agreed upon definition.
It often means roughly the same as polyfill.
Every time our web applications starts, it must first execute all polyfills for features that
may not be available everywhere. Afterwards, we can be sure that those features are
available natively.
Quiz
See quiz app.
Chapter 25
Single objects
Contents
25.1 What is an object? . . . . . . . . . . . . . . . . . . . . . . . . . . . . 243
25.1.1 Roles of objects: record vs. dictionary . . . . . . . . . . . . . . 243
25.2 Objects as records . . . . . . . . . . . . . . . . . . . . . . . . . . . . 243
25.2.1 Object literals: properties . . . . . . . . . . . . . . . . . . . . . 243
25.2.2 Object literals: property value shorthands . . . . . . . . . . . 244
25.2.3 Getting properties . . . . . . . . . . . . . . . . . . . . . . . . . 244
25.2.4 Setting properties . . . . . . . . . . . . . . . . . . . . . . . . . 244
25.2.5 Object literals: methods . . . . . . . . . . . . . . . . . . . . . 245
25.2.6 Object literals: accessors . . . . . . . . . . . . . . . . . . . . . 245
25.3 Spreading into object literals (...) [ES2018] . . . . . . . . . . . . . . 246
25.3.1 Use case for spreading: copying objects . . . . . . . . . . . . . 247
25.3.2 Use case for spreading: default values for missing properties . 247
25.3.3 Use case for spreading: non-destructively changing properties 248
25.4 Methods . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 248
25.4.1 Methods are properties whose values are functions . . . . . . 248
25.4.2 .call(): specifying this via a parameter . . . . . . . . . . . . 249
25.4.3 .bind(): pre-filling this and parameters of functions . . . . . 250
25.4.4 this pitfall: extracting methods . . . . . . . . . . . . . . . . . 251
25.4.5 this pitfall: accidentally shadowing this . . . . . . . . . . . . 252
25.4.6 Avoiding the pitfalls of this . . . . . . . . . . . . . . . . . . . 254
25.4.7 The value of this in various contexts . . . . . . . . . . . . . . 254
25.5 Optional chaining for property accesses and method calls (ad-
vanced) [ES2020] . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 255
25.5.1 Example: optional static property access . . . . . . . . . . . . 255
25.5.2 The operators in more detail (advanced) . . . . . . . . . . . . 256
25.5.3 Short-circuiting (advanced) . . . . . . . . . . . . . . . . . . . 257
25.5.4 Frequently asked questions . . . . . . . . . . . . . . . . . . . 257
25.6 Objects as dictionaries (advanced) . . . . . . . . . . . . . . . . . . . 258
241
242 25 Single objects
1. Single objects (this chapter): How do objects, JavaScript’s basic OOP building
blocks, work in isolation?
2. Prototype chains (next chapter): Each object has a chain of zero or more prototype
objects. Prototypes are JavaScript’s core inheritance mechanism.
3. Classes (next chapter): JavaScript’s classes are factories for objects. The relation-
ship between a class and its instances is based on prototypal inheritance.
4. Subclassing (next chapter): The relationship between a subclass and its superclass
is also based on prototypal inheritance.
SuperClass
superData
superMthd
mthd ƒ
MyClass SubClass
mthd ƒ __proto__ data subData
data 4 data 4 mthd subMthd
In the example, we created an object via an object literal, which starts and ends with curly
braces {}. Inside it, we defined two properties (key-value entries):
• The first property has the key first and the value 'Jane'.
• The second property has the key last and the value 'Doe'.
We will later see other ways of specifying property keys, but with this way of specifying
them, they must follow the rules of JavaScript variable names. For example, you can
use first_name as a property key, but not first-name). However, reserved words are
allowed:
const obj = {
if: true,
244 25 Single objects
const: true,
};
In order to check the effects of various operations on objects, we’ll occasionally use Ob-
ject.keys() in this part of the chapter. It lists property keys:
function createPoint(x, y) {
return {x, y};
}
assert.deepEqual(
createPoint(9, 2),
{ x: 9, y: 2 }
);
const jane = {
first: 'Jane',
last: 'Doe',
};
assert.equal(jane.unknownProperty, undefined);
const obj = {
prop: 1,
};
assert.equal(obj.prop, 1);
obj.prop = 2; // (A)
assert.equal(obj.prop, 2);
obj.unknownProperty = 'abc';
assert.deepEqual(
Object.keys(obj), ['unknownProperty']);
const jane = {
first: 'Jane', // data property
says(text) { // method
return `${this.first} says “${text}”`; // (A)
}, // comma as separator (optional at end)
};
assert.equal(jane.says('hello'), 'Jane says “hello”');
During the method call jane.says('hello'), jane is called the receiver of the method
call and assigned to the special variable this. That enables method .says() to access
the sibling property .first in line A.
25.2.6.1 Getters
const jane = {
first: 'Jane',
last: 'Doe',
get full() {
return `${this.first} ${this.last}`;
},
};
25.2.6.2 Setters
const jane = {
first: 'Jane',
last: 'Doe',
set full(fullName) {
const parts = fullName.split(' ');
this.first = parts[0];
this.last = parts[1];
},
};
Property .length of strings and of Arrays is hidden from this kind of operation (it is
not enumerable; see §25.8.3 “Property attributes and property descriptors [ES5]” for more
information).
Caveat – copying is shallow: copy is a fresh object with duplicates of all properties (key-
value entries) of original. But if property values are objects, then those are not copied
themselves; they are shared between original and copy. Let’s look at an example:
The first level of copy is really a copy: If you change any properties at that level, it does
not affect the original:
copy.a = 2;
assert.deepEqual(
original, { a: 1, b: {foo: true} }); // no change
However, deeper levels are not copied. For example, the value of .b is shared between
original and copy. Changing .b in the copy also changes it in the original.
copy.b.foo = false;
assert.deepEqual(
original, { a: 1, b: {foo: false} });
25.3.2 Use case for spreading: default values for missing properties
If one of the inputs of your code is an object with data, you can make properties optional
by specifying default values that are used if those properties are missing. One technique
for doing so is via an object whose properties contain the default values. In the following
example, that object is DEFAULTS:
The result, the object allData, is created by copying DEFAULTS and overriding its proper-
ties with those of providedData.
248 25 Single objects
But you don’t need an object to specify the default values; you can also specify them
inside the object literal, individually:
const providedData = {foo: 1};
With spreading, we can change .foo non-destructively – we make a copy of obj where
.foo has a different value:
25.4 Methods
25.4.1 Methods are properties whose values are functions
Let’s revisit the example that was used to introduce methods:
const jane = {
first: 'Jane',
says(text) {
return `${this.first} says “${text}”`;
},
};
Why is that? We learned in the chapter on callable values, that ordinary functions play
several roles. Method is one of those roles. Therefore, under the hood, jane roughly looks
as follows.
const jane = {
first: 'Jane',
says: function (text) {
25.4 Methods 249
Remember that each function someFunc is also an object and therefore has methods. One
such method is .call() – it lets you call a function while specifying this via a parameter:
If you make a method call, this is an implicit parameter that is filled in via the receiver
of the call:
const obj = {
method(x) {
assert.equal(this, obj); // implicit parameter
assert.equal(x, 'a');
},
};
obj.method.call(obj, 'a');
As an aside, that means that there are actually two different dot operators:
They are different in that (2) is not just (1) followed by the function call operator ().
Instead, (2) additionally specifies a value for this.
If you function-call an ordinary function, its implicit parameter this is also provided –
it is implicitly set to undefined:
function func(x) {
assert.equal(this, undefined); // implicit parameter
assert.equal(x, 'a');
}
func('a');
func.call(undefined, 'a');
250 25 Single objects
this being set to undefined during a function call, indicates that it is a feature that is
only needed during a method call.
Next, we’ll examine the pitfalls of using this. Before we can do that, we need one more
tool: method .bind() of functions.
.bind() returns a new function boundFunc(). Calling that function invokes someFunc()
with this set to thisValue and these parameters: arg1, arg2, followed by the parameters
of boundFunc().
boundFunc('a', 'b')
someFunc.call(thisValue, arg1, arg2, 'a', 'b')
Considering the previous section, .bind() can be implemented as a real function as fol-
lows:
Using .bind() for real functions is somewhat unintuitive because you have to provide
a value for this. Given that it is undefined during function calls, it is usually set to
undefined or null.
In the following example, we create add8(), a function that has one parameter, by binding
the first parameter of add() to 8.
function add(x, y) {
return x + y;
}
In the following code, we turn method .says() into the stand-alone function func():
const jane = {
first: 'Jane',
says(text) {
return `${this.first} says “${text}”`; // (A)
},
};
Setting this to jane via .bind() is crucial here. Otherwise, func() wouldn’t work prop-
erly because this is used in line A.
The .bind() ensures that this is always jane when we call func().
The following is a simplified version of code that you may see in actual web develop-
ment:
class ClickHandler {
constructor(id, elem) {
this.id = id;
elem.addEventListener('click', this.handleClick); // (A)
}
handleClick(event) {
alert('Clicked ' + this.id);
}
}
In line A, we don’t extract the method .handleClick() properly. Instead, we should do:
elem.addEventListener('click', this.handleClick.bind(this));
Consider the following problem: when you are inside an ordinary function, you can’t
access the this of the surrounding scope because the ordinary function has its own this.
In other words, a variable in an inner scope hides a variable in an outer scope. That is
called shadowing. The following code is an example:
const prefixer = {
prefix: '==> ',
prefixStringArray(stringArray) {
return stringArray.map(
function (x) {
return this.prefix + x; // (A)
});
},
25.4 Methods 253
};
assert.throws(
() => prefixer.prefixStringArray(['a', 'b']),
/^TypeError: Cannot read property 'prefix' of undefined$/);
In line A, we want to access the this of .prefixStringArray(). But we can’t since the
surrounding ordinary function has its own this that shadows (blocks access to) the this
of the method. The value of the former this is undefined due to the callback being
function-called. That explains the error message.
The simplest way to fix this problem is via an arrow function, which doesn’t have its own
this and therefore doesn’t shadow anything:
const prefixer = {
prefix: '==> ',
prefixStringArray(stringArray) {
return stringArray.map(
(x) => {
return this.prefix + x;
});
},
};
assert.deepEqual(
prefixer.prefixStringArray(['a', 'b']),
['==> a', '==> b']);
We can also store this in a different variable (line A), so that it doesn’t get shadowed:
prefixStringArray(stringArray) {
const that = this; // (A)
return stringArray.map(
function (x) {
return that.prefix + x;
});
},
Another option is to specify a fixed this for the callback via .bind() (line A):
prefixStringArray(stringArray) {
return stringArray.map(
function (x) {
return this.prefix + x;
}.bind(this)); // (A)
},
Lastly, .map() lets us specify a value for this (line A) that it uses when invoking the
callback:
prefixStringArray(stringArray) {
return stringArray.map(
function (x) {
return this.prefix + x;
254 25 Single objects
},
this); // (A)
},
1. Extracting methods
2. Accidentally shadowing this
“Avoid the keyword function”: Never use ordinary functions, only arrow
functions (for real functions) and method definitions.
• It prevents the second pitfall because ordinary functions are never used as real
functions.
• this becomes easier to understand because it will only appear inside methods
(never inside ordinary functions). That makes it clear that this is an OOP feature.
However, even though I don’t use (ordinary) function expressions anymore, I do like func-
tion declarations syntactically. You can use them safely if you don’t refer to this inside
them. The static checking tool ESLint can warn you during development when you do
this wrong via a built-in rule.
Alas, there is no simple way around the first pitfall: whenever you extract a method, you
have to be careful and do it properly – for example, by binding this.
Inside a callable entity, the value of this depends on how the callable entity is invoked
and what kind of callable entity it is:
• Function call:
– Ordinary functions: this === undefined (in strict mode)
– Arrow functions: this is same as in surrounding scope (lexical this)
• Method call: this is receiver of call
• new: this refers to newly created instance
However, I like to pretend that you can’t access this in top-level scopes because top-level
this is confusing and rarely useful.
25.5 Optional chaining for property accesses and method calls (advanced) [ES2020] 255
• If the value before the question mark is neither undefined nor null, then perform
the operation after the question mark.
• Otherwise, return undefined.
const persons = [
{
surname: 'Zoe',
address: {
street: {
name: 'Sesame Street',
number: '123',
},
},
},
{
surname: 'Mariner',
},
{
surname: 'Carmen',
address: {
},
},
];
The nullish coalescing operator allows us to use the default value '(no street)' instead
of undefined:
256 25 Single objects
o?.prop
(o !== undefined && o !== null) ? o.prop : undefined
Examples:
assert.equal(undefined?.prop, undefined);
assert.equal(null?.prop, undefined);
assert.equal({prop:1}?.prop, 1);
o?.[«expr»]
(o !== undefined && o !== null) ? o[«expr»] : undefined
Examples:
f?.(arg0, arg1)
(f !== undefined && f !== null) ? f(arg0, arg1) : undefined
Examples:
assert.equal(undefined?.(123), undefined);
assert.equal(null?.(123), undefined);
assert.equal(String?.(123), '123');
Note that this operator produces an error if its left-hand side is not callable:
assert.throws(
() => true?.(123),
TypeError);
25.5 Optional chaining for property accesses and method calls (advanced) [ES2020] 257
Why? The idea is that the operator only tolerates deliberate omissions. An uncallable
value (other than undefined and null) is probably an error and should be reported,
rather than worked around.
function isInvoked(obj) {
let invoked = false;
obj?.a.b.m(invoked = true);
return invoked;
}
assert.equal(
isInvoked({a: {b: {m() {}}}}), true);
This behavior differs from a normal operator/function where JavaScript always evalu-
ates all operands/arguments before evaluating the operator/function. It is called short-
circuiting. Other short-circuiting operators:
• a && b
• a || b
• c ? t : e
The syntaxes of the following two optional operator are not ideal:
Alas, the less elegant syntax is necessary, because distinguishing the ideal syntax (first
expression) from the conditional operator (second expression) is too complicated:
The operator ?. is mainly about its right-hand side: Does property .prop exist? If not,
stop early. Therefore, keeping information about its left-hand side is rarely useful. How-
ever, only having a single “early termination” value does simplify things.
258 25 Single objects
We first look at features of objects that are related to dictionaries but also useful for objects-
as-records. This section concludes with tips for actually using objects as dictionaries
(spoiler: use Maps if you can).
const obj = {
mustBeAnIdentifier: 123,
};
// Get property
assert.equal(obj.mustBeAnIdentifier, 123);
// Set property
obj.mustBeAnIdentifier = 'abc';
assert.equal(obj.mustBeAnIdentifier, 'abc');
As a next step, we’ll go beyond this limitation for property keys: In this section, we’ll use
arbitrary fixed strings as keys. In the next subsection, we’ll dynamically compute keys.
First, when creating property keys via object literals, we can quote property keys (with
single or double quotes):
const obj = {
'Can be any string!': 123,
};
Second, when getting or setting properties, we can use square brackets with strings in-
side them:
// Get property
assert.equal(obj['Can be any string!'], 123);
// Set property
obj['Can be any string!'] = 'abc';
assert.equal(obj['Can be any string!'], 'abc');
const obj = {
'A nice method'() {
25.6 Objects as dictionaries (advanced) 259
return 'Yes!';
},
};
The main use case for computed keys is having symbols as property keys (line A).
Note that the square brackets operator for getting and setting properties works with
arbitrary expressions:
assert.equal(obj['f'+'o'+'o'], 123);
assert.equal(obj['==> foo'.slice(-3)], 123);
assert.equal(obj[methodKey](), 'Yes!');
For the remainder of this chapter, we’ll mostly use fixed property keys again (because
they are syntactically more convenient). But all features are also available for arbitrary
strings and symbols.
exercises/single-objects/update_property_test.mjs
The previous checks work because obj.foo is truthy and because reading a missing prop-
erty returns undefined (which is falsy).
There is, however, one important caveat: truthiness checks fail if the property exists, but
has a falsy value (undefined, null, false, 0, "", etc.):
assert.equal(
obj.bar ? 'exists' : 'does not exist',
'does not exist'); // should be: 'exists'
delete obj.foo;
assert.deepEqual(Object.keys(obj), []);
Each of the methods in tbl. 25.1 returns an Array with the own property keys of the
parameter. In the names of the methods, you can see that the following distinction is
made:
The next section describes the term enumerable and demonstrates each of the methods.
25.6.5.1 Enumerability
assert.deepEqual(
262 25 Single objects
Object.keys(obj),
[ 'enumerableStringKey' ]);
assert.deepEqual(
Object.getOwnPropertyNames(obj),
[ 'enumerableStringKey', 'nonEnumStringKey' ]);
assert.deepEqual(
Object.getOwnPropertySymbols(obj),
[ enumerableSymbolKey, nonEnumSymbolKey ]);
assert.deepEqual(
Reflect.ownKeys(obj),
[
'enumerableStringKey', 'nonEnumStringKey',
enumerableSymbolKey, nonEnumSymbolKey,
]);
Exercise: Object.entries()
exercises/single-objects/find_key_test.mjs
To demonstrate both, we’ll use them to implement two tool functions from the library
Underscore in the next subsubsections.
pick returns a copy of object that only has those properties whose keys are mentioned
as arguments:
const address = {
street: 'Evergreen Terrace',
number: '742',
city: 'Springfield',
state: 'NT',
zip: '49007',
};
assert.deepEqual(
pick(address, 'street', 'number'),
{
street: 'Evergreen Terrace',
number: '742',
}
);
264 25 Single objects
invert returns a copy of object where the keys and values of all properties are swapped:
assert.deepEqual(
invert({a: 1, b: 2, c: 3}),
{1: 'a', 2: 'b', 3: 'c'}
);
exercises/single-objects/omit_properties_test.mjs
The first pitfall is that the in operator also finds inherited properties:
We want dict to be treated as empty, but the in operator detects the properties it inherits
from its prototype, Object.prototype.
The second pitfall is that you can’t use the property key __proto__ because it has special
powers (it sets the prototype of the object):
dict['__proto__'] = 123;
// No property was added to dict:
assert.deepEqual(Object.keys(dict), []);
• Whenever you can, use Maps. They are the best solution for dictionaries.
• If you can’t, use a library for objects-as-dictionaries that does everything safely.
• If you can’t, use an object without a prototype.
dict['__proto__'] = 123;
assert.deepEqual(Object.keys(dict), ['__proto__']);
We avoided both pitfalls: First, a property without a prototype does not inherit any
properties (line A). Second, in modern JavaScript, __proto__ is implemented via Ob-
ject.prototype. That means that it is switched off if Object.prototype is not in the
prototype chain.
• .toString()
• .valueOf()
25.7.1 .toString()
.toString() determines how objects are converted to strings:
25.7.2 .valueOf()
.valueOf() determines how objects are converted to numbers:
This expression assigns all properties of source_1 to target, then all properties of
source_2, etc. At the end, it returns target – for example:
assert.deepEqual(
result, { foo: 1, bar: 4, baz: 3 });
// target was modified and returned:
assert.equal(result, target);
25.8 Advanced topics 267
The use cases for Object.assign() are similar to those for spread properties. In a way,
it spreads destructively.
There is one caveat: Object.freeze(obj) freezes shallowly. That is, only the properties
of obj are frozen but not objects stored in properties.
More information
For more information on freezing and other ways of locking down objects, see Deep
JavaScript.
When you are using one of the operations for handling property attributes, attributes are
specified via property descriptors: objects where each property represents one attribute.
For example, this is how you read the attributes of a property obj.foo:
const obj = {
foo: 1,
bar: 2,
268 25 Single objects
};
assert.deepEqual(Object.keys(obj), ['foo']);
Further reading:
• Enumerability is covered in greater detail earlier in this chapter.
• For more information on property attributes and property descriptors, see Deep
JavaScript.
Quiz
See quiz app.
Chapter 26
Contents
26.1 Prototype chains . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 270
26.1.1 JavaScript’s operations: all properties vs. own properties . . . 271
26.1.2 Pitfall: only the first member of a prototype chain is mutated . 271
26.1.3 Tips for working with prototypes (advanced) . . . . . . . . . . 272
26.1.4 Sharing data via prototypes . . . . . . . . . . . . . . . . . . . 273
26.2 Classes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 275
26.2.1 A class for persons . . . . . . . . . . . . . . . . . . . . . . . . 275
26.2.2 Classes under the hood . . . . . . . . . . . . . . . . . . . . . . 276
26.2.3 Class definitions: prototype properties . . . . . . . . . . . . . 277
26.2.4 Class definitions: static properties . . . . . . . . . . . . . . . . 278
26.2.5 The instanceof operator . . . . . . . . . . . . . . . . . . . . . 278
26.2.6 Why I recommend classes . . . . . . . . . . . . . . . . . . . . 279
26.3 Private data for classes . . . . . . . . . . . . . . . . . . . . . . . . . . 279
26.3.1 Private data: naming convention . . . . . . . . . . . . . . . . 279
26.3.2 Private data: WeakMaps . . . . . . . . . . . . . . . . . . . . . 280
26.3.3 More techniques for private data . . . . . . . . . . . . . . . . 281
26.4 Subclassing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 281
26.4.1 Subclasses under the hood (advanced) . . . . . . . . . . . . . 282
26.4.2 instanceof in more detail (advanced) . . . . . . . . . . . . . . 283
26.4.3 Prototype chains of built-in objects (advanced) . . . . . . . . . 283
26.4.4 Dispatched vs. direct method calls (advanced) . . . . . . . . . 286
26.4.5 Mixin classes (advanced) . . . . . . . . . . . . . . . . . . . . . 287
26.5 FAQ: objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 289
26.5.1 Why do objects preserve the insertion order of properties? . . 289
269
270 26 Prototype chains and classes
1. Single objects (previous chapter): How do objects, JavaScript’s basic OOP build-
ing blocks, work in isolation?
2. Prototype chains (this chapter): Each object has a chain of zero or more prototype
objects. Prototypes are JavaScript’s core inheritance mechanism.
3. Classes (this chapter): JavaScript’s classes are factories for objects. The relationship
between a class and its instances is based on prototypal inheritance.
4. Subclassing (this chapter): The relationship between a subclass and its superclass
is also based on prototypal inheritance.
SuperClass
superData
superMthd
mthd ƒ
MyClass SubClass
mthd ƒ __proto__ data subData
data 4 data 4 mthd subMthd
Given that a prototype object can have a prototype itself, we get a chain of objects – the
so-called prototype chain. That means that inheritance gives us the impression that we are
dealing with single objects, but we are actually dealing with chains of objects.
Fig. 26.2 shows what the prototype chain of obj looks like.
Non-inherited properties are called own properties. obj has one own property, .objProp.
26.1 Prototype chains 271
...
proto
__proto__
protoProp 'a'
obj
__proto__
objProp 'b'
Figure 26.2: obj starts a chain of objects that continues with proto and other objects.
> Object.keys(obj)
[ 'foo' ]
Read on for another operation that also only considers own properties: setting proper-
ties.
const proto = {
protoProp: 'a',
};
const obj = {
__proto__: proto,
objProp: 'b',
};
272 26 Prototype chains and classes
In the next code snippet, we set the inherited property obj.protoProp (line A). That
“changes” it by creating an own property: When reading obj.protoProp, the own prop-
erty is found first and its value overrides the value of the inherited property.
// In the beginning, obj has one own property
assert.deepEqual(Object.keys(obj), ['objProp']);
...
proto
__proto__
protoProp 'a'
obj
__proto__
objProp 'b'
protoProp 'x'
Figure 26.3: The own property .protoProp of obj overrides the property inherited from
proto.
I recommend to avoid the pseudo-property __proto__: As we will see later, not all ob-
jects have it.
However, __proto__ in object literals is different. There, it is a built-in feature and always
available.
The recommended ways of getting and setting prototypes are:
• The best way to get a prototype is via the following method:
26.1 Prototype chains 273
• The best way to set a prototype is when creating an object – via __proto__ in an
object literal or via:
Object.create(proto: Object) : Object
If you have to, you can use Object.setPrototypeOf() to change the prototype of
an existing object. But that may affect performance negatively.
This is how these features are used:
const proto1 = {};
const proto2 = {};
Object.setPrototypeOf(obj, proto2);
assert.equal(Object.getPrototypeOf(obj), proto2);
So far, “p is a prototype of o” always meant “p is a direct prototype of o”. But it can also be
used more loosely and mean that p is in the prototype chain of o. That looser relationship
can be checked via:
p.isPrototypeOf(o)
For example:
const a = {};
const b = {__proto__: a};
const c = {__proto__: b};
assert.equal(a.isPrototypeOf(b), true);
assert.equal(a.isPrototypeOf(c), true);
assert.equal(a.isPrototypeOf(a), false);
assert.equal(c.isPrototypeOf(a), false);
describe() {
return 'Person named '+this.name;
},
};
We have two objects that are very similar. Both have two properties whose names are
.name and .describe. Additionally, method .describe() is the same. How can we
avoid duplicating that method?
We can move it to an object PersonProto and make that object a prototype of both jane
and tarzan:
const PersonProto = {
describe() {
return 'Person named ' + this.name;
},
};
const jane = {
__proto__: PersonProto,
name: 'Jane',
};
const tarzan = {
__proto__: PersonProto,
name: 'Tarzan',
};
The name of the prototype reflects that both jane and tarzan are persons.
PersonProto
describe function() {···}
jane tarzan
__proto__ __proto__
name 'Jane' name 'Tarzan'
Figure 26.4: Objects jane and tarzan share method .describe(), via their common pro-
totype PersonProto.
Fig. 26.4 illustrates how the three objects are connected: The objects at the bottom now
contain the properties that are specific to jane and tarzan. The object at the top contains
the properties that are shared between them.
When you make the method call jane.describe(), this points to the receiver of that
method call, jane (in the bottom-left corner of the diagram). That’s why the method still
works. tarzan.describe() works similarly.
26.2 Classes 275
26.2 Classes
We are now ready to take on classes, which are basically a compact syntax for setting up
prototype chains. Under the hood, JavaScript’s classes are unconventional. But that is
something you rarely see when working with them. They should normally feel familiar
to people who have used other object-oriented programming languages.
class Person {
constructor(name) {
this.name = name;
}
describe() {
return 'Person named '+this.name;
}
}
The name of a named class expression works similarly to the name of a named function
expression.
This was a first look at classes. We’ll explore more features soon, but first we need to
learn the internals of classes.
Person Person.prototype
prototype constructor
describe function() {...}
jane
__proto__
name 'Jane'
Figure 26.5: The class Person has the property .prototype that points to an object that
is the prototype of all instances of Person. jane is one such instance.
The main purpose of class Person is to set up the prototype chain on the right (jane,
followed by Person.prototype). It is interesting to note that both constructs inside class
Person (.constructor and .describe()) created properties for Person.prototype, not
for Person.
The reason for this slightly odd approach is backward compatibility: prior to classes,
constructor functions (ordinary functions, invoked via the new operator) were often used
as factories for objects. Classes are mostly better syntax for constructor functions and
therefore remain compatible with old code. That explains why classes are functions:
> typeof Person
'function'
In this book, I use the terms constructor (function) and class interchangeably.
It is easy to confuse .__proto__ and .prototype. Hopefully, fig. 26.5 makes it clear how
they differ:
26.2 Classes 277
There is one detail in fig. 26.5 that we haven’t looked at, yet: Person.prototype.constructor
points back to Person:
> Person.prototype.constructor === Person
true
This setup also exists due to backward compatibility. But it has two additional benefits.
First, each instance of a class inherits property .constructor. Therefore, given an in-
stance, you can make “similar” objects using it:
const jane = new Person('Jane');
Second, you can get the name of the class that created a given instance:
const tarzan = new Person('Tarzan');
assert.equal(tarzan.constructor.name, 'Person');
class Foo {
constructor(prop) {
this.prop = prop;
}
protoMethod() {
return 'protoMethod';
}
get protoGetter() {
return 'protoGetter';
}
}
> foo.protoMethod()
'protoMethod'
> foo.protoGetter
'protoGetter'
class Bar {
static staticMethod() {
return 'staticMethod';
}
static get staticGetter() {
return 'staticGetter';
}
}
The static method and the static getter are used as follows:
> Bar.staticMethod()
'staticMethod'
> Bar.staticGetter
'staticGetter'
We’ll explore the instanceof operator in more detail later, after we have looked at sub-
classing.
26.3 Private data for classes 279
In the following code, the properties ._counter and ._action are private.
class Countdown {
constructor(counter, action) {
this._counter = counter;
this._action = action;
}
dec() {
this._counter--;
if (this._counter === 0) {
this._action();
}
}
}
With this technique, you don’t get any protection and private names can clash. On the
plus side, it is easy to use.
class Countdown {
constructor(counter, action) {
_counter.set(this, counter);
_action.set(this, action);
}
dec() {
let counter = _counter.get(this);
counter--;
_counter.set(this, counter);
if (counter === 0) {
_action.get(this)();
}
}
}
This technique offers you considerable protection from outside access and there can’t be
any name clashes. But it is also more complicated to use.
26.4 Subclassing
Classes can also subclass (“extend”) existing classes. As an example, the following class
Employee subclasses Person:
class Person {
constructor(name) {
this.name = name;
}
describe() {
return `Person named ${this.name}`;
}
static logNames(persons) {
for (const person of persons) {
console.log(person.name);
}
}
}
Two comments:
• Inside a .constructor() method, you must call the super-constructor via super()
282 26 Prototype chains and classes
before you can access this. That’s because this doesn’t exist before the super-
constructor is called (this phenomenon is specific to classes).
• Static methods are also inherited. For example, Employee inherits the static method
.logNames():
Exercise: Subclassing
exercises/proto-chains-classes/color_point_class_test.mjs
Function.prototype Object.prototype
__proto__ __proto__
prototype
Person Person.prototype
__proto__ __proto__
prototype
Employee Employee.prototype
__proto__
jane
Figure 26.6: These are the objects that make up class Person and its subclass, Employee.
The left column is about classes. The right column is about the Employee instance jane
and its prototype chain.
The classes Person and Employee from the previous section are made up of several objects
(fig. 26.6). One key insight for understanding how these objects are related is that there
are two prototype chains:
The instance prototype chain starts with jane and continues with Employee.prototype
and Person.prototype. In principle, the prototype chain ends at this point, but we get
one more object: Object.prototype. This prototype provides services to virtually all
objects, which is why it is included here, too:
26.4 Subclassing 283
In the class prototype chain, Employee comes first, Person next. Afterward, the chain
continues with Function.prototype, which is only there because Person is a function
and functions need the services of Function.prototype.
> Object.getPrototypeOf(Person) === Function.prototype
true
If we go back to fig. 26.6, we can confirm that the prototype chain does lead us to the
following correct answers:
> jane instanceof Employee
true
> jane instanceof Person
true
> jane instanceof Object
true
Fig. 26.7 shows a diagram for this prototype chain. We can see that {} really is an instance
of Object – Object.prototype is in its prototype chain.
284 26 Prototype chains and classes
null
__proto__
Object.prototype
__proto__
{}
Figure 26.7: The prototype chain of an object created via an object literal starts with that
object, continues with Object.prototype, and ends with null.
null
__proto__
Object.prototype
__proto__
Array.prototype
__proto__
[]
Figure 26.8: The prototype chain of an Array has these members: the Array instance,
Array.prototype, Object.prototype, null.
This prototype chain (visualized in fig. 26.8) tells us that an Array object is an instance of
Array, which is a subclass of Object.
26.4 Subclassing 285
Lastly, the prototype chain of an ordinary function tells us that all functions are objects:
> p(function () {}) === Function.prototype
true
> p(p(function () {})) === Object.prototype
true
Object.prototype ends most prototype chains. Its prototype is null, which means it
isn’t an instance of Object either:
> Object.prototype instanceof Object
false
The pseudo-property .__proto__ is implemented by class Object via a getter and a setter.
It could be implemented like this:
class Object {
get __proto__() {
return Object.getPrototypeOf(this);
}
set __proto__(other) {
Object.setPrototypeOf(this, other);
}
// ···
}
That means that you can switch .__proto__ off by creating an object that doesn’t have
Object.prototype in its prototype chain (see the previous section):
> '__proto__' in {}
true
> '__proto__' in { __proto__: null }
false
286 26 Prototype chains and classes
class Person {
constructor(name) {
this.name = name;
}
describe() {
return 'Person named '+this.name;
}
}
const jane = new Person('Jane');
...
Person.prototype
__proto__
describe function() {···}
jane
__proto__
name 'Jane'
Figure 26.9: The prototype chain of jane starts with jane and continues with Per-
son.prototype.
Normal method calls are dispatched – the method call jane.describe() happens in two
steps:
• Dispatch: In the prototype chain of jane, find the first property whose key is 'de-
scribe' and retrieve its value.
func.call(jane);
This way of dynamically looking for a method and invoking it is called dynamic dispatch.
You can make the same method call directly, without dispatching:
Person.prototype.describe.call(jane)
This time, we directly point to the method via Person.prototype.describe and don’t
search for it in the prototype chain. We also specify this differently via .call().
26.4 Subclassing 287
Note that this always points to the beginning of a prototype chain. That enables .de-
scribe() to access .name.
Direct method calls become useful when you are working with methods of Ob-
ject.prototype. For example, Object.prototype.hasOwnProperty(k) checks if this
has a non-inherited property whose key is k:
However, in the prototype chain of an object, there may be another property with the key
'hasOwnProperty' that overrides the method in Object.prototype. Then a dispatched
method call doesn’t work:
This pattern may seem inefficient, but most engines optimize this pattern, so perfor-
mance should not be an issue.
The idea is as follows: Let’s say we want a class C to inherit from two superclasses S1
and S2. That would be multiple inheritance, which JavaScript doesn’t support.
Each of these two functions returns a class that extends a given superclass Sup. We create
class C as follows:
We now have a class C that extends a class S2 that extends a class S1 that extends Object
(which most classes do implicitly).
We implement a mixin Branded that has helper methods for setting and getting the brand
of an object:
The following code confirms that the mixin worked: Car has method .setBrand() of
Branded.
• The same class can extend a single superclass and zero or more mixins.
• The same mixin can be used by multiple classes.
26.5 FAQ: objects 289
Quiz
See quiz app.
290 26 Prototype chains and classes
Chapter 27
You are reading a preview version of this book. You can either read all essential chapters
online or you can buy the full version.
You can take a look at the full table of contents, which is also linked to from the book’s
homepage.
291