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 13
1 About this book 15
1.1 About the content . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 15
1.2 Previewing and buying this book . . . . . . . . . . . . . . . . . . . . . . 16
1.3 What’s new in this book? . . . . . . . . . . . . . . . . . . . . . . . . . . . 16
1.4 About the author . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
1.5 Acknowledgements . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
6 FAQ: JavaScript 37
6.1 What are good references for JavaScript? . . . . . . . . . . . . . . . . . . 37
6.2 How do I find out what JavaScript features are supported where? . . . . 37
6.3 Where can I look up what features are planned for JavaScript? . . . . . . 38
3
4 CONTENTS
II First steps 39
7 The big picture 41
7.1 What are you learning in this book? . . . . . . . . . . . . . . . . . . . . . 41
7.2 The structure of browsers and Node.js . . . . . . . . . . . . . . . . . . . 41
7.3 JavaScript references . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 42
7.4 Further reading . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 42
8 Syntax 43
8.1 An overview of JavaScript’s syntax . . . . . . . . . . . . . . . . . . . . . 44
8.2 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 49
8.3 Identifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 49
8.4 Statement vs. expression . . . . . . . . . . . . . . . . . . . . . . . . . . . 50
8.5 Ambiguous syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 51
8.6 Semicolons . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 52
8.7 Automatic semicolon insertion (ASI) . . . . . . . . . . . . . . . . . . . . 53
8.8 Semicolons: best practices . . . . . . . . . . . . . . . . . . . . . . . . . . 55
8.9 Strict mode vs. sloppy mode . . . . . . . . . . . . . . . . . . . . . . . . . 55
10 Assertion API 65
10.1 Assertions in software development . . . . . . . . . . . . . . . . . . . . . 65
10.2 How assertions are used in this book . . . . . . . . . . . . . . . . . . . . 65
10.3 Normal comparison vs. deep comparison . . . . . . . . . . . . . . . . . . 66
10.4 Quick reference: module assert . . . . . . . . . . . . . . . . . . . . . . . 67
13 Values 91
13.1 What’s a type? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 91
13.2 JavaScript’s type hierarchy . . . . . . . . . . . . . . . . . . . . . . . . . . 92
13.3 The types of the language specification . . . . . . . . . . . . . . . . . . . 92
13.4 Primitive values vs. objects . . . . . . . . . . . . . . . . . . . . . . . . . . 93
13.5 The operators typeof and instanceof: what’s the type of a value? . . . . 95
13.6 Classes and constructor functions . . . . . . . . . . . . . . . . . . . . . . 97
13.7 Converting between types . . . . . . . . . . . . . . . . . . . . . . . . . . 98
14 Operators 101
14.1 Making sense of operators . . . . . . . . . . . . . . . . . . . . . . . . . . 101
14.2 The plus operator (+) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 102
14.3 Assignment operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 103
14.4 Equality: == vs. === . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 104
14.5 Ordering operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 107
14.6 The nullish coalescing operator (??) for default values [ES2020] . . . . . . 107
14.7 Various other operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 109
16 Booleans 117
16.1 Converting to boolean . . . . . . . . . . . . . . . . . . . . . . . . . . . . 117
16.2 Falsy and truthy values . . . . . . . . . . . . . . . . . . . . . . . . . . . . 118
16.3 Truthiness-based existence checks . . . . . . . . . . . . . . . . . . . . . . 119
16.4 Conditional operator (? :) . . . . . . . . . . . . . . . . . . . . . . . . . . 121
16.5 Binary logical operators: And (x && y), Or (x || y) . . . . . . . . . . . . 122
16.6 Logical Not (!) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 123
17 Numbers 125
17.1 Numbers are used for both floating point numbers and integers . . . . . 126
17.2 Number literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 126
17.3 Arithmetic operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 127
17.4 Converting to number . . . . . . . . . . . . . . . . . . . . . . . . . . . . 130
17.5 Error values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 130
17.6 Error value: NaN . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 131
17.7 Error value: Infinity . . . . . . . . . . . . . . . . . . . . . . . . . . . . 132
17.8 The precision of numbers: careful with decimal fractions . . . . . . . . . 133
6 CONTENTS
18 Math 147
18.1 Data properties . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 147
18.2 Exponents, roots, logarithms . . . . . . . . . . . . . . . . . . . . . . . . . 148
18.3 Rounding . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 149
18.4 Trigonometric Functions . . . . . . . . . . . . . . . . . . . . . . . . . . . 150
18.5 Various other functions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 152
18.6 Sources . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 153
21 Strings 173
21.1 Plain string literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 174
21.2 Accessing characters and code points . . . . . . . . . . . . . . . . . . . . 174
21.3 String concatenation via + . . . . . . . . . . . . . . . . . . . . . . . . . . 175
21.4 Converting to string . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 175
21.5 Comparing strings . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 177
21.6 Atoms of text: Unicode characters, JavaScript characters, grapheme clusters178
21.7 Quick reference: Strings . . . . . . . . . . . . . . . . . . . . . . . . . . . 180
23 Symbols 199
CONTENTS 7
VI Modularity 241
27 Modules 243
27.1 Overview: syntax of ECMAScript modules . . . . . . . . . . . . . . . . . 244
27.2 JavaScript source code formats . . . . . . . . . . . . . . . . . . . . . . . . 245
27.3 Before we had modules, we had scripts . . . . . . . . . . . . . . . . . . . 245
27.4 Module systems created prior to ES6 . . . . . . . . . . . . . . . . . . . . 246
27.5 ECMAScript modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . 248
27.6 Named exports and imports . . . . . . . . . . . . . . . . . . . . . . . . . 249
27.7 Default exports and imports . . . . . . . . . . . . . . . . . . . . . . . . . 251
27.8 More details on exporting and importing . . . . . . . . . . . . . . . . . . 254
27.9 npm packages . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 255
27.10Naming modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 257
27.11 Module specifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 258
8 CONTENTS
37 Destructuring 397
37.1 A first taste of destructuring . . . . . . . . . . . . . . . . . . . . . . . . . 398
37.2 Constructing vs. extracting . . . . . . . . . . . . . . . . . . . . . . . . . . 398
37.3 Where can we destructure? . . . . . . . . . . . . . . . . . . . . . . . . . . 399
37.4 Object-destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 400
37.5 Array-destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 401
37.6 Examples of destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . 402
37.7 What happens if a pattern part does not match anything? . . . . . . . . . 404
37.8 What values can’t be destructured? . . . . . . . . . . . . . . . . . . . . . 404
37.9 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 405
37.10Default values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 405
37.11 Parameter definitions are similar to destructuring . . . . . . . . . . . . . 406
37.12Nested destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 407
XI Appendices 541
47 Index 543
12 CONTENTS
Part I
Background
13
Chapter 1
Contents
1.1 About the content . . . . . . . . . . . . . . . . . . . . . . . . . . . . 15
1.1.1 What’s in this book? . . . . . . . . . . . . . . . . . . . . . . . 15
1.1.2 What is not covered by this book? . . . . . . . . . . . . . . . . 16
1.1.3 Isn’t this book too long for impatient people? . . . . . . . . . . 16
1.2 Previewing and buying this book . . . . . . . . . . . . . . . . . . . 16
1.2.1 How can I preview the book, the exercises, and the quizzes? . 16
1.2.2 How can I buy a digital edition of this book? . . . . . . . . . . 16
1.2.3 How can I buy the print edition of this book? . . . . . . . . . . 16
1.3 What’s new in this book? . . . . . . . . . . . . . . . . . . . . . . . . 16
1.4 About the author . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
1.5 Acknowledgements . . . . . . . . . . . . . . . . . . . . . . . . . . . 17
Highlights:
No prior knowledge of JavaScript is required, but you should know how to program.
15
16 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:19]
18 1 About this book
Chapter 2
Contents
2.1 How to read this book . . . . . . . . . . . . . . . . . . . . . . . . . . 19
2.1.1 In which order should I read the content in this book? . . . . . 19
2.1.2 Why are some chapters and sections marked with “(advanced)”? 20
2.1.3 Why are some chapters marked with “(bonus)”? . . . . . . . . 20
2.2 I own a digital edition . . . . . . . . . . . . . . . . . . . . . . . . . . 20
2.2.1 How do I submit feedback and corrections? . . . . . . . . . . 20
2.2.2 How do I get updates for the downloads I bought at Payhip? . 20
2.2.3 Can I upgrade from package “Ebooks” to package “Ebooks +
exercises + quizzes”? . . . . . . . . . . . . . . . . . . . . . . . 20
2.3 I own the print edition . . . . . . . . . . . . . . . . . . . . . . . . . . 21
2.3.1 Can I get a discount for a digital edition? . . . . . . . . . . . . 21
2.3.2 Can I submit an error or see submitted errors? . . . . . . . . . 21
2.3.3 Is there an online list with the URLs in this book? . . . . . . . 21
2.4 Notations and conventions . . . . . . . . . . . . . . . . . . . . . . . 21
2.4.1 What is a type signature? Why am I seeing static types in this
book? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 21
2.4.2 What do the notes with icons mean? . . . . . . . . . . . . . . . 21
This chapter answers questions you may have and gives tips for reading this book.
19
20 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.
22 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 The cons of JavaScript . . . . . . . . . . . . . . . . . . . . . . . . . . 23
3.2 The pros of JavaScript . . . . . . . . . . . . . . . . . . . . . . . . . . 24
3.2.1 Community . . . . . . . . . . . . . . . . . . . . . . . . . . . . 24
3.2.2 Practically useful . . . . . . . . . . . . . . . . . . . . . . . . . 24
3.2.3 Language . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 25
3.3 Pro and con of JavaScript: innovation . . . . . . . . . . . . . . . . . 25
Additionally, many traditional quirks have been eliminated now. For example:
23
24 3 Why JavaScript? (bonus)
• Traditionally, JavaScript did not have built-in modules. ES6 added them to the
language.
Lastly, JavaScript’s standard library is limited, but:
• There are plans for adding more functionality.
• Many libraries are easily available via the npm software registry.
3.2.1 Community
JavaScript’s popularity means that it’s well supported and well documented. Whenever
you create something in JavaScript, you can rely on many people being (potentially) in-
terested. And there is a large pool of JavaScript programmers from which you can hire,
if you need to.
No single party controls JavaScript – it is evolved by TC39, a committee comprising many
organizations. The language is evolved via an open process that encourages feedback
from the public.
3.2.3 Language
• Many libraries are available, via the de-facto standard in the JavaScript universe,
the npm software registry.
• If you are unhappy with “plain” JavaScript, it is relatively easy to add more fea-
tures:
– You can compile future and modern language features to current and past
versions of JavaScript, via Babel.
– You can add static typing, via TypeScript and Flow.
– You can work with ReasonML, which is, roughly, OCaml with JavaScript
syntax. It can be compiled to JavaScript or native code.
• The language is flexible: it is dynamic and supports both object-oriented program-
ming and functional programming.
• JavaScript has become suprisingly fast for such a dynamic language.
– Whenever it isn’t fast enough, you can switch to WebAssembly, a universal
virtual machine built into most JavaScript engines. It can run static code at
nearly native speeds.
Quiz
See quiz app.
26 3 Why JavaScript? (bonus)
Chapter 4
Contents
4.1 JavaScript’s influences . . . . . . . . . . . . . . . . . . . . . . . . . . 27
4.2 The nature of JavaScript . . . . . . . . . . . . . . . . . . . . . . . . . 27
4.2.1 JavaScript often fails silently . . . . . . . . . . . . . . . . . . . 28
4.3 Tips for getting started with JavaScript . . . . . . . . . . . . . . . . 28
27
28 4 The nature of JavaScript (bonus)
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.
Contents
5.1 How JavaScript was created . . . . . . . . . . . . . . . . . . . . . . . 31
5.2 Standardizing JavaScript . . . . . . . . . . . . . . . . . . . . . . . . 32
5.3 Timeline of ECMAScript versions . . . . . . . . . . . . . . . . . . . 32
5.4 Ecma Technical Committee 39 (TC39) . . . . . . . . . . . . . . . . . 33
5.5 The TC39 process . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 33
5.5.1 Tip: Think in individual features and stages, not ECMAScript
versions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 33
5.6 FAQ: TC39 process . . . . . . . . . . . . . . . . . . . . . . . . . . . . 35
5.6.1 How is [my favorite proposed feature] doing? . . . . . . . . . 35
5.6.2 Is there an official list of ECMAScript features? . . . . . . . . . 35
5.7 Evolving JavaScript: Don’t break the web . . . . . . . . . . . . . . . 35
31
32 5 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. 5.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.
34 5 History and evolution of JavaScript
Pick champions
Spec complete
Figure 5.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.
5.6 FAQ: TC39 process 35
Quiz
See quiz app.
36 5 History and evolution of JavaScript
Chapter 6
FAQ: JavaScript
Contents
6.1 What are good references for JavaScript? . . . . . . . . . . . . . . . 37
6.2 How do I find out what JavaScript features are supported where? . . 37
6.3 Where can I look up what features are planned for JavaScript? . . . 38
6.4 Why does JavaScript fail silently so often? . . . . . . . . . . . . . . 38
6.5 Why can’t we clean up JavaScript, by removing quirks and outdated
features? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 38
6.6 How can I quickly try out a piece of JavaScript code? . . . . . . . . . 38
37
38 6 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
39
Chapter 7
Contents
7.1 What are you learning in this book? . . . . . . . . . . . . . . . . . . 41
7.2 The structure of browsers and Node.js . . . . . . . . . . . . . . . . . 41
7.3 JavaScript references . . . . . . . . . . . . . . . . . . . . . . . . . . . 42
7.4 Further reading . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 42
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
41
42 7 The big picture
JS standard
Platform API
library
Figure 7.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
8.1 An overview of JavaScript’s syntax . . . . . . . . . . . . . . . . . . . 44
8.1.1 Basic syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . 44
8.1.2 Modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 46
8.1.3 Legal variable and property names . . . . . . . . . . . . . . . 47
8.1.4 Casing styles . . . . . . . . . . . . . . . . . . . . . . . . . . . 47
8.1.5 Capitalization of names . . . . . . . . . . . . . . . . . . . . . 47
8.1.6 More naming conventions . . . . . . . . . . . . . . . . . . . . 48
8.1.7 Where to put semicolons? . . . . . . . . . . . . . . . . . . . . 48
8.2 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 49
8.3 Identifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 49
8.3.1 Valid identifiers (variable names, etc.) . . . . . . . . . . . . . . 49
8.3.2 Reserved words . . . . . . . . . . . . . . . . . . . . . . . . . . 49
8.4 Statement vs. expression . . . . . . . . . . . . . . . . . . . . . . . . . 50
8.4.1 Statements . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 50
8.4.2 Expressions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 50
8.4.3 What is allowed where? . . . . . . . . . . . . . . . . . . . . . 51
8.5 Ambiguous syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . 51
8.5.1 Same syntax: function declaration and function expression . . 51
8.5.2 Same syntax: object literal and block . . . . . . . . . . . . . . 52
8.5.3 Disambiguation . . . . . . . . . . . . . . . . . . . . . . . . . . 52
8.6 Semicolons . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 52
8.6.1 Rule of thumb for semicolons . . . . . . . . . . . . . . . . . . 52
8.6.2 Semicolons: control statements . . . . . . . . . . . . . . . . . 53
8.7 Automatic semicolon insertion (ASI) . . . . . . . . . . . . . . . . . . 53
8.7.1 ASI triggered unexpectedly . . . . . . . . . . . . . . . . . . . 54
8.7.2 ASI unexpectedly not triggered . . . . . . . . . . . . . . . . . 54
8.8 Semicolons: best practices . . . . . . . . . . . . . . . . . . . . . . . . 55
8.9 Strict mode vs. sloppy mode . . . . . . . . . . . . . . . . . . . . . . 55
43
44 8 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
8.1 An overview of JavaScript’s syntax 45
// 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;
46 8 Syntax
The previous code contains the following two arrow functions (the terms expression and
statement are explained later in this chapter):
Objects:
8.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:
48 8 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.
8.2 (Advanced) 49
8.2 (Advanced)
All remaining sections of this chapter are advanced.
8.3 Identifiers
8.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.
50 8 Syntax
8.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;
}
8.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;
}
{
}
8.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:
8.6 Semicolons
8.6.1 Rule of thumb for semicolons
Each statement is terminated by a semicolon:
8.7 Automatic semicolon insertion (ASI) 53
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();
8.8 Semicolons: best practices 55
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.
56 8 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';
}
8.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.
8.9 Strict mode vs. sloppy mode 57
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',
});
8.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 9
Contents
9.1 Trying out JavaScript code . . . . . . . . . . . . . . . . . . . . . . . . 59
9.1.1 Browser consoles . . . . . . . . . . . . . . . . . . . . . . . . . 59
9.1.2 The Node.js REPL . . . . . . . . . . . . . . . . . . . . . . . . . 61
9.1.3 Other options . . . . . . . . . . . . . . . . . . . . . . . . . . . 61
9.2 The console.* API: printing data and more . . . . . . . . . . . . . . 61
9.2.1 Printing values: console.log() (stdout) . . . . . . . . . . . . 62
9.2.2 Printing error information: console.error() (stderr) . . . . . 63
9.2.3 Printing nested objects via JSON.stringify() . . . . . . . . . 63
59
60 9 Consoles: interactive JavaScript command lines
Figure 9.1: The console of the web browser “Google Chrome” is open (in the bottom half
of window) while visiting a web page.
9.2 The console.* API: printing data and more 61
Figure 9.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"
}
64 9 Consoles: interactive JavaScript command lines
Chapter 10
Assertion API
Contents
10.1 Assertions in software development . . . . . . . . . . . . . . . . . . 65
10.2 How assertions are used in this book . . . . . . . . . . . . . . . . . . 65
10.2.1 Documenting results in code examples via assertions . . . . . 66
10.2.2 Implementing test-driven exercises via assertions . . . . . . . 66
10.3 Normal comparison vs. deep comparison . . . . . . . . . . . . . . . 66
10.4 Quick reference: module assert . . . . . . . . . . . . . . . . . . . . 67
10.4.1 Normal equality . . . . . . . . . . . . . . . . . . . . . . . . . . 67
10.4.2 Deep equality . . . . . . . . . . . . . . . . . . . . . . . . . . . 67
10.4.3 Expecting exceptions . . . . . . . . . . . . . . . . . . . . . . . 67
10.4.4 Another tool function . . . . . . . . . . . . . . . . . . . . . . . 68
This assertion states that the expected result of 3 plus 5 is 8. The import statement uses
the recommended strict version of assert.
65
66 10 Assertion API
function id(x) {
return x;
}
assert.equal(id('abc'), 'abc');
For more information, consult §11 “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
}
10.4 Quick reference: module assert 69
Quiz
See quiz app.
70 10 Assertion API
Chapter 11
Contents
11.1 Quizzes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 71
11.2 Exercises . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 71
11.2.1 Installing the exercises . . . . . . . . . . . . . . . . . . . . . . 71
11.2.2 Running exercises . . . . . . . . . . . . . . . . . . . . . . . . . 72
11.3 Unit tests in JavaScript . . . . . . . . . . . . . . . . . . . . . . . . . . 72
11.3.1 A typical test . . . . . . . . . . . . . . . . . . . . . . . . . . . 72
11.3.2 Asynchronous tests in AVA . . . . . . . . . . . . . . . . . . . 73
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.
11.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.
11.2 Exercises
11.2.1 Installing the exercises
To install the exercises:
71
72 11 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
75
Chapter 12
Contents
12.1 let . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 78
12.2 const . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 78
12.2.1 const and immutability . . . . . . . . . . . . . . . . . . . . . 78
12.2.2 const and loops . . . . . . . . . . . . . . . . . . . . . . . . . . 79
12.3 Deciding between const and let . . . . . . . . . . . . . . . . . . . . 79
12.4 The scope of a variable . . . . . . . . . . . . . . . . . . . . . . . . . . 79
12.4.1 Shadowing variables . . . . . . . . . . . . . . . . . . . . . . . 80
12.5 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 81
12.6 Terminology: static vs. dynamic . . . . . . . . . . . . . . . . . . . . 81
12.6.1 Static phenomenon: scopes of variables . . . . . . . . . . . . . 81
12.6.2 Dynamic phenomenon: function calls . . . . . . . . . . . . . . 81
12.7 Global variables and the global object . . . . . . . . . . . . . . . . . 82
12.7.1 globalThis [ES2020] . . . . . . . . . . . . . . . . . . . . . . . 82
12.8 Declarations: scope and activation . . . . . . . . . . . . . . . . . . . 84
12.8.1 const and let: temporal dead zone . . . . . . . . . . . . . . . 84
12.8.2 Function declarations and early activation . . . . . . . . . . . 85
12.8.3 Class declarations are not activated early . . . . . . . . . . . . 87
12.8.4 var: hoisting (partial early activation) . . . . . . . . . . . . . . 87
12.9 Closures . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 88
12.9.1 Bound variables vs. free variables . . . . . . . . . . . . . . . . 88
12.9.2 What is a closure? . . . . . . . . . . . . . . . . . . . . . . . . . 88
12.9.3 Example: A factory for incrementors . . . . . . . . . . . . . . 89
12.9.4 Use cases for closures . . . . . . . . . . . . . . . . . . . . . . . 90
77
78 12 Variables and assignment
12.1 let
let i;
i = 0;
i = i + 1;
assert.equal(i, 1);
let i = 0;
12.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);
80 12 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);
12.5 (Advanced) 81
}
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.
12.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. 12.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 12.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:
84 12 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 §26
“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);
}
12.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;
12.9 Closures 89
};
}
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]);
90 12 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 13
Values
Contents
13.1 What’s a type? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 91
13.2 JavaScript’s type hierarchy . . . . . . . . . . . . . . . . . . . . . . . 92
13.3 The types of the language specification . . . . . . . . . . . . . . . . 92
13.4 Primitive values vs. objects . . . . . . . . . . . . . . . . . . . . . . . 93
13.4.1 Primitive values (short: primitives) . . . . . . . . . . . . . . . 93
13.4.2 Objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 94
13.5 The operators typeof and instanceof: what’s the type of a value? . 95
13.5.1 typeof . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 96
13.5.2 instanceof . . . . . . . . . . . . . . . . . . . . . . . . . . . . 97
13.6 Classes and constructor functions . . . . . . . . . . . . . . . . . . . 97
13.6.1 Constructor functions associated with primitive types . . . . . 97
13.7 Converting between types . . . . . . . . . . . . . . . . . . . . . . . . 98
13.7.1 Explicit conversion between types . . . . . . . . . . . . . . . . 99
13.7.2 Coercion (automatic conversion between types) . . . . . . . . 99
91
92 13 Values
(any)
null number
Array Function
string
Map RegExp
symbol
Set Date
Figure 13.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. 13.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 §29.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);
94 13 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.
13.4.2 Objects
Objects are covered in detail in §28 “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 §28.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
§31.2.1 “Creating, reading, writing Arrays”.
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.
13.5 The operators typeof and instanceof: what’s the type of a value? 95
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.
13.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. 13.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
13.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 14
Operators
Contents
14.1 Making sense of operators . . . . . . . . . . . . . . . . . . . . . . . . 101
14.1.1 Operators coerce their operands to appropriate types . . . . . 102
14.1.2 Most operators only work with primitive values . . . . . . . . 102
14.2 The plus operator (+) . . . . . . . . . . . . . . . . . . . . . . . . . . . 102
14.3 Assignment operators . . . . . . . . . . . . . . . . . . . . . . . . . . 103
14.3.1 The plain assignment operator . . . . . . . . . . . . . . . . . . 103
14.3.2 Compound assignment operators . . . . . . . . . . . . . . . . 103
14.3.3 A list of all compound assignment operators . . . . . . . . . . 103
14.4 Equality: == vs. === . . . . . . . . . . . . . . . . . . . . . . . . . . . . 104
14.4.1 Loose equality (== and !=) . . . . . . . . . . . . . . . . . . . . 104
14.4.2 Strict equality (=== and !==) . . . . . . . . . . . . . . . . . . . 105
14.4.3 Recommendation: always use strict equality . . . . . . . . . . 105
14.4.4 Even stricter than ===: Object.is() . . . . . . . . . . . . . . . 106
14.5 Ordering operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . 107
14.6 The nullish coalescing operator (??) for default values [ES2020] . . 107
14.6.1 Example: counting matches . . . . . . . . . . . . . . . . . . . 107
14.6.2 Example: specifying a default value for a property . . . . . . . 108
14.6.3 Using destructuring for default values . . . . . . . . . . . . . 108
14.6.4 Legacy approach: using logical Or (||) for default values . . . 108
14.7 Various other operators . . . . . . . . . . . . . . . . . . . . . . . . . 109
14.7.1 Comma operator . . . . . . . . . . . . . . . . . . . . . . . . . 109
14.7.2 void operator . . . . . . . . . . . . . . . . . . . . . . . . . . . 109
101
102 14 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.
14.3 Assignment operators 103
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.
106 14 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 §16.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. 14.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
111
Chapter 15
Contents
15.1 undefined vs. null . . . . . . . . . . . . . . . . . . . . . . . . . . . . 113
15.2 Occurrences of undefined and null . . . . . . . . . . . . . . . . . . . 114
15.2.1 Occurrences of undefined . . . . . . . . . . . . . . . . . . . . 114
15.2.2 Occurrences of null . . . . . . . . . . . . . . . . . . . . . . . 114
15.3 Checking for undefined or null . . . . . . . . . . . . . . . . . . . . . 115
15.4 undefined and null don’t have properties . . . . . . . . . . . . . . . 115
15.5 The history of undefined and null . . . . . . . . . . . . . . . . . . . 116
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).
113
114 15 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 §16.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
116 15 The non-values undefined and null
Quiz
See quiz app.
Chapter 16
Booleans
Contents
16.1 Converting to boolean . . . . . . . . . . . . . . . . . . . . . . . . . . 117
16.2 Falsy and truthy values . . . . . . . . . . . . . . . . . . . . . . . . . 118
16.2.1 Checking for truthiness or falsiness . . . . . . . . . . . . . . . 119
16.3 Truthiness-based existence checks . . . . . . . . . . . . . . . . . . . 119
16.3.1 Pitfall: truthiness-based existence checks are imprecise . . . . 120
16.3.2 Use case: was a parameter provided? . . . . . . . . . . . . . . 120
16.3.3 Use case: does a property exist? . . . . . . . . . . . . . . . . . 121
16.4 Conditional operator (? :) . . . . . . . . . . . . . . . . . . . . . . . . 121
16.5 Binary logical operators: And (x && y), Or (x || y) . . . . . . . . . 122
16.5.1 Logical And (x && y) . . . . . . . . . . . . . . . . . . . . . . . 122
16.5.2 Logical Or (||) . . . . . . . . . . . . . . . . . . . . . . . . . . 123
16.5.3 Legacy use case for logical Or (||): providing default values . 123
16.6 Logical Not (!) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 123
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.
117
118 16 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. 16.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. 16.1, we can make an exhaustive list
of falsy values:
16.3 Truthiness-based existence checks 119
• 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');
}
16.4 Conditional operator (? :) 121
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'
122 16 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:
16.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 §14.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.
124 16 Booleans
> !0
true
> !123
false
> !''
true
> !'abc'
false
Quiz
See quiz app.
Chapter 17
Numbers
Contents
17.1 Numbers are used for both floating point numbers and integers . . 126
17.2 Number literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 126
17.2.1 Integer literals . . . . . . . . . . . . . . . . . . . . . . . . . . . 126
17.2.2 Floating point literals . . . . . . . . . . . . . . . . . . . . . . . 127
17.2.3 Syntactic pitfall: properties of integer literals . . . . . . . . . . 127
17.3 Arithmetic operators . . . . . . . . . . . . . . . . . . . . . . . . . . . 127
17.3.1 Binary arithmetic operators . . . . . . . . . . . . . . . . . . . 127
17.3.2 Unary plus (+) and negation (-) . . . . . . . . . . . . . . . . . 128
17.3.3 Incrementing (++) and decrementing (--) . . . . . . . . . . . . 128
17.4 Converting to number . . . . . . . . . . . . . . . . . . . . . . . . . . 130
17.5 Error values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 130
17.6 Error value: NaN . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 131
17.6.1 Checking for NaN . . . . . . . . . . . . . . . . . . . . . . . . . 131
17.6.2 Finding NaN in Arrays . . . . . . . . . . . . . . . . . . . . . . 131
17.7 Error value: Infinity . . . . . . . . . . . . . . . . . . . . . . . . . . 132
17.7.1 Infinity as a default value . . . . . . . . . . . . . . . . . . . 132
17.7.2 Checking for Infinity . . . . . . . . . . . . . . . . . . . . . . 132
17.8 The precision of numbers: careful with decimal fractions . . . . . . 133
17.9 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 133
17.10Background: floating point precision . . . . . . . . . . . . . . . . . . 133
17.10.1 A simplified representation of floating point numbers . . . . . 134
17.11Integer numbers in JavaScript . . . . . . . . . . . . . . . . . . . . . 135
17.11.1 Converting to integer . . . . . . . . . . . . . . . . . . . . . . . 136
17.11.2 Ranges of integer numbers in JavaScript . . . . . . . . . . . . 136
17.11.3 Safe integers . . . . . . . . . . . . . . . . . . . . . . . . . . . . 137
17.12Bitwise operators . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 138
17.12.1 Internally, bitwise operators work with 32-bit integers . . . . . 138
17.12.2 Bitwise Not . . . . . . . . . . . . . . . . . . . . . . . . . . . . 139
125
126 17 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);
17.3 Arithmetic operators 127
% 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 17.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.
17.3 Arithmetic operators 129
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
17.6 Error value: NaN 131
> 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
132 17 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;
17.8 The precision of numbers: careful with decimal fractions 133
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.
17.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):
134 17 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
17.11 Integer numbers in JavaScript 135
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.
136 17 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 )
17.11 Integer numbers in JavaScript 137
> 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');
17.12 Bitwise operators 139
The bitwise Not operator (tbl. 17.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. 17.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. 17.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
142 17 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'
17.13 Quick reference: numbers 145
17.13.5 Sources
• Wikipedia
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
Quiz: advanced
See quiz app.
146 17 Numbers
Chapter 18
Math
Contents
18.1 Data properties . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 147
18.2 Exponents, roots, logarithms . . . . . . . . . . . . . . . . . . . . . . 148
18.3 Rounding . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 149
18.4 Trigonometric Functions . . . . . . . . . . . . . . . . . . . . . . . . . 150
18.5 Various other functions . . . . . . . . . . . . . . . . . . . . . . . . . 152
18.6 Sources . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 153
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.
147
148 18 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
18.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. 18.1 shows the results of the rounding functions for a few representative inputs.
Table 18.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);
18.4 Trigonometric Functions 151
> 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
152 18 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
18.6 Sources
• Wikipedia
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
154 18 Math
Chapter 19
Bigints – arbitrary-precision
integers [ES2020] (early access)
Contents
19.1 Why bigints? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 156
19.2 Bigints . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 156
19.2.1 Going beyond 53 bits for integers . . . . . . . . . . . . . . . . 157
19.2.2 Example: using bigints . . . . . . . . . . . . . . . . . . . . . . 157
19.3 Bigint literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 158
19.4 Reusing number operators for bigints (overloading) . . . . . . . . . 158
19.4.1 Arithmetic operators . . . . . . . . . . . . . . . . . . . . . . . 158
19.4.2 Ordering operators . . . . . . . . . . . . . . . . . . . . . . . . 159
19.4.3 Bitwise operators . . . . . . . . . . . . . . . . . . . . . . . . . 159
19.4.4 Loose equality (==) and inequality (!=) . . . . . . . . . . . . . 161
19.4.5 Strict equality (===) and inequality (!==) . . . . . . . . . . . . 161
19.5 The wrapper constructor BigInt . . . . . . . . . . . . . . . . . . . . 161
19.5.1 BigInt as a constructor and as a function . . . . . . . . . . . . 162
19.5.2 BigInt.prototype.* methods . . . . . . . . . . . . . . . . . . 163
19.5.3 BigInt.* methods . . . . . . . . . . . . . . . . . . . . . . . . 163
19.5.4 Casting and 64-bit integers . . . . . . . . . . . . . . . . . . . . 163
19.6 Coercing bigints to other primitive types . . . . . . . . . . . . . . . 163
19.7 TypedArrays and DataView operations for 64-bit values . . . . . . . 164
19.8 Bigints and JSON . . . . . . . . . . . . . . . . . . . . . . . . . . . . 164
19.8.1 Stringifying bigints . . . . . . . . . . . . . . . . . . . . . . . . 164
19.8.2 Parsing bigints . . . . . . . . . . . . . . . . . . . . . . . . . . 165
19.9 FAQ: Bigints . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 165
19.9.1 How do I decide when to use numbers and when to use bigints? 165
19.9.2 Why not just increase the precision of numbers in the same man-
ner as is done for bigints? . . . . . . . . . . . . . . . . . . . . 165
155
156 19 Bigints – arbitrary-precision integers [ES2020] (early access)
In this chapter, we take a look at bigints, JavaScript’s integers whose storage space grows
and shrinks as needed.
• There only was a single type for floating point numbers and integers: 64-bit float-
ing point numbers (IEEE 754 double precision).
• JavaScript numbers could also represent integers beyond the small integer range,
as floating point numbers. Here, the safe range is plus/minus 53 bits. For more
information on this topic, see §17.11.3 “Safe integers”.
• Twitter uses 64-bit integers as IDs for tweets (source). In JavaScript, these IDs had
to be stored in strings.
• Financial technology uses so-called big integers (integers with arbitrary precision)
to represent amounts of money. Internally, the amounts are multiplied so that the
decimal numbers disappear. For example, USD amounts are multiplied by 100 so
that the cents disappear.
19.2 Bigints
Bigint is a new primitive data type for integers. Bigints don’t have a fixed storage size in
bits; their sizes adapt to the integers they represent:
• Small integers are represented with fewer bits than large integers.
• There is no negative lower limit or positive upper limit for the integers that can be
represented.
A bigint literal is a sequence of one or more digits, suffixed with an n – for example:
123n
Bigints are primitive values. typeof returns a new result for them:
> 2n**53n
9007199254740992n
> 2n**53n + 1n
9007199254740993n
> 2n**53n + 2n
9007199254740994n
/**
* Takes a bigint as an argument and returns a bigint
*/
function nthPrime(nth) {
if (typeof nth !== 'bigint') {
throw new TypeError();
}
function isPrime(p) {
for (let i = 2n; i < p; i++) {
if (p % i === 0n) return false;
}
return true;
158 19 Bigints – arbitrary-precision integers [ES2020] (early access)
}
for (let i = 2n; ; i++) {
if (isPrime(i)) {
if (--nth === 0n) return i;
}
}
}
assert.deepEqual(
[1n, 2n, 3n, 4n, 5n].map(nth => nthPrime(nth)),
[2n, 3n, 5n, 7n, 11n]
);
• Decimal: 123n
• Hexadecimal: 0xFFn
• Binary: 0b1101n
• Octal: 0o777n
Negative bigints are produced by prefixing the unary minus operator: -0123n
> 2n + 1
TypeError: Cannot mix BigInt and other types, use explicit conversions
The reason for this rule is that there is no general way of coercing a number and a bigint to
a common type: numbers can’t represent bigints beyond 53 bits, bigints can’t represent
fractions. Therefore, the exceptions warn us about typos that may lead to unexpected
results.
2**53 + 1n
It is also not clear what the result of the following expression should be:
2n**53n * 3.3
> 7n * 3n
21n
> 1n / 2n
0n
Unary + is not supported for bigints because much code relies on it coercing its operand
to number:
> +23n
TypeError: Cannot convert a BigInt value to a number
Comparing bigints and numbers does not pose any risks. Therefore, we can mix bigints
and numbers:
> 3n > -1
true
Bitwise operators interpret numbers as 32-bit integers. These integers are either unsigned
or signed. If they are signed, the negative of an integer is its two’s complement (adding an
integer to its two’s complement – while ignoring overflow – produces zero):
> 2**32-1 >> 0
-1
Due to these integers having a fixed size, their highest bits indicate their signs:
> 2**31 >> 0 // highest bit is 1
-2147483648
> 2**31 - 1 >> 0 // highest bit is 0
2147483647
160 19 Bigints – arbitrary-precision integers [ES2020] (early access)
For bigints, bitwise operators interpret a negative sign as an infinite two’s complement
– for example:
That is, a negative sign is more of an external flag and not represented as an actual bit.
> ~0b10n
-3n
> ~0n
-1n
> ~-2n
1n
The signed shift operators for bigints preserve the sign of a number:
> 2n << 1n
4n
> -2n << 1n
-4n
> 2n >> 1n
1n
> -2n >> 1n
-1n
19.5 The wrapper constructor BigInt 161
Recall that -1n is a sequence of ones that extends infinitely to the left. That’s why shifting
it left doesn’t change it:
> 2n >>> 1n
TypeError: BigInts have no unsigned right shift, use >> instead
Why? The idea behind unsigned right shifting is that a zero is shifted in “from the left”.
In other words, the assumption is that there is a finite amount of binary digits.
However, with bigints, there is no “left”, their binary digits extend infinitely. This is
especially important with negative numbers.
Signed right shift works even with an infinite number of digits because the highest digit
is preserved. Therefore, it can be adapted to bigints.
> 0n == false
true
> 1n == true
true
x BigInt(x)
> BigInt(undefined)
TypeError: Cannot convert undefined to a BigInt
> BigInt(null)
TypeError: Cannot convert null to a BigInt
If a string does not represent an integer, BigInt() throws a SyntaxError (whereas Num-
ber() returns the error value NaN):
> BigInt('abc')
SyntaxError: Cannot convert abc to a BigInt
> BigInt('123n')
SyntaxError: Cannot convert 123n to a BigInt
> BigInt('123')
123n
> BigInt('0xFF')
255n
> BigInt('0b1101')
19.6 Coercing bigints to other primitive types 163
13n
> BigInt('0o777')
511n
> BigInt(123.45)
RangeError: The number 123.45 cannot be converted to a BigInt because
it is not an integer
> BigInt(123)
123n
How objects are converted to bigints can be configured – for example, by overriding
.valueOf():
• BigInt.prototype.toLocaleString(reserved1?, reserved2?)
• BigInt.prototype.toString(radix?)
• BigInt.prototype.valueOf()
Footnote:
• (1) Unary + is not supported for bigints, because much code relies on it coercing
its operand to number.
> JSON.stringify(123n)
TypeError: Do not know how to serialize a BigInt
> JSON.stringify([123n])
TypeError: Do not know how to serialize a BigInt
return value;
}
• Use numbers for up to 53 bits and for Array indices. Rationale: They already
appear everywhere and are handled efficiently by most engines (especially if they
fit into 31 bits). Appearances include:
– Array.prototype.forEach()
– Array.prototype.entries()
• Use bigints for large numeric values: If your fraction-less values don’t fit into 53
bits, you have no choice but to move to bigints.
All existing web APIs return and accept only numbers and will only upgrade to bigint
on a case-by-case basis.
19.9.2 Why not just increase the precision of numbers in the same
manner as is done for bigints?
One could conceivably split number into integer and double, but that would add many
new complexities to the language (several integer-only operators etc.). I’ve sketched the
166 19 Bigints – arbitrary-precision integers [ES2020] (early access)
consequences in a Gist.
Acknowledgements:
• Thanks to Daniel Ehrenberg for reviewing an earlier version of this content.
• Thanks to Dan Callahan for reviewing an earlier version of this content.
Chapter 20
Contents
20.1 Code points vs. code units . . . . . . . . . . . . . . . . . . . . . . . . 167
20.1.1 Code points . . . . . . . . . . . . . . . . . . . . . . . . . . . . 168
20.1.2 Encoding Unicode code points: UTF-32, UTF-16, UTF-8 . . . . 168
20.2 Encodings used in web development: UTF-16 and UTF-8 . . . . . . 170
20.2.1 Source code internally: UTF-16 . . . . . . . . . . . . . . . . . 170
20.2.2 Strings: UTF-16 . . . . . . . . . . . . . . . . . . . . . . . . . . 170
20.2.3 Source code in files: UTF-8 . . . . . . . . . . . . . . . . . . . . 170
20.3 Grapheme clusters – the real characters . . . . . . . . . . . . . . . . 170
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.
167
168 20 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.
20.1 Code points vs. code units 169
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:
170 20 Unicode – a brief introduction (advanced)
For more information on Unicode and strings, consult §21.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 §21.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.
172 20 Unicode – a brief introduction (advanced)
Chapter 21
Strings
Contents
21.1 Plain string literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . 174
21.1.1 Escaping . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 174
21.2 Accessing characters and code points . . . . . . . . . . . . . . . . . . 174
21.2.1 Accessing JavaScript characters . . . . . . . . . . . . . . . . . 174
21.2.2 Accessing Unicode code point characters via for-of and
spreading . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 174
21.3 String concatenation via + . . . . . . . . . . . . . . . . . . . . . . . . 175
21.4 Converting to string . . . . . . . . . . . . . . . . . . . . . . . . . . . 175
21.4.1 Stringifying objects . . . . . . . . . . . . . . . . . . . . . . . . 176
21.4.2 Customizing the stringification of objects . . . . . . . . . . . . 177
21.4.3 An alternate way of stringifying values . . . . . . . . . . . . . 177
21.5 Comparing strings . . . . . . . . . . . . . . . . . . . . . . . . . . . . 177
21.6 Atoms of text: Unicode characters, JavaScript characters, grapheme
clusters . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 178
21.6.1 Working with code points . . . . . . . . . . . . . . . . . . . . 178
21.6.2 Working with code units (char codes) . . . . . . . . . . . . . . 179
21.6.3 Caveat: grapheme clusters . . . . . . . . . . . . . . . . . . . . 180
21.7 Quick reference: Strings . . . . . . . . . . . . . . . . . . . . . . . . . 180
21.7.1 Converting to string . . . . . . . . . . . . . . . . . . . . . . . 180
21.7.2 Numeric values of characters . . . . . . . . . . . . . . . . . . 180
21.7.3 String operators . . . . . . . . . . . . . . . . . . . . . . . . . . 180
21.7.4 String.prototype: finding and matching . . . . . . . . . . . 181
21.7.5 String.prototype: extracting . . . . . . . . . . . . . . . . . . 183
21.7.6 String.prototype: combining . . . . . . . . . . . . . . . . . . 184
21.7.7 String.prototype: transforming . . . . . . . . . . . . . . . . 184
21.7.8 Sources . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 187
Strings are primitive values in JavaScript and immutable. That is, string-related opera-
tions always produce new strings and never change existing strings.
173
174 21 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)
21.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!\"");
21.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,
21.3 String concatenation via + 175
see §21.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)
176 21 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'
180 21 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
182 21 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.
21.7.8 Sources
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
Quiz
See quiz app.
188 21 Strings
Chapter 22
Contents
22.1 Disambiguation: “template” . . . . . . . . . . . . . . . . . . . . . . 189
22.2 Template literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 190
22.3 Tagged templates . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 191
22.3.1 Cooked vs. raw template strings (advanced) . . . . . . . . . . 191
22.3.2 Tag function library: lit-html . . . . . . . . . . . . . . . . . . . 192
22.3.3 Tag function library: re-template-tag . . . . . . . . . . . . . . 192
22.3.4 Tag function library: graphql-tag . . . . . . . . . . . . . . . . 193
22.4 Raw string literals . . . . . . . . . . . . . . . . . . . . . . . . . . . . 193
22.5 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 193
22.6 Multiline template literals and indentation . . . . . . . . . . . . . . 194
22.6.1 Fix: template tag for dedenting . . . . . . . . . . . . . . . . . 194
22.6.2 Fix: .trim() . . . . . . . . . . . . . . . . . . . . . . . . . . . . 195
22.7 Simple templating via template literals . . . . . . . . . . . . . . . . 195
22.7.1 A more complex example . . . . . . . . . . . . . . . . . . . . 196
22.7.2 Simple HTML-escaping . . . . . . . . . . . . . . . . . . . . . 197
Before we dig into the two features template literal and tagged template, let’s first examine
the multiple meanings of the term template.
189
190 22 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:
22.5 (Advanced)
All remaining sections are advanced
194 22 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>
22.7 Simple templating via template literals 197
</tr>
</table>
Quiz
See quiz app.
198 22 Using template literals and tagged templates
Chapter 23
Symbols
Contents
23.1 Use cases for symbols . . . . . . . . . . . . . . . . . . . . . . . . . . 200
23.1.1 Symbols: values for constants . . . . . . . . . . . . . . . . . . 200
23.1.2 Symbols: unique property keys . . . . . . . . . . . . . . . . . 201
23.2 Publicly known symbols . . . . . . . . . . . . . . . . . . . . . . . . 202
23.3 Converting symbols . . . . . . . . . . . . . . . . . . . . . . . . . . . 202
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,
};
199
200 23 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:
23.1 Use cases for symbols 201
• 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 §28.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.
204 23 Symbols
Part V
205
Chapter 24
Contents
24.1 Conditions of control flow statements . . . . . . . . . . . . . . . . . 208
24.2 Controlling loops: break and continue . . . . . . . . . . . . . . . . . 208
24.2.1 break . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 208
24.2.2 break plus label: leaving any labeled statement . . . . . . . . 209
24.2.3 continue . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 209
24.3 if statements . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 210
24.3.1 The syntax of if statements . . . . . . . . . . . . . . . . . . . 210
24.4 switch statements . . . . . . . . . . . . . . . . . . . . . . . . . . . . 211
24.4.1 A first example of a switch statement . . . . . . . . . . . . . . 211
24.4.2 Don’t forget to return or break! . . . . . . . . . . . . . . . . . 212
24.4.3 Empty case clauses . . . . . . . . . . . . . . . . . . . . . . . . 212
24.4.4 Checking for illegal values via a default clause . . . . . . . . 213
24.5 while loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 213
24.5.1 Examples of while loops . . . . . . . . . . . . . . . . . . . . . 214
24.6 do-while loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 214
24.7 for loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 214
24.7.1 Examples of for loops . . . . . . . . . . . . . . . . . . . . . . 215
24.8 for-of loops . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 215
24.8.1 const: for-of vs. for . . . . . . . . . . . . . . . . . . . . . . . 216
24.8.2 Iterating over iterables . . . . . . . . . . . . . . . . . . . . . . 216
24.8.3 Iterating over [index, element] pairs of Arrays . . . . . . . . . 216
24.9 for-await-of loops . . . . . . . . . . . . . . . . . . . . . . . . . . . 217
24.10 for-in loops (avoid) . . . . . . . . . . . . . . . . . . . . . . . . . . . 217
207
208 24 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 §16.2 “Falsy and truthy values”.
24.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'
24.2 Controlling loops: break and continue 209
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.
24.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',
210 24 Control flow statements
24.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»
24.4 switch statements 211
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:
212 24 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':
24.5 while loops 213
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);
}
218 24 Control flow statements
return result;
}
Quiz
See quiz app.
Chapter 25
Exception handling
Contents
25.1 Motivation: throwing and catching exceptions . . . . . . . . . . . . 219
25.2 throw . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 220
25.2.1 Options for creating error objects . . . . . . . . . . . . . . . . 221
25.3 The try statement . . . . . . . . . . . . . . . . . . . . . . . . . . . . 221
25.3.1 The try block . . . . . . . . . . . . . . . . . . . . . . . . . . . 221
25.3.2 The catch clause . . . . . . . . . . . . . . . . . . . . . . . . . 221
25.3.3 The finally clause . . . . . . . . . . . . . . . . . . . . . . . . 222
25.4 Error classes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 223
25.4.1 Properties of error objects . . . . . . . . . . . . . . . . . . . . 223
function readProfiles(filePaths) {
const profiles = [];
for (const filePath of filePaths) {
try {
const profile = readOneProfile(filePath);
profiles.push(profile);
219
220 25 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.
25.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 26
Callable values
Contents
26.1 Kinds of functions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 225
26.2 Ordinary functions . . . . . . . . . . . . . . . . . . . . . . . . . . . . 226
26.2.1 Parts of a function declaration . . . . . . . . . . . . . . . . . . 226
26.2.2 Roles played by ordinary functions . . . . . . . . . . . . . . . 227
26.2.3 Names of ordinary functions . . . . . . . . . . . . . . . . . . . 227
26.3 Specialized functions . . . . . . . . . . . . . . . . . . . . . . . . . . 228
26.3.1 Specialized functions are still functions . . . . . . . . . . . . . 228
26.3.2 Recommendation: prefer specialized functions . . . . . . . . . 229
26.3.3 Arrow functions . . . . . . . . . . . . . . . . . . . . . . . . . 229
26.4 More kinds of functions and methods . . . . . . . . . . . . . . . . . 231
26.5 Returning values from functions and methods . . . . . . . . . . . . 232
26.6 Parameter handling . . . . . . . . . . . . . . . . . . . . . . . . . . . 233
26.6.1 Terminology: parameters vs. arguments . . . . . . . . . . . . 233
26.6.2 Terminology: callback . . . . . . . . . . . . . . . . . . . . . . 233
26.6.3 Too many or not enough arguments . . . . . . . . . . . . . . . 234
26.6.4 Parameter default values . . . . . . . . . . . . . . . . . . . . . 234
26.6.5 Rest parameters . . . . . . . . . . . . . . . . . . . . . . . . . . 234
26.6.6 Named parameters . . . . . . . . . . . . . . . . . . . . . . . . 235
26.6.7 Simulating named parameters . . . . . . . . . . . . . . . . . . 236
26.6.8 Spreading (...) into function calls . . . . . . . . . . . . . . . . 236
26.7 Dynamically evaluating code: eval(), new Function() (advanced) . 237
26.7.1 eval() . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 238
26.7.2 new Function() . . . . . . . . . . . . . . . . . . . . . . . . . . 238
26.7.3 Recommendations . . . . . . . . . . . . . . . . . . . . . . . . 239
225
226 26 Callable values
As we have seen in §12.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 §8.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:
228 26 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. 26.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:
230 26 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.
26.4 More kinds of functions and methods 231
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 §28.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.
232 26 Callable values
Table 26.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';
26.6 Parameter handling 233
}
}
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.
236 26 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().
26.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:
26.7 Dynamically evaluating code: eval(), new Function() (advanced) 239
26.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.
240 26 Callable values
Part VI
Modularity
241
Chapter 27
Modules
Contents
27.1 Overview: syntax of ECMAScript modules . . . . . . . . . . . . . . 244
27.1.1 Exporting . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 244
27.1.2 Importing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 244
27.2 JavaScript source code formats . . . . . . . . . . . . . . . . . . . . . 245
27.2.1 Code before built-in modules was written in ECMAScript 5 . . 245
27.3 Before we had modules, we had scripts . . . . . . . . . . . . . . . . 245
27.4 Module systems created prior to ES6 . . . . . . . . . . . . . . . . . . 246
27.4.1 Server side: CommonJS modules . . . . . . . . . . . . . . . . 247
27.4.2 Client side: AMD (Asynchronous Module Definition) modules 247
27.4.3 Characteristics of JavaScript modules . . . . . . . . . . . . . . 248
27.5 ECMAScript modules . . . . . . . . . . . . . . . . . . . . . . . . . . 248
27.5.1 ES modules: syntax, semantics, loader API . . . . . . . . . . . 249
27.6 Named exports and imports . . . . . . . . . . . . . . . . . . . . . . . 249
27.6.1 Named exports . . . . . . . . . . . . . . . . . . . . . . . . . . 249
27.6.2 Named imports . . . . . . . . . . . . . . . . . . . . . . . . . . 250
27.6.3 Namespace imports . . . . . . . . . . . . . . . . . . . . . . . . 251
27.6.4 Named exporting styles: inline versus clause (advanced) . . . 251
27.7 Default exports and imports . . . . . . . . . . . . . . . . . . . . . . . 251
27.7.1 The two styles of default-exporting . . . . . . . . . . . . . . . 252
27.7.2 The default export as a named export (advanced) . . . . . . . 253
27.8 More details on exporting and importing . . . . . . . . . . . . . . . 254
27.8.1 Imports are read-only views on exports . . . . . . . . . . . . . 254
27.8.2 ESM’s transparent support for cyclic imports (advanced) . . . 255
27.9 npm packages . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 255
27.9.1 Packages are installed inside a directory node_modules/ . . . . 256
27.9.2 Why can npm be used to install frontend libraries? . . . . . . . 257
27.10Naming modules . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 257
27.11Module specifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . 258
243
244 27 Modules
// Default exports
export default function f() {} // declaration with optional name
// Replacement for `const` (there must be exactly one value)
export default 123;
27.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() {
248 27 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!');
254 27 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.
27.9 npm packages 255
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",
256 27 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:
27.10 Naming modules 257
// /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.
27.11 Module specifiers 259
• 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.
260 27 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(···);
27.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.
264 27 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 28
Single objects
Contents
28.1 What is an object? . . . . . . . . . . . . . . . . . . . . . . . . . . . . 267
28.1.1 Roles of objects: record vs. dictionary . . . . . . . . . . . . . . 267
28.2 Objects as records . . . . . . . . . . . . . . . . . . . . . . . . . . . . 267
28.2.1 Object literals: properties . . . . . . . . . . . . . . . . . . . . . 267
28.2.2 Object literals: property value shorthands . . . . . . . . . . . 268
28.2.3 Getting properties . . . . . . . . . . . . . . . . . . . . . . . . . 268
28.2.4 Setting properties . . . . . . . . . . . . . . . . . . . . . . . . . 268
28.2.5 Object literals: methods . . . . . . . . . . . . . . . . . . . . . 269
28.2.6 Object literals: accessors . . . . . . . . . . . . . . . . . . . . . 269
28.3 Spreading into object literals (...) [ES2018] . . . . . . . . . . . . . . 270
28.3.1 Use case for spreading: copying objects . . . . . . . . . . . . . 271
28.3.2 Use case for spreading: default values for missing properties . 271
28.3.3 Use case for spreading: non-destructively changing properties 272
28.4 Methods . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 272
28.4.1 Methods are properties whose values are functions . . . . . . 272
28.4.2 .call(): specifying this via a parameter . . . . . . . . . . . . 273
28.4.3 .bind(): pre-filling this and parameters of functions . . . . . 274
28.4.4 this pitfall: extracting methods . . . . . . . . . . . . . . . . . 275
28.4.5 this pitfall: accidentally shadowing this . . . . . . . . . . . . 276
28.4.6 Avoiding the pitfalls of this . . . . . . . . . . . . . . . . . . . 278
28.4.7 The value of this in various contexts . . . . . . . . . . . . . . 278
28.5 Optional chaining for property accesses and method calls (ad-
vanced) [ES2020] . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 279
28.5.1 Example: optional static property access . . . . . . . . . . . . 279
28.5.2 The operators in more detail (advanced) . . . . . . . . . . . . 280
28.5.3 Short-circuiting (advanced) . . . . . . . . . . . . . . . . . . . 281
28.5.4 Frequently asked questions . . . . . . . . . . . . . . . . . . . 281
28.6 Objects as dictionaries (advanced) . . . . . . . . . . . . . . . . . . . 282
265
266 28 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,
268 28 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.
28.2.6.1 Getters
const jane = {
first: 'Jane',
last: 'Doe',
get full() {
return `${this.first} ${this.last}`;
},
};
28.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 §28.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} });
28.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.
272 28 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:
28.4 Methods
28.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) {
28.4 Methods 273
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');
274 28 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)
});
},
28.4 Methods 277
};
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;
278 28 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.
28.5 Optional chaining for property accesses and method calls (advanced) [ES2020] 279
• 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:
280 28 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);
28.5 Optional chaining for property accesses and method calls (advanced) [ES2020] 281
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.
282 28 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'() {
28.6 Objects as dictionaries (advanced) 283
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. 28.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.
28.6.5.1 Enumerability
assert.deepEqual(
286 28 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',
}
);
288 28 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()
28.7.1 .toString()
.toString() determines how objects are converted to strings:
28.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);
28.8 Advanced topics 291
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,
292 28 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 29
Contents
29.1 Prototype chains . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 294
29.1.1 JavaScript’s operations: all properties vs. own properties . . . 295
29.1.2 Pitfall: only the first member of a prototype chain is mutated . 295
29.1.3 Tips for working with prototypes (advanced) . . . . . . . . . . 296
29.1.4 Sharing data via prototypes . . . . . . . . . . . . . . . . . . . 297
29.2 Classes . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 299
29.2.1 A class for persons . . . . . . . . . . . . . . . . . . . . . . . . 299
29.2.2 Classes under the hood . . . . . . . . . . . . . . . . . . . . . . 300
29.2.3 Class definitions: prototype properties . . . . . . . . . . . . . 301
29.2.4 Class definitions: static properties . . . . . . . . . . . . . . . . 302
29.2.5 The instanceof operator . . . . . . . . . . . . . . . . . . . . . 302
29.2.6 Why I recommend classes . . . . . . . . . . . . . . . . . . . . 303
29.3 Private data for classes . . . . . . . . . . . . . . . . . . . . . . . . . . 303
29.3.1 Private data: naming convention . . . . . . . . . . . . . . . . 303
29.3.2 Private data: WeakMaps . . . . . . . . . . . . . . . . . . . . . 304
29.3.3 More techniques for private data . . . . . . . . . . . . . . . . 305
29.4 Subclassing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 305
29.4.1 Subclasses under the hood (advanced) . . . . . . . . . . . . . 306
29.4.2 instanceof in more detail (advanced) . . . . . . . . . . . . . . 307
29.4.3 Prototype chains of built-in objects (advanced) . . . . . . . . . 307
29.4.4 Dispatched vs. direct method calls (advanced) . . . . . . . . . 310
29.4.5 Mixin classes (advanced) . . . . . . . . . . . . . . . . . . . . . 311
29.5 FAQ: objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 313
29.5.1 Why do objects preserve the insertion order of properties? . . 313
293
294 29 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. 29.2 shows what the prototype chain of obj looks like.
Non-inherited properties are called own properties. obj has one own property, .objProp.
29.1 Prototype chains 295
...
proto
__proto__
protoProp 'a'
obj
__proto__
objProp 'b'
Figure 29.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',
};
296 29 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 29.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:
29.1 Prototype chains 297
• 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 29.4: Objects jane and tarzan share method .describe(), via their common pro-
totype PersonProto.
Fig. 29.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.
29.2 Classes 299
29.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 29.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. 29.5 makes it clear how
they differ:
29.2 Classes 301
There is one detail in fig. 29.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.
29.3 Private data for classes 303
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.
29.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()
306 29 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 29.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. 29.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:
29.4 Subclassing 307
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. 29.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. 29.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.
308 29 Prototype chains and classes
null
__proto__
Object.prototype
__proto__
{}
Figure 29.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 29.8: The prototype chain of an Array has these members: the Array instance,
Array.prototype, Object.prototype, null.
This prototype chain (visualized in fig. 29.8) tells us that an Array object is an instance of
Array, which is a subclass of Object.
29.4 Subclassing 309
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
310 29 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 29.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().
29.4 Subclassing 311
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.
29.5 FAQ: objects 313
Quiz
See quiz app.
314 29 Prototype chains and classes
Part VII
Collections
315
Chapter 30
Synchronous iteration
Contents
30.1 What is synchronous iteration about? . . . . . . . . . . . . . . . . . 317
30.2 Core iteration constructs: iterables and iterators . . . . . . . . . . . 318
30.3 Iterating manually . . . . . . . . . . . . . . . . . . . . . . . . . . . . 319
30.3.1 Iterating over an iterable via while . . . . . . . . . . . . . . . 319
30.4 Iteration in practice . . . . . . . . . . . . . . . . . . . . . . . . . . . 320
30.4.1 Iterating over Arrays . . . . . . . . . . . . . . . . . . . . . . . 320
30.4.2 Iterating over Sets . . . . . . . . . . . . . . . . . . . . . . . . . 320
30.5 Quick reference: synchronous iteration . . . . . . . . . . . . . . . . 321
30.5.1 Iterable data sources . . . . . . . . . . . . . . . . . . . . . . . 321
30.5.2 Iterating constructs . . . . . . . . . . . . . . . . . . . . . . . . 321
• Data sources: On one hand, data comes in all shapes and sizes. In JavaScript’s
standard library, you have the linear data structure Array, the ordered collection
Set (elements are ordered by time of addition), the ordered dictionary Map (entries
are ordered by time of addition), and more. In libraries, you may find tree-shaped
data structures and more.
• Data consumers: On the other hand, you have a whole class of constructs and
algorithms that only need to access their input sequentially: one value at a time,
until all values were visited. Examples include the for-of loop and spreading
into function calls (via ...).
The iteration protocol connects these two groups via the interface Iterable: data sources
deliver their contents sequentially “through it”; data consumers get their input via it.
317
318 30 Synchronous iteration
Iterable Maps
spreading Strings
Figure 30.1: Data consumers such as the for-of loop use the interface Iterable. Data
sources such as Arrays implement that interface.
Fig. 30.1 illustrates how iteration works: data consumers use the interface Iterable; data
sources implement it.
• If you develop a new data structure, you only need to implement Iterable and a
raft of tools can immediately be applied to it.
• If you write code that uses iteration, it automatically works with many sources of
data.
Iterable: Iterator:
traversable data structure pointer for traversing iterable
Figure 30.2: Iteration has two main interfaces: Iterable and Iterator. The former has
a method that returns the latter.
These are type definitions (in TypeScript’s notation) for the interfaces of the iteration
protocol:
interface Iterable<T> {
30.3 Iterating manually 319
[Symbol.iterator]() : Iterator<T>;
}
interface Iterator<T> {
next() : IteratorResult<T>;
}
interface IteratorResult<T> {
value: T;
done: boolean;
}
• You ask an Iterable for an iterator via the method whose key is Symbol.iterator.
• The Iterator returns the iterated values via its method .next().
• The values are not returned directly, but wrapped in objects with two properties:
– .value is the iterated value.
– .done indicates if the end of the iteration has been reached yet. It is true after
the last iterated value and false beforehand.
function logAll(iterable) {
const iterator = iterable[Symbol.iterator]();
while (true) {
const {value, done} = iterator.next();
if (done) break;
console.log(value);
}
320 30 Synchronous iteration
logAll(['a', 'b']);
// Output:
// 'a'
// 'b'
Destructuring via Array patterns (explained later) also uses iteration under the hood:
// 'b'
// 'c'
As does Array-destructuring:
• Arrays
• Strings
• Maps
• Sets
• (Browsers: DOM data structures)
To iterate over the properties of objects, you need helpers such as Object.keys() and
Object.entries(). That is necessary because properties exist at a different level that is
independent of the level of data structures.
• Array.from():
func(...iterable);
const arr = [...iterable];
• yield*:
function* generatorFunction() {
yield* iterable;
}
Quiz
See quiz app.
Chapter 31
Arrays (Array)
Contents
31.1 The two roles of Arrays in JavaScript . . . . . . . . . . . . . . . . . . 324
31.2 Basic Array operations . . . . . . . . . . . . . . . . . . . . . . . . . . 324
31.2.1 Creating, reading, writing Arrays . . . . . . . . . . . . . . . . 324
31.2.2 The .length of an Array . . . . . . . . . . . . . . . . . . . . . 325
31.2.3 Clearing an Array . . . . . . . . . . . . . . . . . . . . . . . . . 325
31.2.4 Spreading into Array literals [ES6] . . . . . . . . . . . . . . . . 326
31.2.5 Arrays: listing indices and entries [ES6] . . . . . . . . . . . . . 326
31.2.6 Is a value an Array? . . . . . . . . . . . . . . . . . . . . . . . . 327
31.3 for-of and Arrays [ES6] . . . . . . . . . . . . . . . . . . . . . . . . . 327
31.3.1 for-of: iterating over elements . . . . . . . . . . . . . . . . . 327
31.3.2 for-of: iterating over [index, element] pairs . . . . . . . . . . 328
31.4 Array-like objects . . . . . . . . . . . . . . . . . . . . . . . . . . . . 328
31.5 Converting iterable and Array-like values to Arrays . . . . . . . . . 329
31.5.1 Converting iterables to Arrays via spreading (...) . . . . . . . 329
31.5.2 Converting iterables and Array-like objects to Arrays via Ar-
ray.from() (advanced) . . . . . . . . . . . . . . . . . . . . . . 329
31.6 Creating and filling Arrays with arbitrary lengths . . . . . . . . . . 330
31.6.1 Do you need to create an empty Array that you’ll fill completely
later on? . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 330
31.6.2 Do you need to create an Array filled with a primitive value? . 330
31.6.3 Do you need to create an Array filled with objects? . . . . . . . 331
31.6.4 Do you need to create a range of integers? . . . . . . . . . . . 331
31.6.5 Use a Typed Array if the elements are all integers or all floats . 331
31.7 Multidimensional Arrays . . . . . . . . . . . . . . . . . . . . . . . . 331
31.8 More Array features (advanced) . . . . . . . . . . . . . . . . . . . . . 332
31.8.1 Array indices are (slightly special) property keys . . . . . . . . 332
31.8.2 Arrays are dictionaries and can have holes . . . . . . . . . . . 333
31.9 Adding and removing elements (destructively and non-destructively) 335
323
324 31 Arrays (Array)
The Array literal starts and ends with square brackets []. It creates an Array with three
elements: 'a', 'b', and 'c'.
To read an Array element, you put an index in square brackets (indices start at zero):
assert.equal(arr[0], 'a');
31.2 Basic Array operations 325
The range of Array indices is 32 bits (excluding the maximum length): [0, 232 −1)
If you write to the Array at the index of the length, you append an element:
> arr[arr.length] = 'c';
> arr
[ 'a', 'b', 'c' ]
> arr.length
3
Another way of (destructively) appending an element is via the Array method .push():
> arr.push('d');
> arr
[ 'a', 'b', 'c', 'd' ]
If you set .length, you are pruning the Array by removing elements:
> arr.length = 1;
> arr
[ 'a' ]
or you can assign a new empty Array to the variable storing the Array:
let arr = ['a', 'b', 'c'];
arr = [];
assert.deepEqual(arr, []);
The latter approach has the advantage of not affecting other locations that point to the
same Array. If, however, you do want to reset a shared Array for everyone, then you
need the former approach.
326 31 Arrays (Array)
Spreading is also convenient for concatenating Arrays (and other iterables) into Arrays:
[...arr.keys()], // (A)
[0, 1]);
Listing Array indices is different from listing properties. The former produces numbers;
the latter produces stringified numbers (in addition to non-index property keys):
assert.deepEqual(
Object.keys(arr),
['0', '1', 'prop']);
instanceof is usually fine. You need Array.isArray() if a value may come from an-
other realm. Roughly, a realm is an instance of JavaScript’s global scope. Some realms
are isolated from each other (e.g., Web Workers in browsers), but there are also realms
between which you can move data – for example, same-origin iframes in browsers. x
instanceof Array checks the prototype chain of x and therefore returns false if x is an
Array from another realm.
> typeof []
'object'
assert.deepEqual(
Array.from({length:2, 0:'a', 1:'b'}),
[ 'a', 'b' ]);
Array-like objects used to be common before ES6; now you don’t see them very
often.
.from<T, U>(
iterable: Iterable<T> | ArrayLike<T>,
mapFunc: (v: T, i: number) => U,
thisArg?: any)
: U[]
In other words: we are going from an iterable with elements of type T to an Array with
elements of type U.
This is an example:
31.6.1 Do you need to create an empty Array that you’ll fill completely
later on?
> new Array(3)
[ , , ,]
Note that the result has three holes (empty slots) – the last comma in an Array literal is
always ignored.
Caveat: If you use .fill() with an object, then each Array element will refer to this
object (sharing it).
assert.deepEqual(
arr, [
{prop: true},
{prop: true},
{prop: true},
]);
Here is an alternative, slightly hacky technique for creating integer ranges that start at
zero:
This works because .keys() treats holes like undefined elements and lists their indices.
31.6.5 Use a Typed Array if the elements are all integers or all floats
If you are dealing with Arrays of integers or floats, consider Typed Arrays, which were
created for this purpose.
function initMultiArray(...dimensions) {
function initMultiArrayRec(dimIndex) {
if (dimIndex >= dimensions.length) {
return 0;
332 31 Arrays (Array)
} else {
const dim = dimensions[dimIndex];
const arr = [];
for (let i=0; i<dim; i++) {
arr.push(initMultiArrayRec(dimIndex+1));
}
return arr;
}
}
return initMultiArrayRec(0);
}
To make matters even more confusing, this is only how the language specification defines
things (the theory of JavaScript, if you will). Most JavaScript engines optimize under the
hood and do use actual integers to access Array elements (the practice of JavaScript, if
you will).
Property keys (strings!) that are used for Array elements are called indices. A string str
31.8 More Array features (advanced) 333
is an index if converting it to a 32-bit unsigned integer and back results in the original
value. Written as a formula:
When listing property keys, indices are treated specially – they always come first and are
sorted like numbers ('2' comes before '10'):
assert.deepEqual(
Object.keys(arr),
['0', '1', 'prop']);
Note that .length, .entries() and .keys() treat Array indices as numbers and ignore
non-index properties:
assert.equal(arr.length, 2);
assert.deepEqual(
[...arr.keys()], [0, 1]);
assert.deepEqual(
[...arr.entries()], [[0, 'a'], [1, 'b']]);
We used a spread element (...) to convert the iterables returned by .keys() and .en-
tries() to Arrays.
• An Array arr is dense if all indices i, with 0 ≤ i < arr.length, exist. That is, the
indices form a contiguous range.
• An Array is sparse if the range of indices has holes in it. That is, some indices are
missing.
Arrays can be sparse in JavaScript because Arrays are actually dictionaries from indices
to values.
In line A, we are using Object.keys() because arr.keys() treats holes as if they were
undefined elements and does not reveal them.
Alas, there are many different ways in which Array operations treat holes.
Object.keys() works differently than .keys() (strings vs. numbers, holes don’t have
keys):
> [...['a',,'b'].keys()]
[ 0, 1, 2 ]
> Object.keys(['a',,'b'])
[ '0', '2' ]
There is no rule to remember here. If it ever matters how an Array operation treats holes,
the best approach is to do a quick test in a console.
.splice() is covered in more detail in the quick reference at the end of this chapter.
Destructuring via a rest element lets you non-destructively remove elements from the
beginning of an Array (destructuring is covered later).
31.10 Methods: iteration and transformation (.find(), .map(), .filter(), etc.) 337
Alas, a rest element must come last in an Array. Therefore, you can only use it to extract
suffixes.
That is, the callback gets three parameters (it is free to ignore any of them):
• value is the most important one. This parameter holds the iterated value that is
currently being processed.
• index can additionally tell the callback what the index of the iterated value is.
• array points to the current Array (the receiver of the method call). Some algo-
rithms need to refer to the whole Array – e.g., to search it for answers. This param-
eter lets you write reusable callbacks for such algorithms.
What the callback is expected to return depends on the method it is passed to. Possibili-
ties include:
• .map() fills its result with the values returned by its callback:
• .find() returns the first Array element for which its callback returns true:
.findIndex() returns the index of the first element for which its callback returns a truthy
value (and -1 if it can’t find anything):
.map() returns a modified copy of the receiver. The elements of the copy are the results
of applying map’s callback to the elements of the receiver.
.flatMap<U>(
callback: (value: T, index: number, array: T[]) => U|Array<U>,
thisValue?: any
): U[]
Both .map() and .flatMap() take a function callback as a parameter that controls how
an input Array is translated to an output Array:
• With .map(), each input Array element is translated to exactly one output element.
That is, callback returns a single value.
• With .flatMap(), each input Array element is translated to zero or more output
elements. That is, callback returns an Array of values (it can also return non-
Array values, but that is rare).
You could implement .flatMap() as follows. Note: This implementation is simpler than
the built-in version, which, for example, performs more checks.
The result of the Array method .map() always has the same length as the Array it is
invoked on. That is, its callback can’t skip Array elements it isn’t interested in. The
ability of .flatMap() to do so is useful in the next example.
We will use the following function processArray() to create an Array that we’ll then
filter and map via .flatMap():
function throwIfNegative(value) {
if (value < 0) {
throw new Error('Illegal value: '+value);
}
return value;
}
We can now use .flatMap() to extract just the values or just the errors from results:
The Array method .map() maps each input Array element to one output element. But
what if we want to map it to multiple output elements?
function stringsToCodePoints(strs) {
return strs.flatMap(str => [...str]);
}
Exercises: .flatMap()
• exercises/arrays/convert_to_numbers_test.mjs
• exercises/arrays/replace_objects_test.mjs
The Array method .filter() returns an Array collecting all elements for which the call-
back returns a truthy value.
For example:
• An Array. For example, a copy of arr, where each element is twice the original
element.
• Etc.
reduce is also known as foldl (“fold left”) in functional programming and popular there.
One caveat is that it can make code difficult to understand.
.reduce<U>(
callback: (accumulator: U, element: T, index: number, array: T[]) => U,
init?: U)
: U
T is the type of the Array elements, U is the type of the summary. The two may or may
not be different. accumulator is just another name for “summary”.
To compute the summary of an Array arr, .reduce() feeds all Array elements to its
callback one at a time:
callback combines the previously computed summary (stored in its parameter accu-
mulator) with the current Array element and returns the next accumulator. The result
of .reduce() is the final accumulator – the last result of callback after it has visited all
elements.
In other words: callback does most of the work; .reduce() just invokes it in a useful
manner.
You could say that the callback folds Array elements into the accumulator. That’s why
this operation is called “fold” in functional programming.
Let’s look at an example of .reduce() in action: function addAll() computes the sum of
all numbers in an Array arr.
function addAll(arr) {
const startSum = 0;
const callback = (sum, element) => sum + element;
return arr.reduce(callback, startSum);
}
assert.equal(addAll([1, 2, 3]), 6); // (A)
assert.equal(addAll([7, -4, 2]), 5);
In this case, the accumulator holds the sum of all Array elements that callback has al-
ready visited.
How was the result 6 derived from the Array in line A? Via the following invocations of
callback:
31.10 Methods: iteration and transformation (.find(), .map(), .filter(), etc.) 343
callback(0, 1) --> 1
callback(1, 2) --> 3
callback(3, 3) --> 6
Notes:
• The first parameters are the current accumulators (starting with parameter init of
.reduce()).
• The second parameters are the current Array elements.
• The results are the next accumulators.
• The last result of callback is also the result of .reduce().
function addAll(arr) {
let sum = 0;
for (const element of arr) {
sum = sum + element;
}
return sum;
}
It’s hard to say which of the two implementations is “better”: the one based on .reduce()
is a little more concise, while the one based on for-of may be a little easier to understand
– especially if you are not familiar with functional programming.
One limitation of .reduce() is that you can’t finish early (in a for-of loop, you can
break). Here, we always immediately return the result once we have found it.
344 31 Arrays (Array)
Function double(arr) returns a copy of inArr whose elements are all multiplied by 2:
function double(inArr) {
return inArr.reduce(
(outArr, element) => {
outArr.push(element * 2);
return outArr;
},
[]);
}
assert.deepEqual(
double([1, 2, 3]),
[2, 4, 6]);
We modify the initial value [] by pushing into it. A non-destructive, more functional
version of double() looks as follows:
function double(inArr) {
return inArr.reduce(
// Don’t change `outArr`, return a fresh Array
(outArr, element) => [...outArr, element * 2],
[]);
}
assert.deepEqual(
double([1, 2, 3]),
[2, 4, 6]);
This version is more elegant but also slower and uses more memory.
Exercises: .reduce()
• map() via .reduce(): exercises/arrays/map_via_reduce_test.mjs
• filter() via .reduce(): exercises/arrays/filter_via_reduce_test.mjs
• countMatches() via .reduce(): exercises/arrays/count_matches_via_
reduce_test.mjs
When sorting human-language strings, you need to be aware that they are compared
according to their code unit values (char codes):
As you can see, all unaccented uppercase letters come before all unaccented lowercase
letters, which come before all accented letters. Use Intl, the JavaScript internationaliza-
tion API, if you want proper sorting for human languages.
Note that .sort() sorts in place; it changes and returns its receiver:
• negative if a < b
• zero if a === b
• positive if a > b
function compareNumbers(a, b) {
if (a < b) {
return -1;
} else if (a === b) {
return 0;
} else {
return 1;
}
}
assert.deepEqual(
[200, 3, 10].sort(compareNumbers),
[3, 10, 200]);
• It is cryptic.
• There is a risk of numeric overflow or underflow, if a-b becomes a large positive
or negative number.
new Array() creates an empty Array. However, I recommend to always use [] instead.
Examples:
31.12 Quick reference: Array<T> 347
This static method is mainly useful for subclasses of Array, where it serves as a
custom Array literal:
assert.equal(
MyArray.of('a', 'b') instanceof MyArray, true);
Returns a new Array that is the concatenation of the receiver and all items. Non-
Array parameters (such as 'b' in the following example) are treated as if they were
Arrays with single elements.
Copies the elements whose indices range from (including) start to (excluding)
end to indices starting with target. Overlapping is handled correctly.
Returns true if callback returns a truthy value for every element. Otherwise, it
returns false. It stops as soon as it receives a falsy value. This method corresponds
to universal quantification (“for all”, ∀) in mathematics.
Assigns value to every index between (including) start and (excluding) end.
Caveat: Don’t use this method to fill an Array with an object obj; then each element
will refer to obj (sharing it). In this case, it’s better to use Array.from().
Returns an Array with only those elements for which callback returns a truthy
value.
The result is the first element for which predicate returns a truthy value. If there
is no such element, the result is undefined.
The result is the index of the first element for which predicate returns a truthy
value. If there is no such element, the result is -1.
“Flattens” an Array: It descends into the Arrays that are nested inside the input
Array and creates a copy where all values it finds at level depth or lower are moved
to the top level.
The result is produced by invoking callback() for each element of the original
Array and concatenating the Arrays it returns.
// Output:
// 'a', 0
// 'b', 1
A for-of loop is usually a better choice: it’s faster, supports break and can iterate
over arbitrary iterables.
Returns true if the receiver has an element whose value is searchElement and
false, otherwise. Searching starts at index fromIndex.
Returns the index of the first element that is strictly equal to searchElement. Re-
turns -1 if there is no such element. Starts searching at index fromIndex, visiting
higher indices next.
Returns the index of the last element that is strictly equal to searchElement. Re-
turns -1 if there is no such element. Starts searching at index fromIndex, visiting
lower indices next.
Returns a new Array, in which every element is the result of mapFunc being applied
to the corresponding element of the receiver.
Removes and returns the last element of the receiver. That is, it treats the end of
the receiver as a stack. The opposite of .push().
Adds zero or more items to the end of the receiver. That is, it treats the end of the
receiver as a stack. The return value is the length of the receiver after the change.
The opposite of .pop().
4
> arr
[ 'a', 'b', 'c', 'd' ]
This method produces a summary of the receiver: it feeds all Array elements to
callback, which combines a current summary (in parameter accumulator) with
the current Array element and returns the next accumulator:
The result of .reduce() is the last result of callback after it has visited all Array
elements.
If no init is provided, the Array element at index 0 is used and the element at
index 1 is visited first. Therefore, the Array must have at least length 1.
Works like .reduce(), but visits the Array elements backward, starting with the
last element.
Rearranges the elements of the receiver so that they are in reverse order and then
returns the receiver.
Removes and returns the first element of the receiver. The opposite of .unshift().
> arr
[ 'b', 'c' ]
Returns true if callback returns a truthy value for at least one element. Other-
wise, it returns false. It stops as soon as it receives a truthy value. This method
corresponds to existential quantification (“exists”, ∃) in mathematics.
> [1, 2, 3].some(x => x < 0)
false
> [1, -2, 3].some(x => x < 0)
true
You can customize the sort order via compareFunc, which returns a number that is:
– negative if a < b
– zero if a === b
– positive if a > b
Trick for sorting numbers (with a risk of numeric overflow or underflow):
> [200, 3, 10].sort((a, b) => a - b)
[ 3, 10, 200 ]
31.12 Quick reference: Array<T> 353
.sort() is stable
At index start, it removes deleteCount elements and inserts the items. It returns
the deleted elements.
Converts all elements to strings via String(), concatenates them while separating
them with commas, and returns the result.
Inserts the items at the beginning of the receiver and returns its length after this
modification.
31.12.4 Sources
• TypeScript’s built-in typings
• MDN web docs for JavaScript
• ECMAScript language specification
Quiz
See quiz app.
Chapter 32
Contents
32.1 The basics of the API . . . . . . . . . . . . . . . . . . . . . . . . . . 356
32.1.1 Use cases for Typed Arrays . . . . . . . . . . . . . . . . . . . . 356
32.1.2 The core classes: ArrayBuffer, Typed Arrays, DataView . . . . 356
32.1.3 Using Typed Arrays . . . . . . . . . . . . . . . . . . . . . . . 357
32.1.4 Using DataViews . . . . . . . . . . . . . . . . . . . . . . . . . 358
32.2 Element types . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 358
32.2.1 Handling overflow and underflow . . . . . . . . . . . . . . . 359
32.2.2 Endianness . . . . . . . . . . . . . . . . . . . . . . . . . . . . 360
32.3 More information on Typed Arrays . . . . . . . . . . . . . . . . . . . 361
32.3.1 The static method «ElementType»Array.from() . . . . . . . . 361
32.3.2 Typed Arrays are iterable . . . . . . . . . . . . . . . . . . . . . 362
32.3.3 Typed Arrays vs. normal Arrays . . . . . . . . . . . . . . . . . 363
32.3.4 Converting Typed Arrays to and from normal Arrays . . . . . 363
32.3.5 Concatenating Typed Arrays . . . . . . . . . . . . . . . . . . . 364
32.4 Quick references: indices vs. offsets . . . . . . . . . . . . . . . . . . 364
32.5 Quick reference: ArrayBuffers . . . . . . . . . . . . . . . . . . . . . 365
32.5.1 new ArrayBuffer() . . . . . . . . . . . . . . . . . . . . . . . . 365
32.5.2 Static methods of ArrayBuffer . . . . . . . . . . . . . . . . . . 365
32.5.3 Properties of ArrayBuffer.prototype . . . . . . . . . . . . . . 366
32.6 Quick reference: Typed Arrays . . . . . . . . . . . . . . . . . . . . . 366
32.6.1 Static methods of TypedArray<T> . . . . . . . . . . . . . . . . 366
32.6.2 Properties of TypedArray<T>.prototype . . . . . . . . . . . . 367
32.6.3 new «ElementType»Array() . . . . . . . . . . . . . . . . . . . 368
32.6.4 Static properties of «ElementType»Array . . . . . . . . . . . . 369
32.6.5 Properties of «ElementType»Array.prototype . . . . . . . . . 369
32.7 Quick reference: DataViews . . . . . . . . . . . . . . . . . . . . . . . 369
355
356 32 Typed Arrays: handling binary data (Advanced)
However, before 2011, it did not handle binary data well. The Typed Array Specification
1.0 was introduced on February 8, 2011 and provides tools for working with binary data.
With ECMAScript 6, Typed Arrays were added to the core language and gained methods
that were previously only available for normal Arrays (.map(), .filter(), etc.).
• Processing binary data: managing image data, manipulating binary files, handling
binary network protocols, etc.
• Interacting with native APIs: Native APIs often receive and return data in a binary
format, which you could neither store nor manipulate well in pre-ES6 JavaScript.
That meant that whenever you were communicating with such an API, data had to
be converted from JavaScript to binary and back for every call. Typed Arrays elim-
inate this bottleneck. One example of communicating with native APIs is WebGL,
for which Typed Arrays were initially created. Section “History of Typed Arrays”
of the article “Typed Arrays: Binary Data in the Browser” (by Ilmari Heikkinen for
HTML5 Rocks) has more information.
An ArrayBuffer itself is a black box: if you want to access its data, you must wrap it in
another object – a view object. Two kinds of view objects are available:
• Typed Arrays: let you access the data as an indexed sequence of elements that all
have the same type. Examples include:
– Uint8Array: Elements are unsigned 8-bit integers. Unsigned means that their
ranges start at zero.
– Int16Array: Elements are signed 16-bit integers. Signed means that they have
a sign and can be negative, zero, or positive.
– Float32Array: Elements are 32-bit floating point numbers.
• DataViews: let you interpret the data as various types (Uint8, Int16, Float32, etc.)
that you can read and write at any byte offset.
The following code shows three different ways of creating the same Typed Array:
assert.deepEqual(ta1, ta2);
assert.deepEqual(ta1, ta3);
358 32 Typed Arrays: handling binary data (Advanced)
assert.deepEqual(
typedArray.buffer, new ArrayBuffer(4)); // 4 bytes
Tbl. 32.1 lists the available element types. These types (e.g., Int32) show up in two loca-
tions:
• In Typed Arrays, they specify the types of the elements. For example, all elements
32.2 Element types 359
of a Int32Array have the type Int32. The element type is the only aspect of Typed
Arrays that differs.
• In DataViews, they are the lenses through which they access their ArrayBuffers
when you use methods such as .getInt32() and .setInt32().
The element type Uint8C is special: it is not supported by DataView and only exists to
enable Uint8ClampedArray. This Typed Array is used by the canvas element (where
it replaces CanvasPixelArray) and should otherwise be avoided. The only difference
between Uint8C and Uint8 is how overflow and underflow are handled (as explained in
the next subsection).
Typed Arrays and Array Buffers use numbers and bigints to import and export values:
• The types BigInt64 and BigUint64 are handled via bigints. For example, setters
accept bigints and getters return bigints.
• The highest value plus one is converted to the lowest value (0 for unsigned inte-
gers).
• The lowest value minus one is converted to the highest value.
32.2.2 Endianness
Whenever a type (such as Uint16) is stored as a sequence of multiple bytes, endianness
matters:
• Big endian: the most significant byte comes first. For example, the Uint16 value
0x4321 is stored as two bytes – first 0x43, then 0x21.
• Little endian: the least significant byte comes first. For example, the Uint16 value
0x4321 is stored as two bytes – first 0x21, then 0x43.
Endianness tends to be fixed per CPU architecture and consistent across native APIs.
Typed Arrays are used to communicate with those APIs, which is why their endianness
follows the endianness of the platform and can’t be changed.
On the other hand, the endianness of protocols and binary files varies, but is fixed per
format, across platforms. Therefore, we must be able to access data with either endian-
ness. DataViews serve this use case and let you specify endianness when you get or set
a value.
For example, normal Arrays are iterable and can be converted with this method:
assert.deepEqual(
Uint16Array.from([0, 1, 2]),
Uint16Array.of(0, 1, 2));
assert.deepEqual(
Uint16Array.from({0:0, 1:1, 2:2, length: 3}),
Uint16Array.of(0, 1, 2));
The optional mapfn lets you transform the elements of source before they become ele-
ments of the result. Why perform the two steps mapping and conversion in one go? Com-
pared to mapping separately via .map(), there are two advantages:
1. No intermediate Array or Typed Array is needed.
2. When converting between Typed Arrays with different precisions, less can go
wrong.
Read on for an explanation of the second advantage.
The static method .from() can optionally both map and convert between Typed Array
types. Less can go wrong if you use that method.
362 32 Typed Arrays: handling binary data (Advanced)
To see why that is, let us first convert a Typed Array to a Typed Array with a higher
precision. If we use .from() to map, the result is automatically correct. Otherwise, you
must first convert and then map.
assert.deepEqual(
Int16Array.from(typedArray).map(x => x * 2),
Int16Array.of(254, 252, 250)); // OK
assert.deepEqual(
Int16Array.from(typedArray.map(x => x * 2)),
Int16Array.of(-2, -4, -6)); // wrong
If we go from a Typed Array to a Typed Array with a lower precision, mapping via
.from() produces the correct result. Otherwise, we must first map and then convert.
assert.deepEqual(
Int8Array.from(Int16Array.of(254, 252, 250), x => x / 2),
Int8Array.of(127, 126, 125));
assert.deepEqual(
Int8Array.from(Int16Array.of(254, 252, 250).map(x => x / 2)),
Int8Array.of(127, 126, 125)); // OK
assert.deepEqual(
Int8Array.from(Int16Array.of(254, 252, 250)).map(x => x / 2),
Int8Array.of(-1, -2, -3)); // wrong
The problem is that if we map via .map(), then input type and output type are the same.
In contrast, .from() goes from an arbitrary input type to an output type that you specify
via its receiver.
• Typed Arrays have buffers. The elements of a Typed Array ta are not stored in ta,
they are stored in an associated ArrayBuffer that can be accessed via ta.buffer:
– new Array(4) creates a normal Array without any elements. It only has four
holes (indices less than the .length that have no associated elements).
– new Uint8Array(4) creates a Typed Array whose four elements are all 0.
ta[0] = 257;
assert.equal(ta[0], 1); // 257 % 256 (overflow)
ta[0] = '2';
assert.equal(ta[0], 2);
• The .length of a Typed Array is derived from its ArrayBuffer and never changes
(unless you switch to a different ArrayBuffer).
To convert a Typed Array to a normal Array, you can use spreading or Array.from()
(because Typed Arrays are iterable):
assert.deepEqual(
[...Uint8Array.of(0, 1, 2)], [0, 1, 2] );
assert.deepEqual(
Array.from(Uint8Array.of(0, 1, 2)), [0, 1, 2] );
It copies the existing typedArray or arrayLike into the receiver, at index offset. Type-
dArray is a fictitious abstract superclass of all concrete Typed Array classes.
The following function uses that method to copy zero or more Typed Arrays (or Array-
like objects) into an instance of resultConstructor:
• Indices for the bracket operator [ ]: You can only use non-negative indices (start-
ing at 0).
assert.deepEqual(
Object.keys(arr), ['0', '1', '-1']);
• Indices for methods of ArrayBuffers, Typed Arrays, and DataViews: Every index
can be negative. If it is, it is added to the length of the entity to produce the actual
index. Therefore, -1 refers to the last element, -2 to the second-last, etc. Methods
of normal Arrays work the same way.
Invoking this constructor via new creates an instance whose capacity is length bytes.
Each of those bytes is initially 0.
You can’t change the length of an ArrayBuffer; you can only create a new one with a
different length.
Returns true if arg is an object and a view for an ArrayBuffer (i.e., if it is a Typed
Array or a DataView).
Creates a new ArrayBuffer that contains the bytes of this ArrayBuffer whose in-
dices are greater than or equal to startIndex and less than endIndex. start and
endIndex can be negative (see §32.4 “Quick references: indices vs. offsets”).
1. TypedArray: First, we look at the abstract superclass of all Typed Array classes
(which was shown in the class diagram at the beginning of this chapter). I’m call-
ing that superclass TypedArray, but it is not directly accessible from JavaScript.
TypedArray.prototype houses all methods of Typed Arrays.
2. «ElementType»Array: The concrete Typed Array classes are called Uint8Array,
Int16Array, Float32Array, etc. These are the classes that you use via new, .of,
and .from().
assert.deepEqual(
Uint16Array.from([0, 1, 2]),
Uint16Array.of(0, 1, 2));
The optional mapfn lets you transform the elements of source before they become
elements of the result.
assert.deepEqual(
Int16Array.from(Int8Array.of(127, 126, 125), x => x * 2),
Int16Array.of(254, 252, 250));
Creates a new instance of this whose elements are items (coerced to the element
type).
assert.deepEqual(
Int16Array.of(-1234, 5, 67),
new Int16Array([-1234, 5, 67]) );
The following properties are specific to Typed Arrays; normal Arrays don’t have them:
Returns the offset where this Typed Array “starts” inside its ArrayBuffer.
Copies all elements of the first parameter to this Typed Array. The element at index
0 of the parameter is written to index offset of this Typed Array (etc.). For more
information on Array-like objects, consult §31.4 “Array-like objects”.
Returns a new Typed Array that has the same buffer as this Typed Array, but a
(generally) smaller range. If startIndex is non-negative then the first element of
the resulting Typed Array is this[startIndex], the second this[startIndex+1]
(etc.). If startIndex in negative, it is converted appropriately.
368 32 Typed Arrays: handling binary data (Advanced)
The following methods are basically the same as the methods of normal Arrays:
• .copyWithin(target: number, start: number, end=this.length): this [W, ES6]
• .entries(): Iterable<[number, T]> [R, ES6]
• .every(callback: (value: T, index: number, array: TypedArray<T>) =>
boolean, thisArg?: any): boolean [R, ES6]
• .fill(value: T, start=0, end=this.length): this [W, ES6]
• .filter(callback: (value: T, index: number, array: TypedArray<T>) =>
any, thisArg?: any): T[] [R, ES6]
• .find(predicate: (value: T, index: number, obj: T[]) => boolean, this-
Arg?: any): T | undefined [R, ES6]
• .findIndex(predicate: (value: T, index: number, obj: T[]) => boolean,
thisArg?: any): number [R, ES6]
• .forEach(callback: (value: T, index: number, array: TypedArray<T>) =>
void, thisArg?: any): void [R, ES6]
• .includes(searchElement: T, fromIndex=0): boolean [R, ES2016]
• .indexOf(searchElement: T, fromIndex=0): number [R, ES6]
• .join(separator = ','): string [R, ES6]
• .keys(): Iterable<number> [R, ES6]
• .lastIndexOf(searchElement: T, fromIndex=this.length-1): number [R, ES6]
• .map<U>(mapFunc: (value: T, index: number, array: TypedArray<T>) => U,
thisArg?: any): U[] [R, ES6]
• .reduce<U>(callback: (accumulator: U, element: T, index: number, array:
T[]) => U, init?: U): U [R, ES6]
• .reduceRight<U>(callback: (accumulator: U, element: T, index: number,
array: T[]) => U, init?: U): U [R, ES6]
• .reverse(): this [W, ES6]
• .slice(start=0, end=this.length): T[] [R, ES6]
• .some(callback: (value: T, index: number, array: TypedArray<T>) =>
boolean, thisArg?: any): boolean [R, ES6]
• .sort(compareFunc?: (a: T, b: T) => number): this [W, ES6]
• .toString(): string [R, ES6]
• .values(): Iterable<T> [R, ES6]
For details on how these methods work, please consult §31.12.3 “Methods of Ar-
ray<T>.prototype”.
• new «ElementType»Array(length=0)
Creates a new «ElementType»Array with the given length and the appropriate
buffer. The buffer’s size in bytes is:
length * «ElementType»Array.BYTES_PER_ELEMENT
Creates a new instance of «ElementType»Array whose elements have the same val-
ues as the elements of source, but coerced to ElementType. For more information
on Array-like objects, consult §31.4 “Array-like objects”.
> Uint8Array.BYTES_PER_ELEMENT
1
> Int16Array.BYTES_PER_ELEMENT
2
> Float64Array.BYTES_PER_ELEMENT
8
Creates a new DataView whose data is stored in the ArrayBuffer buffer. By de-
fault, the new DataView can access all of buffer. The last two parameters allow
you to change that.
Maps (Map)
Contents
33.1 Using Maps . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 372
33.1.1 Creating Maps . . . . . . . . . . . . . . . . . . . . . . . . . . 372
33.1.2 Copying Maps . . . . . . . . . . . . . . . . . . . . . . . . . . 372
33.1.3 Working with single entries . . . . . . . . . . . . . . . . . . . 372
33.1.4 Determining the size of a Map and clearing it . . . . . . . . . . 373
33.1.5 Getting the keys and values of a Map . . . . . . . . . . . . . . 373
33.1.6 Getting the entries of a Map . . . . . . . . . . . . . . . . . . . 373
33.1.7 Listed in insertion order: entries, keys, values . . . . . . . . . 374
33.1.8 Converting between Maps and Objects . . . . . . . . . . . . . 374
33.2 Example: Counting characters . . . . . . . . . . . . . . . . . . . . . . 375
33.3 A few more details about the keys of Maps (advanced) . . . . . . . . 375
33.3.1 What keys are considered equal? . . . . . . . . . . . . . . . . 376
33.4 Missing Map operations . . . . . . . . . . . . . . . . . . . . . . . . . 376
33.4.1 Mapping and filtering Maps . . . . . . . . . . . . . . . . . . . 376
33.4.2 Combining Maps . . . . . . . . . . . . . . . . . . . . . . . . . 377
33.5 Quick reference: Map<K,V> . . . . . . . . . . . . . . . . . . . . . . . . 378
33.5.1 Constructor . . . . . . . . . . . . . . . . . . . . . . . . . . . . 378
33.5.2 Map<K,V>.prototype: handling single entries . . . . . . . . . . 378
33.5.3 Map<K,V>.prototype: handling all entries . . . . . . . . . . . 379
33.5.4 Map<K,V>.prototype: iterating and looping . . . . . . . . . . 379
33.5.5 Sources of this section . . . . . . . . . . . . . . . . . . . . . . 380
33.6 FAQ: Maps . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 381
33.6.1 When should I use a Map, and when should I use an object? . 381
33.6.2 When would I use an object as a key in a Map? . . . . . . . . . 381
33.6.3 Why do Maps preserve the insertion order of entries? . . . . . 381
33.6.4 Why do Maps have a .size, while Arrays have a .length? . . 381
Before ES6, JavaScript didn’t have a data structure for dictionaries and (ab)used objects
as dictionaries from strings to arbitrary values. ES6 brought Maps, which are dictionaries
from arbitrary values to arbitrary values.
371
372 33 Maps (Map)
First, you can use the constructor without any parameters to create an empty Map:
Second, you can pass an iterable (e.g., an Array) over key-value “pairs” (Arrays with two
elements) to the constructor:
map.set('foo', 123);
assert.equal(map.get('foo'), 123);
// Unknown key:
33.1 Using Maps 373
assert.equal(map.get('bar'), undefined);
// Use the default value '' if an entry is missing:
assert.equal(map.get('bar') ?? '', '');
.has() checks if a Map has an entry with a given key. .delete() removes entries.
assert.equal(map.has('foo'), true);
assert.equal(map.delete('foo'), true)
assert.equal(map.has('foo'), false)
assert.equal(map.size, 2)
map.clear();
assert.equal(map.size, 0)
We can use spreading (...) to convert the iterable returned by .keys() to an Array:
assert.deepEqual(
[...map.keys()],
[false, true]);
Map instances are also iterables over entries. In the following code, we use destructuring
to access the keys and values of map:
for (const [key, value] of map) {
console.log(key, value);
}
// Output:
// false, 'no'
// true, 'yes'
You can also convert an object to a Map with string or symbol keys (via Ob-
ject.entries()):
const obj = {
a: 1,
b: 2,
};
const map = new Map(Object.entries(obj));
assert.deepEqual(
map, new Map([['a', 1], ['b', 2]]));
function countChars(chars) {
const charCounts = new Map();
for (let ch of chars) {
ch = ch.toLowerCase();
const prevCount = charCounts.get(ch) ?? 0;
charCounts.set(ch, prevCount+1);
}
return charCounts;
}
map.set(KEY1, 'hello');
map.set(KEY2, 'world');
assert.equal(map.get(KEY1), 'hello');
assert.equal(map.get(KEY2), 'world');
As a consequence, you can use NaN as a key in Maps, just like any other value:
Different objects are always considered to be different. That is something that can’t be
changed (yet – configuring key equality is on TC39’s long-term roadmap).
Mapping originalMap:
33.4 Missing Map operations 377
Filtering originalMap:
const filteredMap = new Map( // step 3
[...originalMap] // step 1
.filter(([k, v]) => k < 3) // step 2
);
assert.deepEqual([...filteredMap],
[[1,'a'], [2,'b']]);
To combine map1 and map2, we turn them into Arrays via spreading (...) and concatenate
those Arrays. Afterward, we convert the result back to a Map. All of that is done in line
A.
const combinedMap = new Map([...map1, ...map2]); // (A)
assert.deepEqual(
[...combinedMap], // convert to Array for comparison
[ [ 1, '1a' ],
[ 2, '2b' ],
[ 3, '2c' ],
[ 4, '2d' ] ]
);
378 33 Maps (Map)
33.5.1 Constructor
• new Map<K, V>(entries?: Iterable<[K, V]>) [ES6]
If you don’t provide the parameter entries, then an empty Map is created. If you
do provide an iterable over [key, value] pairs, then those pairs are added as entries
to the Map. For example:
Returns the value that key is mapped to in this Map. If there is no key key in this
Map, undefined is returned.
Maps the given key to the given value. If there is already an entry whose key is
key, it is updated. Otherwise, a new entry is created. This method returns this,
which means that you can chain it.
If there is an entry whose key is key, it is removed and true is returned. Otherwise,
nothing happens and false is returned.
Both iterating and looping happen in the order in which entries were added to a Map.
Returns an iterable with one [key, value] pair for each entry in this Map. The pairs
are Arrays of length 2.
The first parameter is a callback that is invoked once for each entry in this Map. If
thisArg is provided, this is set to it for each invocation. Otherwise, this is set to
undefined.
Quiz
See quiz app.
382 33 Maps (Map)
Chapter 34
WeakMaps (WeakMap)
Contents
34.1 WeakMaps are black boxes . . . . . . . . . . . . . . . . . . . . . . . 383
34.2 The keys of a WeakMap are weakly held . . . . . . . . . . . . . . . . 384
34.2.1 All WeakMap keys must be objects . . . . . . . . . . . . . . . 384
34.2.2 Use case: attaching values to objects . . . . . . . . . . . . . . . 384
34.3 Examples . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 385
34.3.1 Caching computed results via WeakMaps . . . . . . . . . . . . 385
34.3.2 Keeping private data in WeakMaps . . . . . . . . . . . . . . . 385
34.4 WeakMap API . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 386
383
384 34 WeakMaps (WeakMap)
someone with only the WeakMap would’ve been able to affect the WeakMap-
and-key-to-value mapping.
With primitive values as keys, WeakMaps wouldn’t be black boxes anymore. But given
that primitive values are never garbage-collected, you don’t profit from weakly held keys
anyway, and can just as well use a normal Map.
In line A, we attach a value to obj. In line B, obj can already be garbage-collected, even
though wm still exists. This technique of attaching a value to an object is equivalent to a
property of that object being stored externally. If wm were a property, the previous code
would look as follows:
{
const obj = {};
obj.wm = 'attachedValue';
}
34.3 Examples 385
34.3 Examples
34.3.1 Caching computed results via WeakMaps
With WeakMaps, you can associate previously computed results with objects without
having to worry about memory management. The following function countOwnKeys()
is an example: it caches previous results in the WeakMap cache.
If we use this function with an object obj, you can see that the result is only computed
for the first invocation, while a cached value is used for the second invocation:
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)();
}
}
}
386 34 WeakMaps (WeakMap)
Quiz
See quiz app.
Chapter 35
Sets (Set)
Contents
35.1 Using Sets . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 388
35.1.1 Creating Sets . . . . . . . . . . . . . . . . . . . . . . . . . . . 388
35.1.2 Adding, removing, checking membership . . . . . . . . . . . 388
35.1.3 Determining the size of a Set and clearing it . . . . . . . . . . 388
35.1.4 Iterating over Sets . . . . . . . . . . . . . . . . . . . . . . . . . 389
35.2 Examples of using Sets . . . . . . . . . . . . . . . . . . . . . . . . . 389
35.2.1 Removing duplicates from an Array . . . . . . . . . . . . . . . 389
35.2.2 Creating a set of Unicode characters (code points) . . . . . . . 389
35.3 What Set elements are considered equal? . . . . . . . . . . . . . . . 389
35.4 Missing Set operations . . . . . . . . . . . . . . . . . . . . . . . . . . 390
35.4.1 Union (a ∪ b) . . . . . . . . . . . . . . . . . . . . . . . . . . . 390
35.4.2 Intersection (a ∩ b) . . . . . . . . . . . . . . . . . . . . . . . . 390
35.4.3 Difference (a \ b) . . . . . . . . . . . . . . . . . . . . . . . . . 391
35.4.4 Mapping over Sets . . . . . . . . . . . . . . . . . . . . . . . . 391
35.4.5 Filtering Sets . . . . . . . . . . . . . . . . . . . . . . . . . . . 391
35.5 Quick reference: Set<T> . . . . . . . . . . . . . . . . . . . . . . . . . 391
35.5.1 Constructor . . . . . . . . . . . . . . . . . . . . . . . . . . . . 391
35.5.2 Set<T>.prototype: single Set elements . . . . . . . . . . . . . 391
35.5.3 Set<T>.prototype: all Set elements . . . . . . . . . . . . . . . 392
35.5.4 Set<T>.prototype: iterating and looping . . . . . . . . . . . . 392
35.5.5 Symmetry with Map . . . . . . . . . . . . . . . . . . . . . . . . 393
35.6 FAQ: Sets . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 393
35.6.1 Why do Sets have a .size, while Arrays have a .length? . . . 393
Before ES6, JavaScript didn’t have a data structure for sets. Instead, two workarounds
were used:
387
388 35 Sets (Set)
• Arrays were used as sets of arbitrary values. The downside is that checking mem-
bership (if an Array contains a value) is slower.
Since ES6, JavaScript has the data structure Set, which can contain arbitrary values and
performs membership checks quickly.
Second, you can pass an iterable (e.g., an Array) to the constructor. The iterated values
become elements of the new Set:
const set = new Set(['red', 'green', 'blue']);
assert.equal(set.has('red'), true);
set.clear();
assert.equal(set.size, 0)
As you can see, Sets preserve insertion order. That is, elements are always iterated over in
the order in which they were added.
Given that Sets are iterable, you can use spreading (...) to convert them to Arrays:
assert.deepEqual(
[...new Set([1, 2, 1, 2, 3, 3, 3])],
[1, 2, 3]);
assert.deepEqual(
new Set('abc'),
new Set(['a', 'b', 'c']));
> set.has(NaN)
true
As with ===, two different objects are never considered equal (and there is no way to
change that at the moment):
> set.add({});
> set.size
1
> set.add({});
> set.size
2
35.4.1 Union (a ∪ b)
Computing the union of two Sets a and b means creating a Set that contains the elements
of both a and b.
35.4.2 Intersection (a ∩ b)
Computing the intersection of two Sets a and b means creating a Set that contains those
elements of a that are also in b.
35.4.3 Difference (a \ b)
Computing the difference between two Sets a and b means creating a Set that contains
those elements of a that are not in b. This operation is also sometimes called minus (−).
const a = new Set([1,2,3]);
const b = new Set([4,3,2]);
const difference = new Set(
[...a].filter(x => !b.has(x)));
assert.deepEqual([...difference], [1]);
}
// Output:
// 'red'
// 'green'
Feeds each element of this Set to callback(). value and key both contain the
current element. This redundancy was introduced so that this callback has the
same type signature as the callback of Map.prototype.forEach().
You can specify the this of callback via thisArg. If you omit it, this is undefined.
const set = new Set(['red', 'green']);
set.forEach(x => console.log(x));
// Output:
// 'red'
// 'green'
Quiz
See quiz app.
394 35 Sets (Set)
Chapter 36
WeakSets (WeakSet)
Contents
36.1 Example: Marking objects as safe to use with a method . . . . . . . 395
36.2 WeakSet API . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 396
• They can hold objects without preventing those objects from being garbage-
collected.
• They are black boxes: we only get any data out of a WeakSet if we have both the
WeakSet and a value. The only methods that are supported are .add(), .delete(),
.has(). Consult the section on WeakMaps as black boxes for an explanation of why
WeakSets don’t allow iteration, looping, and clearing.
Given that we can’t iterate over their elements, there are not that many use cases for
WeakSets. They do enable us to mark objects.
class Foo {
constructor() {
foos.add(this);
}
method() {
if (!foos.has(this)) {
395
396 36 WeakSets (WeakSet)
assert.throws(
() => {
const obj = {};
Foo.prototype.method.call(obj); // throws an exception
},
TypeError
);
Destructuring
Contents
37.1 A first taste of destructuring . . . . . . . . . . . . . . . . . . . . . . . 398
37.2 Constructing vs. extracting . . . . . . . . . . . . . . . . . . . . . . . 398
37.3 Where can we destructure? . . . . . . . . . . . . . . . . . . . . . . . 399
37.4 Object-destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . . 400
37.4.1 Property value shorthands . . . . . . . . . . . . . . . . . . . . 400
37.4.2 Rest properties . . . . . . . . . . . . . . . . . . . . . . . . . . 401
37.4.3 Syntax pitfall: assigning via object destructuring . . . . . . . . 401
37.5 Array-destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . . 401
37.5.1 Array-destructuring works with any iterable . . . . . . . . . . 402
37.5.2 Rest elements . . . . . . . . . . . . . . . . . . . . . . . . . . . 402
37.6 Examples of destructuring . . . . . . . . . . . . . . . . . . . . . . . . 402
37.6.1 Array-destructuring: swapping variable values . . . . . . . . 402
37.6.2 Array-destructuring: operations that return Arrays . . . . . . 403
37.6.3 Object-destructuring: multiple return values . . . . . . . . . . 403
37.7 What happens if a pattern part does not match anything? . . . . . . 404
37.7.1 Object-destructuring and missing properties . . . . . . . . . . 404
37.7.2 Array-destructuring and missing elements . . . . . . . . . . . 404
37.8 What values can’t be destructured? . . . . . . . . . . . . . . . . . . . 404
37.8.1 You can’t object-destructure undefined and null . . . . . . . . 404
37.8.2 You can’t Array-destructure non-iterable values . . . . . . . . 405
37.9 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 405
37.10Default values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 405
37.10.1 Default values in Array-destructuring . . . . . . . . . . . . . . 406
37.10.2 Default values in object-destructuring . . . . . . . . . . . . . . 406
37.11Parameter definitions are similar to destructuring . . . . . . . . . . 406
37.12Nested destructuring . . . . . . . . . . . . . . . . . . . . . . . . . . . 407
397
398 37 Destructuring
With destructuring, you can extract multiple pieces of data at the same time via patterns
in locations that receive data. The left-hand side of = in the previous code is one such
location. In the following code, the square brackets in line A are a destructuring pattern:
Note that the pattern is “smaller” than the data: we are only extracting what we need.
• You can construct compound data, for example, by setting properties and via object
literals.
• You can extract data out of compound data, for example, by getting properties.
assert.deepEqual(jane1, jane2);
const jane = {
first: 'Jane',
last: 'Doe',
};
37.3 Where can we destructure? 399
The operation in line A is new: we declare two variables f2 and l2 and initialize them
via destructuring (multivalue extraction).
Destructuring patterns are syntactically similar to the literals that are used for multivalue
construction. But they appear where data is received (e.g., at the left-hand side of assign-
ments), not where data is created (e.g., at the right-hand side of assignments).
• Variable declarations:
• Assignments:
let b;
[b] = ['z'];
assert.equal(b, 'z');
• Parameter definitions:
Note that variable declarations include const and let declarations in for-of loops:
// 0, 'a'
// 1, 'b'
In the next two sections, we’ll look deeper into the two kinds of destructuring: object-
destructuring and Array-destructuring.
37.4 Object-destructuring
Object-destructuring lets you batch-extract values of properties via patterns that look like
object literals:
const address = {
street: 'Evergreen Terrace',
number: '742',
city: 'Springfield',
state: 'NT',
zip: '49007',
};
You can think of the pattern as a transparent sheet that you place over the data: the
pattern key 'street' has a match in the data. Therefore, the data value 'Evergreen
Terrace' is assigned to the pattern variable s.
Exercise: Object-destructuring
exercises/destructuring/object_destructuring_exrc.mjs
37.5 Array-destructuring 401
const obj = { a: 1, b: 2, c: 3 };
const { a: propValue, ...remaining } = obj; // (A)
assert.equal(propValue, 1);
assert.deepEqual(remaining, {b:2, c:3});
A rest property variable, such as remaining (line A), is assigned an object with all data
properties whose keys are not mentioned in the pattern.
let prop;
assert.throws(
() => eval("{prop} = { prop: 'hello' };"),
{
name: 'SyntaxError',
message: 'Unexpected token =',
});
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.
let prop;
({prop} = { prop: 'hello' });
assert.equal(prop, 'hello');
37.5 Array-destructuring
Array-destructuring lets you batch-extract values of Array elements via patterns that look
like Array literals:
assert.equal(y, 'b');
The first element of the Array pattern in line A is a hole, which is why the Array element
at index 0 is ignored.
assert.equal(x, 'a');
assert.equal(y, 'b');
assert.deepEqual(remaining, ['c', 'd']);
A rest element variable, such as remaining (line A), is assigned an Array with all elements
of the destructured value that were not mentioned yet.
let x = 'a';
let y = 'b';
assert.equal(x, 'b');
assert.equal(y, 'a');
assert.equal(year, '2999');
assert.equal(month, '12');
assert.equal(day, '31');
Its second parameter is a function that receives the value and index of an element and
returns a boolean indicating if this is the element the caller is looking for.
We are now faced with a dilemma: Should findElement() return the value of the element
it found or the index? One solution would be to create two separate functions, but that
would result in duplicated code because both functions would be very similar.
The following implementation avoids duplication by returning an object that contains
both index and value of the element that is found:
function findElement(arr, predicate) {
for (let index=0; index < arr.length; index++) {
const value = arr[index];
if (predicate(value)) {
// We found something:
return { value, index };
}
}
// We didn’t find anything:
return { value: undefined, index: -1 };
}
As we are working with property keys, the order in which we mention value and index
doesn’t matter:
The kicker is that destructuring also serves us well if we are only interested in one of the
two results:
All of these conveniences combined make this way of handling multiple return values
quite versatile.
assert.throws(
() => { const {prop} = undefined; },
{
name: 'TypeError',
message: "Cannot destructure property `prop` of " +
"'undefined' or 'null'.",
}
);
assert.throws(
() => { const {prop} = null; },
{
name: 'TypeError',
message: "Cannot destructure property `prop` of " +
"'undefined' or 'null'.",
}
);
assert.throws(
() => { const [x] = {}; },
{
name: 'TypeError',
message: '{} is not iterable',
}
);
Quiz: basic
See quiz app.
37.9 (Advanced)
All of the remaining sections are advanced.
If you want a different value to be used, you need to specify a default value (via =):
406 37 Destructuring
In line A, we specify the default value for p to be 123. That default is used because the
data that we are destructuring has no property named prop.
assert.equal(x, 1);
assert.equal(y, 2);
The default value for the first element of the Array pattern is 1; the default value for the
second element is 2.
Neither property key first nor property key last exist in the object that is destructured.
Therefore, the default values are used.
function f2(...args) {
const [«pattern1», «pattern2»] = args;
// ···
}
37.12 Nested destructuring 407
Inside the Array pattern in line A, there is a nested object pattern at index 1.
Nested patterns can become difficult to understand, so they are best used in moderation.
Quiz: advanced
See quiz app.
408 37 Destructuring
Chapter 38
Synchronous generators
(advanced)
Contents
38.1 What are synchronous generators? . . . . . . . . . . . . . . . . . . . 409
38.1.1 Generator functions return iterables and fill them via yield . . 410
38.1.2 yield pauses a generator function . . . . . . . . . . . . . . . . 410
38.1.3 Why does yield pause execution? . . . . . . . . . . . . . . . . 412
38.1.4 Example: Mapping over iterables . . . . . . . . . . . . . . . . 413
38.2 Calling generators from generators (advanced) . . . . . . . . . . . . 413
38.2.1 Calling generators via yield* . . . . . . . . . . . . . . . . . . 413
38.2.2 Example: Iterating over a tree . . . . . . . . . . . . . . . . . . 414
38.3 Background: external iteration vs. internal iteration . . . . . . . . . 415
38.4 Use case for generators: reusing traversals . . . . . . . . . . . . . . . 416
38.4.1 The traversal to reuse . . . . . . . . . . . . . . . . . . . . . . . 416
38.4.2 Internal iteration (push) . . . . . . . . . . . . . . . . . . . . . 416
38.4.3 External iteration (pull) . . . . . . . . . . . . . . . . . . . . . . 417
38.5 Advanced features of generators . . . . . . . . . . . . . . . . . . . . 417
409
410 38 Synchronous generators (advanced)
38.1.1 Generator functions return iterables and fill them via yield
If you call a generator function, it returns an iterable (actually, an iterator that is also
iterable). The generator fills that iterable via the yield operator:
function* genFunc1() {
yield 'a';
yield 'b';
}
Therefore, yield does more than just add values to iterables – it also pauses and exits the
generator function:
• Like return, a yield exits the body of the function and returns a value (via
.next()).
• Unlike return, if you repeat the invocation (of .next()), execution resumes di-
rectly after the yield.
Let’s examine what that means via the following generator function.
let location = 0;
function* genFunc2() {
location = 1; yield 'a';
location = 2; yield 'b';
location = 3;
}
In order to use genFunc2(), we must first create the iterator/iterable iter. genFunc2()
is now paused “before” its body.
iter implements the iteration protocol. Therefore, we control the execution of gen-
Func2() via iter.next(). Calling that method resumes the paused genFunc2() and ex-
ecutes it until there is a yield. Then execution pauses and .next() returns the operand
of the yield:
assert.deepEqual(
iter.next(), {value: 'a', done: false});
// genFunc2() is now paused directly after the first `yield`:
assert.equal(location, 1);
Note that the yielded value 'a' is wrapped in an object, which is how iterators always
deliver their values.
We call iter.next() again and execution continues where we previously paused. Once
we encounter the second yield, genFunc2() is paused and .next() returns the yielded
value 'b'.
assert.deepEqual(
iter.next(), {value: 'b', done: false});
// genFunc2() is now paused directly after the second `yield`:
assert.equal(location, 2);
We call iter.next() one more time and execution continues until it leaves the body of
genFunc2():
assert.deepEqual(
iter.next(), {value: undefined, done: true});
// We have reached the end of genFunc2():
assert.equal(location, 3);
412 38 Synchronous generators (advanced)
This time, property .done of the result of .next() is true, which means that the iterator
is finished.
/**
* Input: iterable over lines
* Output: iterable over numbered lines
*/
function* numberLines(lineIterable) {
let lineNumber = 1;
for (const line of lineIterable) { // input
yield lineNumber + ': ' + line; // output
lineNumber++;
}
}
Note that the yield in numberLines() appears inside a for-of loop. yield can be used
inside loops, but not inside callbacks (more on that later).
Let’s combine both generators to produce the iterable numberedLines:
const numberedLines = numberLines(genLines());
assert.deepEqual(
numberedLines.next(), {value: '1: A line', done: false});
assert.deepEqual(
numberedLines.next(), {value: '2: Another line', done: false});
The key benefit of using generators here is that everything works incrementally: via
numberedLines.next(), we ask numberLines() for only a single numbered line. In turn,
it asks genLines() for only a single unnumbered line.
This incrementalism continues to work if, for example, genLines() reads its lines from
a large text file: If we ask numberLines() for a numbered line, we get one as soon as
genLines() has read its first line from the text file.
38.2 Calling generators from generators (advanced) 413
Without generators, genLines() would first read all lines and return them. Then num-
berLines() would number all lines and return them. We therefore have to wait much
longer until we get the first numbered line.
function* bar() {
yield 'a';
yield 'b';
}
function* foo() {
// Nothing happens if we call `bar()`:
bar();
}
assert.deepEqual(
[...foo()], []);
414 38 Synchronous generators (advanced)
Why doesn’t this work? The function call bar() returns an iterable, which we ignore.
What we want is for foo() to yield everything that is yielded by bar(). That’s what the
yield* operator does:
function* bar() {
yield 'a';
yield 'b';
}
function* foo() {
yield* bar();
}
assert.deepEqual(
[...foo()], ['a', 'b']);
yield* this.right;
}
}
}
Method [Symbol.iterator]() adds support for the iteration protocol, which means that
we can use a for-of loop to iterate over an instance of BinaryTree:
const tree = new BinaryTree('a',
new BinaryTree('b',
new BinaryTree('c'),
new BinaryTree('d')),
new BinaryTree('e'));
• Internal iteration (push): You pass a callback function to a method of the object
and the method feeds the values to the callback. For example, Arrays have the
method .forEach():
['a', 'b'].forEach((x) => {
console.log(x);
});
416 38 Synchronous generators (advanced)
// Output:
// 'a'
// 'b'
function logPaths(dir) {
for (const fileName of fs.readdirSync(dir)) {
const filePath = path.resolve(dir, fileName);
console.log(filePath);
const stats = fs.statSync(filePath);
if (stats.isDirectory()) {
logPaths(filePath); // recursive call
}
}
}
mydir/
a.txt
b.txt
subdir/
c.txt
logPaths('mydir');
// Output:
// 'mydir/a.txt'
// 'mydir/b.txt'
// 'mydir/subdir'
// 'mydir/subdir/c.txt'
How can we reuse this traversal and do something other than logging the paths?
Asynchronicity
419
Chapter 39
Asynchronous programming in
JavaScript
Contents
39.1 A roadmap for asynchronous programming in JavaScript . . . . . . 422
39.1.1 Synchronous functions . . . . . . . . . . . . . . . . . . . . . . 422
39.1.2 JavaScript executes tasks sequentially in a single process . . . 422
39.1.3 Callback-based asynchronous functions . . . . . . . . . . . . . 422
39.1.4 Promise-based asynchronous functions . . . . . . . . . . . . . 423
39.1.5 Async functions . . . . . . . . . . . . . . . . . . . . . . . . . . 423
39.1.6 Next steps . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 424
39.2 The call stack . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 424
39.3 The event loop . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 425
39.4 How to avoid blocking the JavaScript process . . . . . . . . . . . . . 426
39.4.1 The user interface of the browser can be blocked . . . . . . . . 426
39.4.2 How can we avoid blocking the browser? . . . . . . . . . . . . 427
39.4.3 Taking breaks . . . . . . . . . . . . . . . . . . . . . . . . . . . 427
39.4.4 Run-to-completion semantics . . . . . . . . . . . . . . . . . . 428
39.5 Patterns for delivering asynchronous results . . . . . . . . . . . . . 428
39.5.1 Delivering asynchronous results via events . . . . . . . . . . . 429
39.5.2 Delivering asynchronous results via callbacks . . . . . . . . . 431
39.6 Asynchronous code: the downsides . . . . . . . . . . . . . . . . . . 431
39.7 Resources . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 432
421
422 39 Asynchronous programming in JavaScript
function main() {
try {
const result = divideSync(12, 3); // (A)
assert.equal(result, 4);
} catch (err) {
assert.fail(err);
}
}
while (true) {
const task = taskQueue.dequeue();
task(); // run task
}
This loop is also called the event loop because events, such as clicking a mouse, add tasks
to the queue.
Due to this style of cooperative multitasking, we don’t want a task to block other tasks
from being executed while, for example, it waits for results coming from a server. The
next subsection explores how to handle this case.
function main() {
divideCallback(12, 3,
(err, result) => {
if (err) {
assert.fail(err);
} else {
assert.equal(result, 4);
}
});
}
divideCallback(x, y, callback)
function main() {
dividePromise(12, 3)
.then(result => assert.equal(result, 4))
.catch(err => assert.fail(err));
}
1 function h(z) {
2 const error = new Error();
3 console.log(error.stack);
4 }
5 function g(y) {
6 h(y + 1);
7 }
8 function f(x) {
9 g(x + 1);
10 }
11 f(3);
12 // done
Initially, before running this piece of code, the call stack is empty. After the function call
f(3) in line 11, the stack has one entry:
After the function call g(x + 1) in line 9, the stack has two entries:
After the function call h(y + 1) in line 6, the stack has three entries:
39.3 The event loop 425
Error:
at h (demos/async-js/stack_trace.mjs:2:17)
at g (demos/async-js/stack_trace.mjs:6:3)
at f (demos/async-js/stack_trace.mjs:9:3)
at demos/async-js/stack_trace.mjs:11:1
This is a so-called stack trace of where the Error object was created. Note that it records
where calls were made, not return locations. Creating the exception in line 2 is yet an-
other call. That’s why the stack trace includes a location inside h().
After line 3, each of the functions terminates and each time, the top entry is removed from
the call stack. After function f is done, we are back in top-level scope and the stack is
empty. When the code fragment ends then that is like an implicit return. If we consider
the code fragment to be a task that is executed, then returning with an empty call stack
ends the task.
Event loop ↺
Task queue
Figure 39.1: Task sources add code to run to the task queue, which is emptied by the event
loop.
• Task sources add tasks to the queue. Some of those sources run concurrently to the
JavaScript process. For example, one task source takes care of user interface events:
if a user clicks somewhere and a click listener was registered, then an invocation
of that listener is added to the task queue.
• The event loop runs continuously inside the JavaScript process. During each loop
iteration, it takes one task out of the queue (if the queue is empty, it waits until it
isn’t) and executes it. That task is finished when the call stack is empty and there
is a return. Control goes back to the event loop, which then retrieves the next task
from the queue and executes it. And so on.
while (true) {
const task = taskQueue.dequeue();
task(); // run task
}
The idea is that you click “Block” and a long-running loop is executed via JavaScript.
During that loop, you can’t click the button because the browser/JavaScript process is
blocked.
document.getElementById('block')
.addEventListener('click', doBlock); // (A)
function doBlock(event) {
// ···
displayStatus('Blocking...');
// ···
sleep(5000); // (B)
displayStatus('Done');
39.4 How to avoid blocking the JavaScript process 427
function sleep(milliseconds) {
const start = Date.now();
while ((Date.now() - start) < milliseconds);
}
function displayStatus(status) {
document.getElementById('statusMessage')
.textContent = status;
}
• Line A: We tell the browser to call doBlock() whenever the HTML element is
clicked whose ID is block.
• doBlock() displays status information and then calls sleep() to block the
JavaScript process for 5000 milliseconds (line B).
• sleep() blocks the JavaScript process by looping until enough time has passed.
• displayStatus() displays status messages inside the <div> whose ID is sta-
tusMessage.
• The operation can deliver its result asynchronously: Some operations, such as down-
loads, can be performed concurrently to the JavaScript process. The JavaScript
code triggering such an operation registers a callback, which is invoked with the
result once the operation is finished. The invocation is handled via the task queue.
This style of delivering a result is called asynchronous because the caller doesn’t
wait until the results are ready. Normal function calls deliver their results syn-
chronously.
• Perform long computations in separate processes: This can be done via so-called
Web Workers. Web Workers are heavyweight processes that run concurrently to the
main process. Each one of them has its own runtime environment (global variables,
etc.). They are completely isolated and must be communicated with via message
passing. Consult MDN web docs for more information.
• Take breaks during long computations. The next subsection explains how.
The function returns a handle (an ID) that can be used to clear the timeout (cancel the
execution of the callback) via the following global function:
428 39 Asynchronous programming in JavaScript
setTimeout() is available on both browsers and Node.js. The next subsection shows it
in action.
Another way of looking at setTimeout() is that the current task takes a break and
continues later via the callback.
Each task is always finished (“run to completion”) before the next task is
executed.
As a consequence, tasks don’t have to worry about their data being changed while they
are working on it (concurrent modification). That simplifies programming in JavaScript.
console.log('start');
setTimeout(() => {
console.log('callback');
}, 0);
console.log('end');
// Output:
// 'start'
// 'end'
// 'callback'
setTimeout() puts its parameter into the task queue. The parameter is therefore exe-
cuted sometime after the current piece of code (task) is completely finished.
The parameter ms only specifies when the task is put into the queue, not when exactly it
runs. It may even never run – for example, if there is a task before it in the queue that
never terminates. That explains why the previous code logs 'end' before 'callback',
even though the parameter ms is 0.
• Events
• Callbacks
• Promises
39.5 Patterns for delivering asynchronous results 429
The first two patterns are explained in the next two subsections. Promises are explained
in the next chapter.
Multiple variations of this pattern exist in the world of JavaScript. We’ll look at three
examples next.
IndexedDB is a database that is built into web browsers. This is an example of using it:
• Each operation has an associated method for creating request objects. For example,
in line A, the operation is “open”, the method is .open(), and the request object is
openRequest.
• The parameters for the operation are provided via the request object, not via pa-
rameters of the method. For example, the event listeners (functions) are stored in
the properties .onsuccess and .onerror.
• The invocation of the operation is added to the task queue via the method (in line
A). That is, we configure the operation after its invocation has already been added
to the queue. Only run-to-completion semantics saves us from race conditions here
and ensures that the operation runs after the current code fragment is finished.
The XMLHttpRequest API lets us make downloads from within a web browser. This is
how we download the file http://example.com/textfile.txt:
430 39 Asynchronous programming in JavaScript
function processData(str) {
assert.equal(str, 'Content of textfile.txt\n');
}
With this API, we first create a request object (line A), then configure it, then activate it
(line E). The configuration consists of:
• Specifying which HTTP request method to use (line B): GET, POST, PUT, etc.
• Registering a listener (line C) that is notified if something could be downloaded.
Inside the listener, we still need to determine if the download contains what we
requested or informs us of an error. Note that some of the result data is delivered
via the request object xhr. (I’m not a fan of this kind of mixing of input and output
data.)
• Registering a listener (line D) that is notified if there was a network error.
We have already seen DOM events in action in §39.4.1 “The user interface of the browser
can be blocked”. The following code also handles click events:
function clickListener(event) {
event.preventDefault(); // (C)
console.log(event.shiftKey); // (D)
}
We first ask the browser to retrieve the HTML element whose ID is 'my-link' (line A).
Then we add a listener for all click events (line B). In the listener, we first tell the browser
not to perform its default action (line C) – going to the target of the link. Then we log to
the console if the shift key is currently pressed (line D).
39.6 Asynchronous code: the downsides 431
As an example, consider a function readFile() that reads a text file and returns its con-
tents asynchronously. This is how you call readFile() if it uses Node.js-style callbacks:
There is a single callback that handles both success and failure. If the first parameter
is not null then an error happened. Otherwise, the result can be found in the second
parameter.
The first disadvantage becomes less severe with Promises (covered in the next chapter)
and mostly disappears with async functions (covered in the chapter after next).
Alas, the infectiousness of async code does not go away. But it is mitigated by the fact
that switching between sync and async is easy with async functions.
432 39 Asynchronous programming in JavaScript
39.7 Resources
• “Help, I’m stuck in an event-loop” by Philip Roberts (video).
• “Event loops”, section in HTML5 spec.
Chapter 40
Contents
40.1 The basics of using Promises . . . . . . . . . . . . . . . . . . . . . . 434
40.1.1 Using a Promise-based function . . . . . . . . . . . . . . . . . 434
40.1.2 What is a Promise? . . . . . . . . . . . . . . . . . . . . . . . . 435
40.1.3 Implementing a Promise-based function . . . . . . . . . . . . 435
40.1.4 States of Promises . . . . . . . . . . . . . . . . . . . . . . . . . 435
40.1.5 Promise.resolve(): create a Promise fulfilled with a given value436
40.1.6 Promise.reject(): create a Promise rejected with a given value 436
40.1.7 Returning and throwing in .then() callbacks . . . . . . . . . . 436
40.1.8 .catch() and its callback . . . . . . . . . . . . . . . . . . . . . 438
40.1.9 Chaining method calls . . . . . . . . . . . . . . . . . . . . . . 438
40.1.10 Advantages of promises . . . . . . . . . . . . . . . . . . . . . 439
40.2 Examples . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 440
40.2.1 Node.js: Reading a file asynchronously . . . . . . . . . . . . . 440
40.2.2 Browsers: Promisifying XMLHttpRequest . . . . . . . . . . . . 441
40.2.3 Node.js: util.promisify() . . . . . . . . . . . . . . . . . . . 442
40.2.4 Browsers: Fetch API . . . . . . . . . . . . . . . . . . . . . . . 443
40.3 Error handling: don’t mix rejections and exceptions . . . . . . . . . 443
40.4 Promise-based functions start synchronously, settle asynchronously 445
40.5 Promise combinators: working with Arrays of Promises . . . . . . . 446
40.5.1 The built-in Promise combinators . . . . . . . . . . . . . . . . 446
40.5.2 A more detailed definition of the term Promise combinator . . . 447
40.5.3 Promise.all() [ES6] . . . . . . . . . . . . . . . . . . . . . . . 447
40.5.4 Promise.race() [ES6] . . . . . . . . . . . . . . . . . . . . . . 450
40.5.5 Promise.allSettled() [ES2020] . . . . . . . . . . . . . . . . . 453
40.5.6 Short-circuiting (advanced) . . . . . . . . . . . . . . . . . . . 456
40.6 Concurrency and Promise.all() (advanced) . . . . . . . . . . . . . . 456
433
434 40 Promises for asynchronous programming
In this chapter, we explore Promises, yet another pattern for delivering asynchronous
results.
Recommended reading
This chapter builds on the previous chapter with background on asynchronous pro-
gramming in JavaScript.
addAsync(3, 4)
.then(result => { // success
assert.equal(result, 7);
})
.catch(error => { // failure
assert.fail(error);
});
Promises are similar to the event pattern: There is an object (a Promise), where we register
callbacks:
A Promise-based function returns a Promise and sends it a result or an error (if and when
it is done). The Promise passes it on to the relevant callbacks.
In contrast to the event pattern, Promises are optimized for one-off results:
• We can chain the Promise methods .then() and .catch() because they both return
Promises. That helps with sequentially invoking multiple asynchronous functions.
More on that later.
• On one hand, it is a placeholder or container for the final result that will eventually
be delivered.
• On the other hand, it is an object with which we can register listeners.
function addAsync(x, y) {
return new Promise(
(resolve, reject) => { // (A)
if (x === undefined || y === undefined) {
reject(new Error('Must provide two parameters'));
} else {
resolve(x + y);
}
});
}
Settled
Pending Fulfilled
Rejected
Figure 40.1: A Promise can be in either one of three states: pending, fulfilled, or rejected.
If a Promise is in a final (non-pending) state, it is called settled.
Fig. 40.1 depicts the three states a Promise can be in. Promises specialize in one-off results
and protect us against race conditions (registering too early or too late):
436 40 Promises for asynchronous programming
Additionally, once a Promise is settled, its state and settlement value can’t change any-
more. That helps make code predictable and enforces the one-off nature of Promises.
Promise.resolve(123)
.then(x => {
assert.equal(x, 123);
});
Note that the name is resolve, not fulfill, because .resolve() returns a rejected
Promise if its Parameter is a rejected Promise.
First, the callback can return a non-Promise value (line A). Consequently, the Promise
returned by .then() is fulfilled with that value (as checked in line B):
Promise.resolve('abc')
.then(str => {
return str + str; // (A)
})
.then(str2 => {
assert.equal(str2, 'abcabc'); // (B)
});
Second, the callback can return a Promise p (line A). Consequently, p “becomes” what
.then() returns. In other words: the Promise that .then() has already returned is effec-
tively replaced by p.
Promise.resolve('abc')
.then(str => {
return Promise.resolve(123); // (A)
})
.then(num => {
assert.equal(num, 123);
});
Why is that useful? We can return the result of a Promise-based operation and process
its fulfillment value via a “flat” (non-nested) .then(). Compare:
// Flat
asyncFunc1()
.then(result1 => {
/*···*/
return asyncFunc2();
})
.then(result2 => {
/*···*/
});
// Nested
asyncFunc1()
.then(result1 => {
/*···*/
asyncFunc2()
.then(result2 => {
/*···*/
});
});
438 40 Promises for asynchronous programming
Third, the callback can throw an exception. Consequently, the Promise returned by
.then() is rejected with that exception. That is, a synchronous error is converted into
an asynchronous error.
Promise.reject(err)
.catch(e => {
assert.equal(e, err);
// Something went wrong, use a default value
return 'default value'; // (A)
})
.then(str => {
assert.equal(str, 'default value');
});
function myAsyncFunc() {
return asyncFunc1() // (A)
.then(result1 => {
// ···
return asyncFunc2(); // a Promise
})
.then(result2 => {
// ···
return result2 ?? '(Empty)'; // not a Promise
})
.then(result3 => {
40.1 The basics of using Promises 439
// ···
return asyncFunc4(); // a Promise
});
}
Due to chaining, the return in line A returns the result of the last .then().
We can also add .catch() into the mix and let it handle multiple error sources at the
same time:
asyncFunc1()
.then(result1 => {
// ···
return asyncFunction2();
})
.then(result2 => {
// ···
})
.catch(error => {
// Failure: handle errors of asyncFunc1(), asyncFunc2()
// and any (sync) exceptions thrown in previous callbacks
});
• The type signatures of Promise-based functions and methods are cleaner: if a func-
tion is callback-based, some parameters are about input, while the one or two call-
backs at the end are about output. With Promises, everything output-related is
handled via the returned value.
• Promises handle both asynchronous errors (via rejections) and synchronous errors:
Inside the callbacks for new Promise(), .then(), and .catch(), exceptions are con-
verted to rejections. In contrast, if we use callbacks for asynchronicity, exceptions
are normally not handled for us; we have to do it ourselves.
• Promises are a single standard that is slowly replacing several, mutually incom-
patible alternatives. For example, in Node.js, many functions are now available
in Promise-based versions. And new asynchronous browser APIs are usually
Promise-based.
One of the biggest advantages of Promises involves not working with them directly: they
are the foundation of async functions, a synchronous-looking syntax for performing asyn-
chronous computations. Asynchronous functions are covered in the next chapter.
440 40 Promises for asynchronous programming
40.2 Examples
Seeing Promises in action helps with understanding them. Let’s look at examples.
{
"first": "Jane",
"last": "Doe"
}
Let’s look at two versions of code that reads this file and parses it into an object. First, a
callback-based version. Second, a Promise-based version.
The following code reads the contents of this file and converts it to a JavaScript object. It
is based on Node.js-style callbacks:
fs is a built-in Node.js module for file system operations. We use the callback-based
function fs.readFile() to read a file whose name is person.json. If we succeed, the
content is delivered via the parameter text as a string. In line C, we convert that string
from the text-based data format JSON into a JavaScript object. JSON is an object with
methods for consuming and producing JSON. It is part of JavaScript’s standard library
and documented later in this book.
Note that there are two error-handling mechanisms: the if in line A takes care of asyn-
chronous errors reported by fs.readFile(), while the try in line B takes care of syn-
40.2 Examples 441
readFileAsync('person.json')
.then(text => { // (A)
// Success
const obj = JSON.parse(text);
assert.deepEqual(obj, {
first: 'Jane',
last: 'Doe',
});
})
.catch(err => { // (B)
// Failure: file I/O error or JSON syntax error
assert.fail(err);
});
.then() returns a Promise, which enables the invocation of the Promise method
.catch() in line B. We use it to specify a failure callback.
Note that .catch() lets us handle both the asynchronous errors of readFileAsync() and
the synchronous errors of JSON.parse() because exceptions inside a .then() callback
become rejections.
function httpGet(url) {
return new Promise(
(resolve, reject) => {
const xhr = new XMLHttpRequest();
xhr.onload = () => {
if (xhr.status === 200) {
resolve(xhr.responseText); // (A)
} else {
// Something went wrong (404, etc.)
reject(new Error(xhr.statusText)); // (B)
}
}
xhr.onerror = () => {
reject(new Error('Network error')); // (C)
};
442 40 Promises for asynchronous programming
xhr.open('GET', url);
xhr.send();
});
}
Note how the results and errors of XMLHttpRequest are handled via resolve() and re-
ject():
• A successful outcome leads to the returned Promise being fullfilled with it (line
A).
• An error leads to the Promise being rejected (lines B and C).
httpGet('http://example.com/textfile.txt')
.then(content => {
assert.equal(content, 'Content of textfile.txt\n');
})
.catch(error => {
assert.fail(error);
});
The following code promisifies the callback-based fs.readFile() (line A) and uses it:
Exercises: util.promisify()
• Using util.promisify(): exercises/promises/read_file_async_exrc.
mjs
• Implementing util.promisify() yourself: exercises/promises/my_
promisify_test.mjs
interface Body {
text() : Promise<string>;
···
}
interface Response extends Body {
···
}
declare function fetch(str) : Promise<Response>;
fetch('http://example.com/textfile.txt')
.then(response => response.text())
.then(text => {
assert.equal(text, 'Content of textfile.txt\n');
});
This makes our synchronous and asynchronous code more predictable and simpler be-
cause we can always focus on a single error-handling mechanism.
For Promise-based functions and methods, the rule means that they should never throw
exceptions. Alas, it is easy to accidentally get this wrong – for example:
// Don’t do this
function asyncFunc() {
doSomethingSync(); // (A)
444 40 Promises for asynchronous programming
return doSomethingAsync()
.then(result => {
// ···
});
}
The problem is that if an exception is thrown in line A, then asyncFunc() will throw an
exception. Callers of that function only expect rejections and are not prepared for an
exception. There are three ways in which we can fix this issue.
We can wrap the whole body of the function in a try-catch statement and return a re-
jected Promise if an exception is thrown:
// Solution 1
function asyncFunc() {
try {
doSomethingSync();
return doSomethingAsync()
.then(result => {
// ···
});
} catch (err) {
return Promise.reject(err);
}
}
// Solution 2
function asyncFunc() {
return Promise.resolve()
.then(() => {
doSomethingSync();
return doSomethingAsync();
})
.then(result => {
// ···
});
}
Lastly, new Promise() also converts exceptions to rejections. Using this constructor is
therefore similar to the previous solution:
// Solution 3
function asyncFunc() {
return new Promise((resolve, reject) => {
doSomethingSync();
resolve(doSomethingAsync());
})
40.4 Promise-based functions start synchronously, settle asynchronously 445
.then(result => {
// ···
});
}
• Their execution starts right away, synchronously (in the current task).
• But the Promise they return is guaranteed to be settled asynchronously (in a later
task) – if ever.
function asyncFunc() {
console.log('asyncFunc');
return new Promise(
(resolve, _reject) => {
console.log('new Promise()');
resolve();
});
}
console.log('START');
asyncFunc()
.then(() => {
console.log('.then()'); // (A)
});
console.log('END');
// Output:
// 'START'
// 'asyncFunc'
// 'new Promise()'
// ' END '
// '.then()'
We can see that the callback of new Promise() is executed before the end of the code,
while the result is delivered later (line A).
• Starting synchronously helps avoid race conditions because we can rely on the
order in which Promise-based functions begin. There is an example in the next
chapter, where text is written to a file and race conditions are avoided.
• Chaining Promises won’t starve other tasks of processing time because before a
Promise is settled, there will always be a break, during which the event loop can
run.
446 40 Promises for asynchronous programming
The remainder of this section contains a list of all Promise combinators that are built into
JavaScript.
Promise.all<T>(promises: Iterable<Promise<T>>)
: Promise<Array<T>>
Promise.race<T>(promises: Iterable<Promise<T>>)
: Promise<T>
Promise.allSettled<T>(promises: Iterable<Promise<T>>)
: Promise<Array<SettlementObject<T>>>
40.5 Promise combinators: working with Arrays of Promises 447
Legend:
• Short-circuiting: In some cases, the output Promise can be settled early (before ev-
ery input Promise is settled). More information on how this works is given later.
const promises = [
Promise.resolve('result a'),
Promise.resolve('result b'),
Promise.resolve('result c'),
];
Promise.all(promises)
.then((arr) => assert.deepEqual(
arr, ['result a', 'result b', 'result c']
));
448 40 Promises for asynchronous programming
The following example demonstrates what happens if at least one of the input Promises
is rejected:
const promises = [
Promise.resolve('result a'),
Promise.resolve('result b'),
Promise.reject('ERROR'),
];
Promise.all(promises)
.catch((err) => assert.equal(
err, 'ERROR'
));
✓ ✗ ✓ ✗
[ v0 r0 , v1 r1 , ··· ]
all
∀ ∃
✓ ✗
Array transformation methods such as .map(), .filter(), etc., are made for syn-
chronous computations. For example:
function timesTwoSync(x) {
return 2 * x;
}
const arr = [1, 2, 3];
const result = arr.map(timesTwoSync);
assert.deepEqual(result, [2, 4, 6]);
}
const arr = [1, 2, 3];
const promiseArr = arr.map(timesTwoAsync);
Promise.all(promiseArr)
.then(result => {
assert.deepEqual(result, [2, 4, 6]);
});
Next, we’ll use .map() and Promise.all() to downlooad text files from the web. For
that, we need the following tool function:
function downloadText(url) {
return fetch(url)
.then((response) => { // (A)
if (!response.ok) { // (B)
throw new Error(response.statusText);
}
return response.text(); // (C)
});
}
downloadText() uses the Promise-based fetch API to download a text file as a string:
Promise.all(promises)
.then(
(arr) => assert.deepEqual(
arr, ['First!', 'Second!']
));
let index = 0;
for (const promise of iterable) {
// Capture the current value of `index`
const currentIndex = index;
promise.then(
(value) => {
if (anErrorOccurred) return;
result[currentIndex] = value;
elementCount++;
if (elementCount === result.length) {
resolve(result);
}
},
(err) => {
if (anErrorOccurred) return;
anErrorOccurred = true;
reject(err);
});
index++;
}
if (index === 0) {
resolve([]);
return;
}
let elementCount = 0;
let anErrorOccurred = false;
const result = new Array(index);
});
}
Promise.race() returns a Promise q which is settled as soon as the first Promise p among
promises is settled. q has the same settlement value as p.
In the following demo, the settlement of the fulfilled Promise (line A) happens before the
settlement of the rejected Promise (line B). Therefore, the result is also fulfilled (line C).
const promises = [
new Promise((resolve, reject) =>
setTimeout(() => resolve('result'), 100)), // (A)
new Promise((resolve, reject) =>
setTimeout(() => reject('ERROR'), 200)), // (B)
];
Promise.race(promises)
.then((result) => assert.equal( // (C)
40.5 Promise combinators: working with Arrays of Promises 451
result, 'result'));
Note that the Promise returned by Promise.race() is settled as soon as the first among
its input Promises is settled. That means that the result of Promise.race([]) is never
settled.
Fig. 40.3 illustrates how Promise.race() works.
✓ ✗ ✓ ✗
[ v0 r0 , v1 r1 , ··· ]
race
1st 1st
✓ ✗
vi ri
In this section, we are going to use Promise.race() to time out Promises. The following
helper function will be useful several times:
function resolveAfter(ms, value=undefined) {
return new Promise((resolve, reject) => {
setTimeout(() => resolve(value), ms);
});
}
timeout() returns a Promise whose settlement is the same as the one of whichever
Promise settles first among the following two:
1. The parameter promise
2. A Promise that is rejected after timeoutInMs milliseconds
To produce the second Promise, timeout() uses the fact that resolving a pending Promise
with a rejected Promise leads to the former being rejected.
Let’s see timeout() in action. Here, the input Promise is fulfilled before the timeout.
Therefore, the output Promise is fulfilled.
timeout(200, resolveAfter(100, 'Result!'))
.then(result => assert.equal(result, 'Result!'));
Here, the timeout happens before the input Promise is fulfilled. Therefore, the output
Promise is rejected.
timeout(100, resolveAfter(2000, 'Result!'))
.catch(err => assert.deepEqual(err, new Error('Operation timed out')));
if (settlementOccurred) return;
settlementOccurred = true;
reject(err);
});
}
let settlementOccurred = false;
});
}
Promise.allSettled<T>(promises: Iterable<Promise<T>>)
: Promise<Array<SettlementObject<T>>>
It returns a Promise for an Array whose elements have the following type signature:
interface FulfillmentObject<T> {
status: 'fulfilled';
value: T;
}
interface RejectionObject {
status: 'rejected';
reason: unknown;
}
Promise.allSettled() returns a Promise out. Once all promises are settled, out is ful-
filled with an Array. Each element e of that Array corresponds to one Promise p of
promises:
Unless there is an error when iterating over promises, the output Promise out is never
rejected.
✓ ✗ ✓ ✗
[ v0 r0 , v1 r1 , ··· ]
xi = { allSettled xi = {
status: 'fulfilled', status: 'rejected',
value: vi reason: ri
} ✓ ✗ }
iteration
[x0, x1, ···] error
Promise.allSettled([
Promise.resolve('a'),
Promise.reject('b'),
])
.then(arr => assert.deepEqual(arr, [
{ status: 'fulfilled', value: 'a' },
{ status: 'rejected', reason: 'b' },
]));
The next example is similar to the .map() plus Promise.all() example (from which we
are borrowing the function downloadText()): We are downloading multiple text files
whose URLs are stored in an Array. However, this time, we don’t want to stop when
there is an error, we want to keep going. Promise.allSettled() allows us to do that:
const urls = [
'http://example.com/exists.txt',
'http://example.com/missing.txt',
];
{
status: 'rejected',
reason: new Error('Not Found'),
},
]
));
function allSettled(iterable) {
return new Promise((resolve, reject) => {
function addElementToResult(i, elem) {
result[i] = elem;
elementCount++;
if (elementCount === result.length) {
resolve(result);
}
}
let index = 0;
for (const promise of iterable) {
// Capture the current value of `index`
const currentIndex = index;
promise.then(
(value) => addElementToResult(
currentIndex, {
status: 'fulfilled',
value
}),
(reason) => addElementToResult(
currentIndex, {
status: 'rejected',
reason
}));
index++;
}
if (index === 0) {
resolve([]);
return;
}
let elementCount = 0;
const result = new Array(index);
});
}
456 40 Promises for asynchronous programming
Once again, settling early does not mean that the operations behind the ignored Promises
are stopped. It just means that their settlements are ignored.
asyncFunc1()
.then(result1 => {
assert.equal(result1, 'one');
return asyncFunc2();
})
.then(result2 => {
assert.equal(result2, 'two');
});
Using .then() in this manner executes Promise-based functions sequentially: only after
the result of asyncFunc1() is settled will asyncFunc2() be executed.
Promise.all([asyncFunc1(), asyncFunc2()])
.then(arr => {
assert.deepEqual(arr, ['one', 'two']);
});
For example, each of the following functions executes asyncFunc1() and asyncFunc2()
concurrently because they are started at nearly the same time.
function concurrentAll() {
return Promise.all([asyncFunc1(), asyncFunc2()]);
}
40.7 Tips for chaining Promises 457
function concurrentThen() {
const p1 = asyncFunc1();
const p2 = asyncFunc2();
return p1.then(r1 => p2.then(r2 => [r1, r2]));
}
On the other hand, both of the following functions execute asyncFunc1() and async-
Func2() sequentially: asyncFunc2() is only invoked after the Promise of asyncFunc1()
is fulfilled.
function sequentialThen() {
return asyncFunc1()
.then(r1 => asyncFunc2()
.then(r2 => [r1, r2]));
}
function sequentialAll() {
const p1 = asyncFunc1();
const p2 = p1.then(() => asyncFunc2());
return Promise.all([p1, p2]);
}
Promise.all() is loosely related to the concurrency pattern “fork join”. Let’s revisit an
example that we have encountered previously:
Promise.all([
// (A) fork
downloadText('http://example.com/first.txt'),
downloadText('http://example.com/second.txt'),
])
// (B) join
.then(
(arr) => assert.deepEqual(
arr, ['First!', 'Second!']
));
// Don’t do this
function foo() {
const promise = asyncFunc();
promise.then(result => {
// ···
});
return promise;
}
Computation starts with the Promise returned by asyncFunc(). But afterward, compu-
tation continues and another Promise is created via .then(). foo() returns the former
Promise, but should return the latter. This is how to fix it:
function foo() {
const promise = asyncFunc();
return promise.then(result => {
// ···
});
}
// Don’t do this
asyncFunc1()
.then(result1 => {
return asyncFunc2()
.then(result2 => { // (A)
// ···
});
});
asyncFunc1()
.then(result1 => {
return asyncFunc2();
})
.then(result2 => {
// ···
});
// Don’t do this
asyncFunc1()
.then(result1 => {
if (result1 < 0) {
return asyncFuncA()
.then(resultA => 'Result: ' + resultA);
} else {
return asyncFuncB()
.then(resultB => 'Result: ' + resultB);
}
});
.then(resultCode => {
this.notifyObservers({event: 'created', model: this});
resolve(resultCode);
}).catch(err => {
reject(err);
})
});
}
// ···
}
In line A, we are creating a Promise to deliver the result of db.insert(). That is unnec-
essarily verbose and can be simplified:
class Model {
insertInto(db) {
return db.insert(this.fields)
.then(resultCode => {
this.notifyObservers({event: 'created', model: this});
return resultCode;
});
}
// ···
}
The key idea is that we don’t need to create a Promise; we can return the result of the
.then() call. An additional benefit is that we don’t need to catch and re-reject the failure
of db.insert(). We simply pass its rejection on to the caller of .insertInto().
Chapter 41
Async functions
Contents
41.1 Async functions: the basics . . . . . . . . . . . . . . . . . . . . . . . 461
41.1.1 Async constructs . . . . . . . . . . . . . . . . . . . . . . . . . 463
41.2 Returning from async functions . . . . . . . . . . . . . . . . . . . . 463
41.2.1 Async functions always return Promises . . . . . . . . . . . . 463
41.2.2 Returned Promises are not wrapped . . . . . . . . . . . . . . . 464
41.2.3 Executing async functions: synchronous start, asynchronous
settlement (advanced) . . . . . . . . . . . . . . . . . . . . . . 464
41.3 await: working with Promises . . . . . . . . . . . . . . . . . . . . . 465
41.3.1 await and fulfilled Promises . . . . . . . . . . . . . . . . . . . 466
41.3.2 await and rejected Promises . . . . . . . . . . . . . . . . . . . 466
41.3.3 await is shallow (we can’t use it in callbacks) . . . . . . . . . . 466
41.4 (Advanced) . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 467
41.5 Immediately invoked async arrow functions . . . . . . . . . . . . . 467
41.6 Concurrency and await . . . . . . . . . . . . . . . . . . . . . . . . . 467
41.6.1 await: running asynchronous functions sequentially . . . . . . 468
41.6.2 await: running asynchronous functions concurrently . . . . . 468
41.7 Tips for using async functions . . . . . . . . . . . . . . . . . . . . . 469
41.7.1 We don’t need await if we “fire and forget” . . . . . . . . . . . 469
41.7.2 It can make sense to await and ignore the result . . . . . . . . 469
Roughly, async functions provide better syntax for code that uses Promises. In order to
use async functions, we should therefore understand Promises. They are explained in
the previous chapter.
461
462 41 Async functions
The previous, rather synchronous-looking code is equivalent to the following code that
uses Promises directly:
function fetchJsonViaPromises(url) {
return fetch(url) // async
.then(request => request.text()) // async
.then(text => JSON.parse(text)) // sync
.catch(error => {
assert.fail(error);
});
}
fetchJsonAsync('http://example.com/person.json')
.then(obj => {
assert.deepEqual(obj, {
first: 'Jane',
last: 'Doe',
});
});
41.2 Returning from async functions 463
Inside the async function, we fulfill the result Promise via return (line A):
asyncFunc()
.then(result => {
assert.equal(result, 123);
});
asyncFunc()
.then(result => {
assert.equal(result, undefined);
});
asyncFunc()
.catch(err => {
assert.deepEqual(err, new Error('Problem!'));
});
asyncFunc()
.then(result => assert.equal(result, 'abc'));
• The Promise p for the result is created when the async function is started.
• Then the body is executed. There are two ways in which execution can leave the
body:
– Execution can leave permanently while settling p:
* A return fulfills p.
* A throw rejects p.
– Execution can also leave temporarily when awaiting the settlement of an-
other Promise q via await. The async function is paused and execution leaves
it. It is resumed once q is settled.
• Promise p is returned after execution has left the body for the first time (perma-
nently or temporarily).
Note that the notification of the settlement of the result p happens asynchronously, as is
always the case with Promises.
The following code demonstrates that an async function is started synchronously (line A),
then the current task finishes (line C), then the result Promise is settled – asynchronously
(line B).
// Output:
// 'asyncFunc() starts'
// 'Task ends'
// 'Resolved: abc'
The await operator can only be used inside async functions and async generators (which
are explained in §42.2 “Asynchronous generators”). Its operand is usually a Promise and
leads to the following steps being performed:
• The current async function is paused and returned from. This step is similar to
how yield works in sync generators.
• Eventually, the current task is finished and processing of the task queue continues.
• When and if the Promise is settled, the async function is resumed in a new task:
– If the Promise is fulfilled, await returns the fulfillment value.
– If the Promise is rejected, await throws the rejection value.
Read on to find out more about how await handles Promises in various states.
466 41 Async functions
If its operand ends up being a fulfilled Promise, await returns its fulfillment value:
Non-Promise values are allowed, too, and simply passed on (synchronously, without
pausing the async function):
If its operand is a rejected Promise, then await throws the rejection value:
try {
await Promise.reject(new Error());
assert.fail(); // we never get here
} catch (e) {
assert.equal(e instanceof Error, true);
}
If we are inside an async function and want to pause it via await, we must do so directly
within that function; we can’t use it inside a nested function, such as a callback. That is,
pausing is shallow.
The reason is that normal arrow functions don’t allow await inside their bodies.
Alas, this doesn’t work either: Now .map() (and therefore downloadContent()) returns
an Array with Promises, not an Array with (unwrapped) values.
41.4 (Advanced) 467
Can this code be improved? Yes it can: in line A, we are unwrapping a Promise via
await, only to re-wrap it immediately via return. If we omit await, we don’t even need
an async arrow function:
41.4 (Advanced)
All remaining sections are advanced.
/**
* Resolves after `ms` milliseconds
*/
function delay(ms) {
return new Promise((resolve, _reject) => {
setTimeout(resolve, ms);
});
}
async function paused(id) {
console.log('START ' + id);
await delay(10); // pause
console.log('END ' + id);
return id;
}
// Output:
// 'START first'
// ' END first'
// 'START second'
// ' END second'
// Output:
// 'START first'
41.7 Tips for using async functions 469
// 'START second'
// ' END first'
// ' END second'
Here, both asynchronous functions are started at the same time. Once both are settled,
await gives us either an Array of fulfillment values or – if at least one Promise is rejected
– an exception.
Recall from §40.6.2 “Concurrency tip: focus on when operations start” that what counts
is when we start a Promise-based computation; not how we process its result. Therefore,
the following code is as “concurrent” as the previous one:
In this code, we don’t await .write() because we don’t care when it is finished. We do,
however, want to wait until .close() is done.
Note: Each invocation of .write() starts synchronously. That prevents race conditions.
await longRunningAsyncOperation();
console.log('Done!');
470 41 Async functions
Here, we are using await to join a long-running asynchronous operation. That ensures
that the logging really happens after that operation is done.
Chapter 42
Asynchronous iteration
Contents
42.1 Basic asynchronous iteration . . . . . . . . . . . . . . . . . . . . . . 471
42.1.1 Protocol: async iteration . . . . . . . . . . . . . . . . . . . . . 471
42.1.2 Using async iteration directly . . . . . . . . . . . . . . . . . . 472
42.1.3 Using async iteration via for-await-of . . . . . . . . . . . . . 474
42.2 Asynchronous generators . . . . . . . . . . . . . . . . . . . . . . . . 474
42.2.1 Example: creating an async iterable via an async generator . . 475
42.2.2 Example: converting a sync iterable to an async iterable . . . . 476
42.2.3 Example: converting an async iterable to an Array . . . . . . . 476
42.2.4 Example: transforming an async iterable . . . . . . . . . . . . 477
42.2.5 Example: mapping over asynchronous iterables . . . . . . . . 477
42.3 Async iteration over Node.js streams . . . . . . . . . . . . . . . . . . 478
42.3.1 Node.js streams: async via callbacks (push) . . . . . . . . . . . 478
42.3.2 Node.js streams: async via async iteration (pull) . . . . . . . . 479
42.3.3 Example: from chunks to lines . . . . . . . . . . . . . . . . . . 479
Required knowledge
For this chapter, you should be familiar with:
• Promises
• Async functions
471
472 42 Asynchronous iteration
interface Iterable<T> {
[Symbol.iterator]() : Iterator<T>;
}
interface Iterator<T> {
next() : IteratorResult<T>;
}
interface IteratorResult<T> {
value: T;
done: boolean;
}
For the protocol for asynchronous iteration, we only want to change one thing: the values
produced by .next() should be delivered asynchronously. There are two conceivable
options:
In other words, the question is whether to wrap just values or whole iterator results in
Promises.
It has to be the latter because when .next() returns a result, it starts an asynchronous
computation. Whether or not that computation produces a value or signals the end of the
iteration can only be determined after it is finished. Therefore, both .done and .value
need to be wrapped in a Promise.
interface AsyncIterable<T> {
[Symbol.asyncIterator]() : AsyncIterator<T>;
}
interface AsyncIterator<T> {
next() : Promise<IteratorResult<T>>; // (A)
}
interface IteratorResult<T> {
value: T;
done: boolean;
}
The only difference to the synchronous interfaces is the return type of .next() (line A).
In line A, we create an asynchronous iterable over the value 'a' and 'b'. We’ll see an
implementation of syncToAsyncIterable() later.
We call .next() in line B, line C and line D. Each time, we use .next() to unwrap the
Promise and assert.deepEqual() to check the unwrapped value.
We can simplify this code if we use an async function. Now we unwrap Promises via
await and the code looks almost like we are doing synchronous iteration:
And it supports synchronous iterables over values that are wrapped in Promises:
const arr = [Promise.resolve('a'), Promise.resolve('b')];
for await (const x of arr) {
console.log(x);
}
// Output:
// 'a'
// 'b'
Due to async generators and sync generators being so similar, I don’t explain how
exactly yield and yield* work. Please consult §38 “Synchronous generators” if
you have doubts.
// Output
yield someValue;
yield* otherAsyncGen();
}
(async () => {
const asyncIterable = yield123();
const asyncIterator = asyncIterable[Symbol.asyncIterator]();
assert.deepEqual(
await asyncIterator.next(),
{ value: 1, done: false });
assert.deepEqual(
await asyncIterator.next(),
{ value: 2, done: false });
assert.deepEqual(
await asyncIterator.next(),
{ value: 3, done: false });
476 42 Asynchronous iteration
assert.deepEqual(
await asyncIterator.next(),
{ value: undefined, done: true });
})();
Note that we can’t use an async generator in this case: We get our input via for-await-
of and return an Array wrapped in a Promise. The latter requirement rules out async
generators.
Note the await in line A, which is needed to unwrap the Promise returned by asyncIt-
erableToArray(). In order for await to work, this code fragment must be run inside an
42.2 Asynchronous generators 477
async function.
Note how similar the sync implementation and the async implementation are. The only
two differences are the async in line A and the await in line B. That is comparable to
going from a synchronous function to an asynchronous function – we only need to add
the keyword async and the occasional await.
Once again, we await to unwrap a Promise (line A) and this code fragment must run
inside an async function.
Exercise: filterAsyncIter()
exercises/async-iteration/filter_async_iter_test.mjs
function main(inputFilePath) {
const readStream = fs.createReadStream(inputFilePath,
{ encoding: 'utf8', highWaterMark: 1024 });
readStream.on('data', (chunk) => {
console.log('>>> '+chunk);
});
readStream.on('end', () => {
console.log('### DONE ###');
});
}
That is, the stream is in control and pushes data to the reader.
42.3 Async iteration over Node.js streams 479
This time, the reader is in control and pulls data from the stream.
/**
* Parameter: async iterable of chunks (strings)
* Result: async iterable of lines (incl. newlines)
*/
async function* chunksToLines(chunksAsync) {
let previous = '';
for await (const chunk of chunksAsync) { // input
previous += chunk;
let eolIndex;
while ((eolIndex = previous.indexOf('\n')) >= 0) {
// line includes the EOL (Windows '\r\n' or Unix '\n')
const line = previous.slice(0, eolIndex+1);
yield line; // output
previous = previous.slice(eolIndex+1);
}
}
if (previous.length > 0) {
yield previous;
}
}
Let’s apply chunksToLines() to an async iterable over chunks (as produced by chunkIt-
erable()):
assert.deepEqual(
await asyncIterableToArray(linesIterable),
[
'First\n',
'Second\n',
'Third\n',
'Fourth',
]);
Now that we have an asynchronous iterable over lines, we can use the solution of a
previous exercise, numberLines(), to number those lines:
async function* numberLines(linesAsync) {
let lineNumber = 1;
for await (const line of linesAsync) {
yield lineNumber + ': ' + line;
lineNumber++;
}
}
const numberedLines = numberLines(chunksToLines(chunkIterable()));
assert.deepEqual(
await asyncIterableToArray(numberedLines),
[
'1: First\n',
'2: Second\n',
'3: Third\n',
'4: Fourth',
]);
Part IX
481
Chapter 43
Contents
43.1 Creating regular expressions . . . . . . . . . . . . . . . . . . . . . . 484
43.1.1 Literal vs. constructor . . . . . . . . . . . . . . . . . . . . . . . 484
43.1.2 Cloning and non-destructively modifying regular expressions 484
43.2 Syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 485
43.2.1 Syntax characters . . . . . . . . . . . . . . . . . . . . . . . . . 485
43.2.2 Basic atoms . . . . . . . . . . . . . . . . . . . . . . . . . . . . 485
43.2.3 Unicode property escapes [ES2018] . . . . . . . . . . . . . . . . . 486
43.2.4 Character classes . . . . . . . . . . . . . . . . . . . . . . . . . 487
43.2.5 Groups . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 488
43.2.6 Quantifiers . . . . . . . . . . . . . . . . . . . . . . . . . . . . 488
43.2.7 Assertions . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 488
43.2.8 Disjunction (|) . . . . . . . . . . . . . . . . . . . . . . . . . . 489
43.3 Flags . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 489
43.3.1 Flag: Unicode mode via /u . . . . . . . . . . . . . . . . . . . . 491
43.4 Properties of regular expression objects . . . . . . . . . . . . . . . . 493
43.4.1 Flags as properties . . . . . . . . . . . . . . . . . . . . . . . . 493
43.4.2 Other properties . . . . . . . . . . . . . . . . . . . . . . . . . 493
43.5 Methods for working with regular expressions . . . . . . . . . . . . 494
43.5.1 By default, regular expressions match anywhere in a string . . 494
[ES3]
43.5.2 regExp.test(str): is there a match? . . . . . . . . . . . . 494
[ES3]
43.5.3 str.search(regExp): at what index is the match? . . . . . 494
[ES3]
43.5.4 regExp.exec(str): capturing groups . . . . . . . . . . . . 495
43.5.5 str.match(regExp): getting all group 0 captures [ES3] . . . . . 496
43.5.6 str.matchAll(regExp): getting an iterable over all match ob-
jects [ES2020] . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 497
43.5.7 regExp.exec() vs. str.match() vs. str.matchAll() . . . . . . 498
43.5.8 str.replace(searchValue, replacementValue) [ES3] . . . . . 498
43.5.9 Other methods for working with regular expressions . . . . . 499
483
484 43 Regular expressions (RegExp)
43.6 The flags /g, /y, and the property .lastIndex (advanced) . . . . . . 500
43.6.1 The flags /g and /y . . . . . . . . . . . . . . . . . . . . . . . . 500
43.6.2 The regular expression property .lastIndex . . . . . . . . . . 502
43.6.3 Pitfalls of /g and /y . . . . . . . . . . . . . . . . . . . . . . . . 503
43.6.4 Use case for .lastIndex: starting matching at a given index . 506
43.6.5 Summary: .global (/g) and .sticky (/y) . . . . . . . . . . . . 508
43.6.6 Summary . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 508
43.7 Techniques for working with regular expressions . . . . . . . . . . . 509
43.7.1 Escaping arbitrary text for regular expressions . . . . . . . . . 509
43.7.2 Matching everything or nothing . . . . . . . . . . . . . . . . . 509
Availability of features
Unless stated otherwise, each regular expression feature has been available since
ES3.
The second variant is useful for cloning regular expressions, optionally while modifying
them. Flags are immutable and this is the only way of changing them – for example:
43.2 Syntax 485
43.2 Syntax
43.2.1 Syntax characters
At the top level of a regular expression, the following syntax characters are special. They
are escaped by prefixing a backslash (\).
\ ^ $ . * + ? ( ) [ ] { } |
• Pattern characters are all characters except syntax characters (^, $, etc.). Pattern char-
acters match themselves. Examples: A b %
• . matches any character. We can use the flag /s (dotall) to control if the dot
matches line terminators or not (more below).
• Character escapes (each escape matches a single fixed character):
– Control escapes (for a few control characters):
* \f: form feed (FF)
* \n: line feed (LF)
* \r: carriage return (CR)
* \t: character tabulation
* \v: line tabulation
– Arbitrary control characters: \cA (Ctrl-A), …, \cZ (Ctrl-Z)
– Unicode code units: \u00E4
– Unicode code points (require flag /u): \u{1F44D}
• Character class escapes (each escape matches one out of a set of characters):
– \d: digits (same as [0-9])
* \D: non-digits
– \w: “word” characters (same as [A-Za-z0-9_], related to identifiers in pro-
gramming languages)
486 43 Regular expressions (RegExp)
In the Unicode standard, each character has properties – metadata describing it. Proper-
ties play an important role in defining the nature of a character. Quoting the Unicode
Standard, Sect. 3.3, D3:
• Name: a unique name, composed of uppercase letters, digits, hyphens, and spaces
– for example:
– A: Name = LATIN CAPITAL LETTER A
– ☺: Name = SLIGHTLY SMILING FACE
• General_Category: categorizes characters – for example:
– x: General_Category = Lowercase_Letter
– $: General_Category = Currency_Symbol
• White_Space: used for marking invisible spacing characters, such as spaces, tabs
and newlines – for example:
– \t: White_Space = True
– π: White_Space = False
• Age: version of the Unicode Standard in which a character was introduced – for
example: The Euro sign € was added in version 2.1 of the Unicode standard.
– €: Age = 2.1
• Block: a contiguous range of code points. Blocks don’t overlap and their names
are unique. For example:
– S: Block = Basic_Latin (range U+0000..U+007F)
– ☺: Block = Emoticons (range U+1F600..U+1F64F)
• Script: is a collection of characters used by one or more writing systems.
– Some scripts support several writing systems. For example, the Latin script
supports the writing systems English, French, German, Latin, etc.
– Some languages can be written in multiple alternate writing systems that are
supported by multiple scripts. For example, Turkish used the Arabic script
before it transitioned to the Latin script in the early 20th century.
– Examples:
* α: Script = Greek
* Д: Script = Cyrillic
43.2 Syntax 487
1. \p{prop=value}: matches all characters whose property prop has the value value.
2. \P{prop=value}: matches all characters that do not have a property prop whose
value is value.
3. \p{bin_prop}: matches all characters whose binary property bin_prop is True.
4. \P{bin_prop}: matches all characters whose binary property bin_prop is False.
Comments:
• We can only use Unicode property escapes if the flag /u is set. Without /u, \p is
the same as p.
• Forms (3) and (4) can be used as abbreviations if the property is General_Category.
For example, the following two escapes are equivalent:
\p{Lowercase_Letter}
\p{General_Category=Lowercase_Letter}
Examples:
> /^\p{Script=Greek}+$/u.test('μετά')
true
Further reading:
• Lists of Unicode properties and their values: “Unicode Standard Annex #44: Uni-
code Character Database” (Editors: Mark Davis, Laurențiu Iancu, Ken Whistler)
• Only the following four characters are special and must be escaped via slashes:
^ \ - ]
• Character class escapes (\d, \p{White_Space}, etc.) have the usual meaning.
43.2.5 Groups
• Positional capture group: (#+)
– Backreference: \1, \2, etc.
• Named capture group [ES2018] : (?<hashes>#+)
– Backreference: \k<hashes>
• Noncapturing group: (?:#+)
43.2.6 Quantifiers
By default, all of the following quantifiers are greedy (they match as many characters as
possible):
To make them reluctant (so that they match as few characters as possible), put question
marks (?) after them:
43.2.7 Assertions
• ^ matches only at the beginning of the input
• $ matches only at the end of the input
• \b matches only at a word boundary
– \B matches only when not at a word boundary
43.3 Flags 489
43.2.7.1 Lookahead
Negative lookbehind: (?<!«pattern») matches if pattern does not match what came
before.
Example: sequences of lowercase letters that are not preceded by an X.
> 'Xabc def'.match(/(?<!X)[a-z]+/g)
[ 'bc', 'def' ]
43.3 Flags
490 43 Regular expressions (RegExp)
The following regular expression flags are available in JavaScript (tbl. 43.1 provides a
compact overview):
– RegExp.prototype.test()
– RegExp.prototype.exec()
– String.prototype.match()
How, is explained in §43.6.1 “The flags /g and /y”. In a nutshell, without /g, the
methods only consider the first match for a regular expression in an input string.
With /g, they consider all matches.
> /a/.test('A')
false
> /a/i.test('A')
true
• /m (.multiline): If this flag is on, ^ matches the beginning of each line and $
matches the end of each line. If it is off, ^ matches the beginning of the whole
input string and $ matches the end of the whole input string.
> 'a1\na2\na3'.match(/^a./gm)
[ 'a1', 'a2', 'a3' ]
> 'a1\na2\na3'.match(/^a./g)
[ 'a1' ]
• /u (.unicode): This flag switches on the Unicode mode for a regular expression.
That mode is explained in the next subsection.
• /y (.sticky): This flag mainly makes sense in conjunction with /g. When both are
switched on, any match must directly follow the previous one (that is, it must start
at index .lastIndex of the regular expression object). Therefore, the first match
must be at index 0.
null
• /s (.dotall): By default, the dot does not match line terminators. With this flag,
it does:
> /./.test('\n')
false
> /./s.test('\n')
true
> /[^]/.test('\n')
true
• In patterns, we can use Unicode code point escapes such as \u{1F42A} to specify
characters. Code unit escapes such as \u03B1 only have a range of four hexadeci-
mal digits (which corresponds to the basic multilingual plane).
> /pa-:/.test('pa-:')
true
Without /u, there are some pattern characters that still match themselves if we
escape them with backslashes:
> /\p\a\-\:/.test('pa-:')
true
With /u:
• The atomic units for matching are Unicode characters (code points), not JavaScript
characters (code units).
492 43 Regular expressions (RegExp)
The following subsections explain the last item in more detail. They use the following
Unicode character to explain when the atomic units are Unicode characters and when
they are JavaScript characters:
I’m only switching between ☺ and \uD83D\uDE42, to illustrate how JavaScript sees things.
Both are equivalent and can be used interchangeably in strings and regular expressions.
With /u, the two code units of ☺ are treated as a single character:
> /^[☺]$/u.test('☺')
true
> /^[\uD83D\uDE42]$/.test('\uD83D\uDE42')
false
> /^[\uD83D\uDE42]$/.test('\uDE42')
true
Note that ^ and $ demand that the input string have a single character. That’s why the
first result is false.
43.3.1.2 Consequence: the dot operator (.) matches Unicode characters, not
JavaScript characters
> '☺'.match(/./gu).length
1
.match() plus /g returns an Array with all the matches of a regular expression.
> '\uD83D\uDE80'.match(/./g).length
2
> /^☺{3}$/u.test('☺☺☺')
true
> /^\uD83D\uDE80{3}$/.test('\uD83D\uDE80\uDE80\uDE80')
true
• Strictly speaking, only .lastIndex is a real instance property. All other properties
are implemented via getters.
• Accordingly, .lastIndex is the only mutable property. All other properties are
read-only. If we want to change them, we need to copy the regular expression
(consult §43.1.2 “Cloning and non-destructively modifying regular expressions”
for details).
> /a/i.ignoreCase
true
> /a/.ignoreCase
false
• .dotall (/s)
• .global (/g)
• .ignoreCase (/i)
• .multiline (/m)
• .sticky (/y)
• .unicode (/u)
> /abc/ig.source
'abc'
> /abc/ig.flags
'gi'
• .lastIndex [ES3] : Used when flag /g is switched on. Consult §43.6.1 “The flags /g
and /y” for details.
494 43 Regular expressions (RegExp)
> /a/.test('__a__')
true
We can change that by using assertions such as ^ or by using the flag /y:
> /^a/.test('__a__')
false
> /^a/.test('a__')
true
[ES3]
43.5.2 regExp.test(str): is there a match?
The regular expression method .test() returns true if regExp matches str:
> /bc/.test('ABCD')
false
> /bc/i.test('ABCD')
true
> /\.mjs$/.test('main.mjs')
true
With .test() we should normally avoid the /g flag. If we use it, we generally don’t get
the same result every time we call the method:
The results are due to /a/ having two matches in the string. After all of those were found,
.test() returns false.
[ES3]
43.5.3 str.search(regExp): at what index is the match?
The string method .search() returns the first index of str at which there is a match for
regExp:
> '_abc_'.search(/abc/)
1
> 'main.mjs'.search(/\.mjs$/)
4
43.5 Methods for working with regular expressions 495
Without the flag /g, .exec() returns the captures of the first match for regExp in str:
assert.deepEqual(
/(a+)b/.exec('ab aab'),
{
0: 'ab',
1: 'a',
index: 0,
input: 'ab aab',
groups: undefined,
}
);
The previous example contained a single positional group. The following example
demonstrates named groups:
assert.deepEqual(
/(?<as>a+)b/.exec('ab aab'),
{
0: 'ab',
1: 'a',
index: 0,
input: 'ab aab',
groups: { as: 'a' },
}
);
In the result of .exec(), we can see that a named group is also a positional group – its
capture exists twice:
• Once as a positional capture (property '1').
• Once as a named capture (property groups.as).
Since ECMAScript 2020, JavaScript has another method for retrieving all matches:
str.matchAll(regExp). This method is easier to use and has fewer caveats.
If we want to retrieve all matches of a regular expression (not just the first one), we need
to switch on the flag /g. Then we can call .exec() multiple times and get one match each
time. After the last match, .exec() returns null.
let match;
// Check for null via truthiness
// Alternative: while ((match = regExp.exec(str)) !== null)
while (match = regExp.exec(str)) {
console.log(match[1]);
}
// Output:
// 'a'
// 'aa'
With /g, .match() returns all substrings of str that match regExp:
> 'xyz'.match(/(a+)b/g)
null
We can use the nullish coalescing operator (??) to protect ourselves against null:
Given a string and a regular expression, .matchAll() returns an iterable over the match
objects of all matches.
We can also use the spread operator (...) to convert the iterable to an Array:
> [...'-a-a-a'.matchAll(/-(a)/ug)]
[ [ '-a', 'a' ], [ '-a', 'a' ], [ '-a', 'a' ] ]
> [...'-a-a-a'.matchAll(/-(a)/u)]
TypeError: String.prototype.matchAll called with a non-global
RegExp argument
Using matchAll():
Without /g With /g
regExp.exec(str) First match object Next match object or null
str.match(regExp) First match object Array of group 0 captures
str.matchAll(regExp) TypeError Iterable over match objects
If the replacement value is a string, the dollar sign has special meaning – it inserts text
matched by the regular expression:
Text Result
$$ single $
$& complete match
$` text before match
$' text after match
43.5 Methods for working with regular expressions 499
Text Result
$n capture of positional group n (n > 0)
$<name> capture of named group name [ES2018]
Example: Inserting the text before, inside, and after the matched substring.
If the replacement value is a function, we can compute each replacement. In the following
example, we multiply each non-negative integer that we find by two.
assert.equal(
'3 cats and 4 dogs'.replace(/[0-9]+/g, (all) => 2 * Number(all)),
'6 cats and 8 dogs'
);
The replacement function gets the following parameters. Note how similar they are to
match objects. These parameters are all positional, but I’ve included how one might
name them:
43.6 The flags /g, /y, and the property .lastIndex (ad-
vanced)
In this section, we examine how the RegExp flags /g and /y work and how they de-
pend on the RegExp property .lastIndex. We’ll also discover an interesting use case for
.lastIndex that we may not have considered yet.
Without /g, .exec() always returns a match object for the first match:
> const re = /#/;
> re.exec('##-#')
{ 0: '#', index: 0, input: '##-#' }
> re.exec('##-#')
{ 0: '#', index: 0, input: '##-#' }
With /g, it returns one new match per invocation and null when there are no more
matches:
> const re = /#/g;
> re.exec('##-#')
{ 0: '#', index: 0, input: '##-#' }
> re.exec('##-#')
43.6 The flags /g, /y, and the property .lastIndex (advanced) 501
We will use /y together with /g for now (think “/g without gaps”). To understand /y on
its own, we’ll need to learn about the RegExp property .lastIndex, which we’ll get to
soon.
With /gy, each match returned by .exec() must immediately follow the previous match.
That’s why it only returns two matches in the following example:
> const re = /#/gy;
> re.exec('##-#')
{ 0: '#', index: 0, input: '##-#' }
> re.exec('##-#')
{ 0: '#', index: 1, input: '##-#' }
> re.exec('##-#')
null
With /gy, .replace() replaces all matches, as long as there are no gaps between them:
502 43 Regular expressions (RegExp)
With /gy, .matchAll() returns match objects for adjacent matches only:
For regular expression operations that are affected by it, it controls where matching starts.
For example, .exec() uses .lastIndex to remember where it currently is in the input
string:
> re.lastIndex
0
For /y, .lastIndex means: Match at exactly .lastIndex. It works as if the beginning of
the regular expression were anchored to .lastIndex.
Note that ^ and $ continue to work as usually: They anchor matches to the beginning or
end of the input string, unless .multiline is set. Then they anchor to the beginnings or
ends of lines.
If /y is used without /g, then .replace() replaces the first occurrence that is found (di-
rectly) at .lastIndex. It updates .lastIndex.
A regular expression with /g can’t be inlined. For example, in the following while loop,
the regular expression is created fresh, every time the condition is checked. Therefore,
its .lastIndex is always zero and the loop never terminates.
let matchObj;
// Infinite loop
while (matchObj = /a+/g.exec('bbbaabaaa')) {
console.log(matchObj[0]);
}
If code expects a regular expression with /g and has a loop over the results of .exec()
or .test(), then a regular expression without /g can cause an infinite loop:
504 43 Regular expressions (RegExp)
Why is there an infinity loop? Because .exec() always returns the first result, a match
object, and never null.
The first invocation produces a match and updates .lastIndex. The second invocation
does not find a match and resets .lastIndex to zero.
If we create a regular expression specifically for .test(), then we probably won’t add
/g. However, the likeliness of encountering /g increases if we use the same regular ex-
pression for replacing and for testing.
43.6.3.4 Pitfall: Code can produce unexpected results if .lastIndex isn’t zero
Given all the regular expression operations that are affected by .lastIndex, we must be
careful with many algorithms that .lastIndex is zero at the beginning. Otherwise, we
43.6 The flags /g, /y, and the property .lastIndex (advanced) 505
Normally, .lastIndex is zero in newly created regular expressions and we won’t change
it explicitly like we did in the example. But .lastIndex can still end up not being zero if
we use the regular expression multiple times.
43.6.3.5 Measures for avoiding the pitfalls of /g, /y, and .lastIndex
let count = 0;
while (regExp.test(str)) {
count++;
}
return count;
}
let count = 0;
while (clone.test(str)) {
count++;
}
return count;
}
Several regular expression operations are not affected by .lastIndex or by flags. For
example, .match() ignores .lastIndex if /g is present:
Given that .test() is affected by /y and .lastIndex, we can use it to check if a regular
expression regExp matches a string str at a given index:
Note that we must not use the assertion ^ which would anchor regExp to the beginning
of the input string.
> '#--#'.search(/#/)
0
Alas, we can’t change where .search() starts looking for matches. As a work-around,
we can use .exec() for searching:
assert.equal(
searchAt(/#/g, '#--#', 0), 0);
assert.equal(
searchAt(/#/g, '#--#', 1), 3);
When used without /g and with /y, .replace() makes one replacement – if there is a
match at .lastIndex:
Legend:
• Column “#” specifies how many results a method delivers.
• .lI means .lastIndex
• MObj means MatchObject
• Is the operation affected by .lastItem?
– ✔ Yes: .lastItem is either updated or unchanged.
– ✘ No: By default, .lastItem isn’t touched, but several operations reset it to
zero.
43.6.6 Summary
The regular expression property .lastIndex has two significant downsides:
share them.
– For many use cases, we can’t make them immutable via freezing, either.
• Support for .lastIndex is inconsistent among regular expression operations.
On the upside, .lastIndex also gives us additional useful functionality: We can dictate
where matching should begin (for some operations).
function escapeForRegExp(str) {
return str.replace(/[\\^$.*+?()[\]{}|]/g, '\\$&'); // (A)
}
assert.equal(escapeForRegExp('[yes?]'), String.raw`\[yes\?\]`);
assert.equal(escapeForRegExp('_g_'), String.raw`_g_`);
In line A, we escape all syntax characters. We have to be selective because the regular
expression flag /u forbids many escapes – for example: \a \: \-
The regular expression method .replace() only lets us replace plain text once. With
escapeForRegExp(), we can work around that limitation and replace plain text multiple
times:
> /(?:)/.test('')
true
> /(?:)/.test('abc')
true
^ only matches at the beginning of a string. The dot moves matching beyond the
first character and now ^ doesn’t match anymore.
510 43 Regular expressions (RegExp)
> /.^/.test('')
false
> /.^/.test('abc')
false
Chapter 44
Dates (Date)
Contents
44.1 Best practice: avoid the built-in Date . . . . . . . . . . . . . . . . . . 511
44.1.1 Things to look for in a date library . . . . . . . . . . . . . . . . 512
44.2 Time standards . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 512
44.2.1 Background: UTC vs. Z vs. GMT . . . . . . . . . . . . . . . . 512
44.2.2 Dates do not support time zones . . . . . . . . . . . . . . . . . 512
44.3 Background: date time formats (ISO) . . . . . . . . . . . . . . . . . 513
44.3.1 Tip: append a Z to make date parsing deterministic . . . . . . 514
44.4 Time values . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 515
44.4.1 Creating time values . . . . . . . . . . . . . . . . . . . . . . . 515
44.4.2 Getting and setting time values . . . . . . . . . . . . . . . . . 515
44.5 Creating Dates . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 516
44.5.1 Creating dates via numbers . . . . . . . . . . . . . . . . . . . 516
44.5.2 Parsing dates from strings . . . . . . . . . . . . . . . . . . . . 516
44.5.3 Other ways of creating dates . . . . . . . . . . . . . . . . . . . 516
44.6 Getters and setters . . . . . . . . . . . . . . . . . . . . . . . . . . . . 517
44.6.1 Time unit getters and setters . . . . . . . . . . . . . . . . . . . 517
44.7 Converting Dates to strings . . . . . . . . . . . . . . . . . . . . . . . 517
44.7.1 Strings with times . . . . . . . . . . . . . . . . . . . . . . . . . 517
44.7.2 Strings with dates . . . . . . . . . . . . . . . . . . . . . . . . . 518
44.7.3 Strings with dates and times . . . . . . . . . . . . . . . . . . . 518
44.7.4 Other methods . . . . . . . . . . . . . . . . . . . . . . . . . . 518
This chapter describes JavaScript’s API for working with dates – the class Date.
511
512 44 Dates (Date)
• Moment.js
• Day.js
• Luxon
• js-joda
• date-fns
Consult the blog post “Why you shouldn’t use Moment.js…” for the pros and cons of
these libraries.
• Support for time zones: As explained later, Date does not support time zones,
which introduces a number of pitfalls and is a key weakness. Make sure that your
date library supports them.
• UTC (Coordinated Universal Time) is the time standard that all times zones are
based on. They are specified relative to it. That is, no country or territory has UTC
as its local time zone.
• Z (Zulu Time Zone) is a military time zone that is often used in aviation and the
military as another name for UTC+0.
• GMT (Greenwich Mean Time) is a time zone used in some European and African
countries. It is UTC plus zero hours and therefore has the same time as UTC.
Sources:
Depending on the operation, only some of those options are available. For example,
when converting dates to strings or extracting time units such as the day of the month,
you can only choose between the local time zone and UTC.
Internally, Dates are stored as UTC. When converting from or to the local time zone, the
necessary offsets are determined via the date. In the following example, the local time
zone is Europe/Paris:
Whenever you create or convert dates, you need to be mindful of the time standard being
used – for example: new Date() uses the local time zone while .toISOString() uses
UTC.
Dates interpret 0 as January. The day of the month is 27 in the local time zone, but 26 in
UTC.
• It can lead to location-specific bugs. For example, the previous example produces
different results depending on where it is executed. To be safe:
'2033-05-28T15:59:59.123Z'
YYYY-MM-DD
YYYY-MM
YYYY
• Time formats: T=separator (the string 'T'); H=hour; m=minute; s=second and
millisecond; Z=Zulu Time Zone (the string 'Z')
THH:mm:ss.sss
THH:mm:ss.sssZ
THH:mm:ss
THH:mm:ssZ
THH:mm
THH:mmZ
Instead of Z (which is UTC+0), we can also specify time offsets relative to UTC:
• THH:mm+HH:mm (etc.)
• THH:mm-HH:mm (etc.)
• Without Z: Input is January 27 (in the Europe/Paris time zone), output is January
26 (in UTC).
const timeValue = 0;
assert.equal(
new Date(timeValue).toISOString(),
'1970-01-01T00:00:00.000Z');
Ordering operators coerce their operands to numbers. Therefore, you can use these op-
erators to compare Dates:
assert.equal(
new Date('1972-05-03') < new Date('2001-12-23'), true);
// Internally:
assert.equal(73699200000 < 1009065600000, true);
• Date.UTC(year,month,date?,hours?,minutes?,seconds?,milliseconds?):
number (UTC)
Returns the time value for the specified UTC date time.
• Date.prototype.setTime(timeValue) (UTC)
That’s why, elsewhere in this chapter, we avoid the time unit year and always use
fullYear. But in this case, we have no choice.
Example:
Note that the input hours (21) are different from the output hours (20). The former refer
to the local time zone, the latter to UTC.
If there is not Z or time offset at the end, the local time zone is used:
> d.toTimeString()
'01:00:00 GMT+0100 (Central European Standard Time)'
• Date.prototype.toUTCString() (UTC)
> d.toUTCString()
'Thu, 01 Jan 1970 00:00:00 GMT'
• Date.prototype.toISOString() (UTC)
> d.toISOString()
'1970-01-01T00:00:00.000Z'
Contents
45.1 The discovery and standardization of JSON . . . . . . . . . . . . . . 520
45.1.1 JSON’s grammar is frozen . . . . . . . . . . . . . . . . . . . . 520
45.2 JSON syntax . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 520
45.3 Using the JSON API . . . . . . . . . . . . . . . . . . . . . . . . . . . . 521
45.3.1 JSON.stringify(data, replacer?, space?) . . . . . . . . . 521
45.3.2 JSON.parse(text, reviver?) . . . . . . . . . . . . . . . . . . 522
45.3.3 Example: converting to and from JSON . . . . . . . . . . . . . 523
45.4 Customizing stringification and parsing (advanced) . . . . . . . . . 523
45.4.1 .stringfy(): specifying which properties of objects to stringify 524
45.4.2 .stringify() and .parse(): value visitors . . . . . . . . . . . 524
45.4.3 Example: visiting values . . . . . . . . . . . . . . . . . . . . . 525
45.4.4 Example: stringifying unsupported values . . . . . . . . . . . 525
45.4.5 Example: parsing unsupported values . . . . . . . . . . . . . 526
45.5 FAQ . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 527
45.5.1 Why doesn’t JSON support comments? . . . . . . . . . . . . . 527
JSON (“JavaScript Object Notation”) is a storage format that uses text to encode data. Its
syntax is a subset of JavaScript expressions. As an example, consider the following text,
stored in a file jane.json:
{
"first": "Jane",
"last": "Porter",
"married": true,
"born": 1890,
"friends": [ "Tarzan", "Cheeta" ]
}
JavaScript has the global namespace object JSON that provides methods for creating and
parsing JSON.
519
520 45 Creating and parsing JSON (JSON)
Because it is so simple, it is not expected that the JSON grammar will ever
change. This gives JSON, as a foundational notation, tremendous stability.
Therefore, JSON will never get improvements such as optional trailing commas, com-
ments, or unquoted keys – independently of whether or not they are considered desir-
able. However, that still leaves room for creating supersets of JSON that compile to plain
JSON.
• Compound:
– Object literals:
* Property keys are double-quoted strings.
* Property values are JSON values.
* No trailing commas are allowed.
– Array literals:
* Elements are JSON values.
* No holes or trailing commas are allowed.
• Atomic:
– null (but not undefined)
– Booleans
– Numbers (excluding NaN, +Infinity, -Infinity)
– Strings (must be double-quoted)
If you only provide the first argument, .stringify() returns a single line of text:
assert.equal(
JSON.stringify({foo: ['a', 'b']}),
'{"foo":["a","b"]}' );
If you provide a non-negative integer for space, then .stringify() returns one or more
lines and indents by space spaces per level of nesting:
assert.equal(
JSON.stringify({foo: ['a', 'b']}, null, 2),
`{
"foo": [
"a",
"b"
]
}`);
Primitive values:
• Supported primitive values are stringified as expected:
> JSON.stringify('abc')
'"abc"'
> JSON.stringify(123)
'123'
> JSON.stringify(null)
'null'
• Bigints: TypeError
522 45 Creating and parsing JSON (JSON)
> JSON.stringify(123n)
TypeError: Do not know how to serialize a BigInt
• Other unsupported primitive values are not stringified; they produce the result
undefined:
> JSON.stringify(undefined)
undefined
> JSON.stringify(Symbol())
undefined
Objects:
• If an object has a method .toJSON(), then the result of that method is stringified:
• Arrays are stringified as Array literals. Unsupported Array elements are stringi-
fied as if they were null:
• All other objects – except for functions – are stringified as object literals. Properties
with unsupported values are omitted:
> JSON.parse('{"foo":["a","b"]}')
{ foo: [ 'a', 'b' ] }
45.4 Customizing stringification and parsing (advanced) 523
constructor(x, y) {
this.x = x;
this.y = y;
}
toJSON() { // (B)
return {x: this.x, y: this.y};
}
}
The optional parameter reviver contains a value visitor that can transform the
parsed JSON data before it is returned.
If the second parameter of .stringify() is an Array, then only object properties, whose
names are mentioned there, are included in the result:
const obj = {
a: 1,
b: {
c: 2,
d: 3,
}
};
assert.equal(
JSON.stringify(obj, ['b', 'c']),
'{"b":{"c":2}}');
In this section, JavaScript data is considered to be a tree of values. If the data is atomic,
it is a tree that only has a root. All values in the tree are fed to the value visitor, one at a
time. Depending on what the visitor returns, the current value is omitted, changed, or
preserved.
const root = {
a: 1,
b: {
c: 2,
d: 3,
}
};
JSON.stringify(root, valueVisitor);
assert.deepEqual(log, [
{ this: { '': root }, key: '', value: root },
{ this: root , key: 'a', value: 1 },
{ this: root , key: 'b', value: root.b },
{ this: root.b , key: 'c', value: 2 },
{ this: root.b , key: 'd', value: 3 },
]);
As we can see, the replacer of JSON.stringify() visits values top-down (root first, leaves
last). The rationale for going in that direction is that we are converting JavaScript values
to JSON values. And a single JavaScript object may be expanded into a tree of JSON-
compatible values.
In contrast, the reviver of JSON.parse() visits values bottom-up (leaves first, root last).
The rationale for going in that direction is that we are assembling JSON values into
JavaScript values. Therefore, we need to convert the parts before we can convert the
whole.
const obj = {
name: 'abc',
regex: /abc/ui,
};
assert.equal(
JSON.stringify(obj),
'{"name":"abc","regex":{}}');
45.5 FAQ
45.5.1 Why doesn’t JSON support comments?
Douglas Crockford explains why in a Google+ post from 1 May 2012:
I removed comments from JSON because I saw people were using them to
hold parsing directives, a practice which would have destroyed interoper-
ability. I know that the lack of comments makes some people sad, but it
shouldn’t.
Suppose you are using JSON to keep configuration files, which you would
like to annotate. Go ahead and insert all the comments you like. Then pipe
it through JSMin [a minifier for JavaScript] before handing it to your JSON
parser.
528 45 Creating and parsing JSON (JSON)
Part X
Miscellaneous topics
529
Chapter 46
Contents
46.1 Tips against feeling overwhelmed . . . . . . . . . . . . . . . . . . . 531
46.2 Things worth learning for web development . . . . . . . . . . . . . 532
46.2.1 Keep an eye on WebAssembly (Wasm)! . . . . . . . . . . . . . 533
46.3 Example: tool-based JavaScript workflow . . . . . . . . . . . . . . . 534
46.4 An overview of JavaScript tools . . . . . . . . . . . . . . . . . . . . . 536
46.4.1 Building: getting from the JavaScript you write to the
JavaScript you deploy . . . . . . . . . . . . . . . . . . . . . . 536
46.4.2 Static checking . . . . . . . . . . . . . . . . . . . . . . . . . . 537
46.4.3 Testing . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 538
46.4.4 Package managers . . . . . . . . . . . . . . . . . . . . . . . . 538
46.4.5 Libraries . . . . . . . . . . . . . . . . . . . . . . . . . . . . . . 538
46.5 Tools not related to JavaScript . . . . . . . . . . . . . . . . . . . . . . 538
You now know most of the JavaScript language. This chapter gives an overview of web
development and describes next steps. It answers questions such as:
• What should I learn next for web development?
• What JavaScript-related tools should I know about?
531
532 46 Next steps: overview of web development (bonus)
• Focus on the web technologies that you work with most often and learn them well.
If you do frontend development, that may be JavaScript, CSS, SVG, or something
else.
• For JavaScript: Know the language, but also try out one tool in each of the follow-
ing categories (which are covered in more detail later).
– Compilers: compile future JavaScript or supersets of JavaScript to normal
JavaScript.
– Bundlers: combine all modules used by a web app into a single file (a script
or a module). That makes loading faster and enables dead code elimination.
– Static checkers. For example:
* Linters: check for anti-patterns, style violations, and more.
* Type checkers: type JavaScript statically and report errors.
– Test libraries and tools
– Version control (usually git)
– The app must be served over HTTPS (not the unsecure HTTP).
– The app must have a Web App Manifest file, specifying metadata such as app
name and icon (often in multiple resolutions). The file(s) of the icon must
also be present.
– The app must have a service worker: a base layer of the app that runs in the
background, in a separate process (independently of web pages). One of its
responsibilities is to keep the app functioning when there is no internet con-
nection. Among others, two mechanisms help it do that: It is a local proxy
that supervises all of the web resource requests of the app. And it has ac-
cess to a browser’s cache. Therefore, it can use the cache to fulfill requests
when the app is offline – after initially caching all critical resources. Other ca-
pabilities of service workers include synchronizing data in the background;
receiving server-sent push messages; and the aforementioned showing noti-
fications to users.
One good resource for learning web development – including and beyond JavaScript –
is MDN web docs.
For static code, WebAssembly is quite fast: C/C++ code, compiled to WebAssembly,
is about 50% as fast as the same code, compiled to native (source). Use cases include
support for new video formats, machine learning, gaming, etc.
WebAssembly works well as a compilation target for various languages. Does this mean
JavaScript will be compiled to WebAssembly or replaced by another language?
JavaScript engines perform many optimizations for JavaScript’s highly dynamic features.
If you wanted to compile JavaScript to WebAssembly, you’d have to implement these
optimizations on top of WebAssembly. The result would be slower than current engines
and have a similar code base. Therefore, you wouldn’t gain anything.
Additionally, many parts of the WebAssembly ecosystem (e.g., debugging) are works in
progress.
For dynamic code, JavaScript is comparatively fast. Therefore, for the foreseeable future,
it will probably remain the most popular choice for high-level code. For low-level code,
compiling more static languages (such as Rust) to WebAssembly is an intriguing option.
Given that it is just a virtual machine, there are not that many practically relevant things
to learn about WebAssembly. But it is worth keeping an eye on its evolving role in web
development. It is also becoming popular as a stand-alone virtual machine; e.g., sup-
ported by the WebAssembly System Interface.
<script src="code.js">
<script src="library.js">
index.html
loads loads
code.js library.js
Figure 46.1: A classic, very simple web app: An HTML file refers to a JavaScript file
code.js, which imbues the former with interactivity. code.js uses the library li-
brary.js, which must also be loaded by the HTML file.
Fig. 46.1 depicts a classic web app – when web development was less sophisticated (for
better and for worse):
• index.html contains the HTML file that is opened in web browsers.
• code.js contains the JavaScript code loaded and used by index.html.
• That code depends on the library library.js, a file that was downloaded man-
ually and put next to code.js. It is accessed via a global variable. Note that the
HTML file needs to load the dependency library.js for code.js. code.js can’t
do that itself.
Since then, JavaScript workflows have become more complex. Fig. 46.2 shows such a
workflow – one that is based on the JavaScript bundler webpack.
Let’s examine the pieces (data, tools, technologies) involved in this workflow:
• The app itself consists of multiple modules, written in TypeScript – a language that
is a statically typed superset of JavaScript. Each file is an ECMAScript module,
plus static type annotations.
• The library used by the app is now downloaded and installed via the npm pack-
age manager. It also transparently handles transitive dependencies – if this package
46.3 Example: tool-based JavaScript workflow 535
Entry
compiled to compiled to
JS code JS code
ad
de
d
added to
to
o
dt
de
ad
Output bundle.js
loads
index.html
<script src="bundle.js">
Figure 46.2: This is the workflow when developing a web app with the bundler webpack.
Our web app consists of multiple modules. We tell webpack, in which one execution
starts (the so-called entry point). It then analyzes the imports of the entry point, the im-
ports of the imports, etc., to determine what code is needed to run the app. All of that
code is put into a single script file.
536 46 Next steps: overview of web development (bonus)
• The code is now modular without the HTML file having to know the modules.
• bundle.js only includes the code that is needed to run the app (vs. all of li-
brary.js).
• We used a package manager to install the libraries that our code depends on.
• The libraries aren’t accessed via global variables but via ES module specifiers.
In modern browsers, you can also deliver the bundle as a module (vs. as a script file).
46.4.1 Building: getting from the JavaScript you write to the JavaScript
you deploy
Building JavaScript means getting from the JavaScript you write to the JavaScript you
deploy. The following tools are often involved in this process:
• Transpilers: A transpiler is a compiler that compiles source code to source code.
Two transpilers that are popular in the JavaScript community are:
– Babel compiles upcoming and modern JavaScript features to older versions
of the language. That means you can use new features in your code and still
run it on older browsers.
– TypeScript is a superset of JavaScript. Roughly, it is the latest version of
JavaScript plus static typing.
• Minifiers: A minifier compiles JavaScript to equivalent, smaller (as in fewer charac-
ters) JavaScript. It does so by renaming variables, removing comments, removing
whitespace, etc.
For example, given the following input:
let numberOfOccurrences = 5;
if (Math.random()) {
// Math.random() is not zero
46.4 An overview of JavaScript tools 537
numberOfOccurrences++
}
let a=5;Math.random()&&a++;
• Bundlers: compile and optimize the code of a JavaScript app. The input of a
bundler is many files – all of the app’s code plus the libraries it uses. A bundler
combines these input files to produce fewer output files (which tends to improve
performance).
A bundler minimizes the size of its output via techniques such as tree-shaking. Tree-
shaking is a form of dead code elimination: only those module exports are put in
the output that are imported somewhere (across all code, while considering tran-
sitive imports).
All of these tools and build steps are usually coordinated via so-called task runners (think
“make” in Unix). There are:
• Linters: check the source code for problematic patterns, unused variables, etc. Lin-
ters are especially useful if you are still learning the language because they point
out if you are doing something wrong.
– Popular linters include JSLint, JSHint, ESLint
• Code style checkers: check if code is formatted properly. They consider indenta-
tion, spaces after brackets, spaces after commas, etc.
– Example: JSCS (JavaScript Code Style checker)
• Code formatters: automatically format your code for you, according to rules that
you can customize.
– Example: Prettier
• Type checkers: add static type checking to JavaScript.
– Popular type checkers: TypeScript (which is also a transpiler), Flow.
538 46 Next steps: overview of web development (bonus)
46.4.3 Testing
JavaScript has many testing frameworks – for example:
There are alternatives to npm, but they are all based in one way or another on npm’s
software registry:
• Yarn is a different take on npm; some of the features it pioneered are now also
supported by npm.
• pnpm focuses on saving space when installing packages locally.
46.4.5 Libraries
• Various helpers: lodash (which was originally based on the Underscore.js library)
is one of the most popular general helper libraries for JavaScript.
• Data structures: The following libraries are two examples among many.
– Immutable.js provides immutable data structures for JavaScript.
– Immer is an interesting lightweight alternative to Immutable.js. It also
doesn’t mutate the data it operates on, but it works with normal objects and
Arrays.
• Date libraries: JavaScript’s built-in support for dates is limited and full of pitfalls.
The chapter on dates lists libraries that you can use instead.
• Internationalization: In this area, ECMAScript’s standard library is complemented
by the ECMAScript Internationalization API (ECMA-402). It is accessed via the
global variable Intl and available in most modern browsers.
• Implementing and accessing services: The following are two popular options that
are supported by a variety of libraries and tools.
– REST (Representative State Transfer) is one popular option for services and
based on HTTP(S).
– GraphQL is more sophisticated (for example, it can combine multiple data
sources) and supports a query language.
• CSS:
– Minifiers: reduce the size of CSS by removing comments, etc.
46.5 Tools not related to JavaScript 539
– Preprocessors: let you write compact CSS (sometimes augmented with con-
trol flow constructs, etc.) that is expanded into deployable, more verbose
CSS.
– Frameworks: provide help with layout, decent-looking user interface com-
ponents, etc.
• Images: Automatically optimizing the size of bitmap images, etc.
540 46 Next steps: overview of web development (bonus)
Part XI
Appendices
541
Chapter 47
Index
543
544