But the JavaScript we know and love today, is not the same JavaScript from the 2000's or even the early 2010's.
Let's dive in!
ES_???
ES is short for ECMAScript. Every time you see ES followed by a number, it is referencing that version of ECMAScript.
Only recently, with ES6 or ES2015 did JavaScript make the biggest leap in syntax and added functionality. These additions were intended to make large-scale JavaScript development easier.
ES1: June 1997
ES2: June 1998
ES3: December 1999
ES4: Abandoned
ES5: December 2009
ES6/ES2015: June 2015
ES7/ES2016: June 2016
ES8/ES2017: June 2017
ES9/ES2018: June 2018
ES10/ES2019: June 2019
ES11/ES2020: June 2020
ES.Next: This term is dynamic and references the next version of ECMAScript coming out.
TC39
The TC39 is the group that is responsible for advancing the ECMAScript specifications and standardizing these specifications for the JavaScript language.
All changes to the specification are developed within a process that evolves a feature from the idea phase to a fully fledged and specified feature.
Stage 0 - Strawperson
Stage 1 - Proposal
Stage 2 - Draft
Stage 3 - Candidate
Stage 4 - Finished
You can see an active list of proposals for the TC39, here.
Modules
Modules allow you to load code asynchronously and provides a layer of abstraction to your code.
While JavaScript has had modules for a long time, they were previously implemented with libraries and not built into the language itself.
ES6 is the when the JavaScript language first had built-in modules.
There are two ways to export from a module.
Named exports
Default export
Named Exports
With named exports, you just prepend what you want to export with export.
mathlib.js
js
exportfunctionsquare(x){
return x * x;
}
exportfunctionadd(x, y){
return x + y;
}
And then they can be imported using the same name as the object you exported.
main.js
js
import{ square, add }from'./mathlib';
console.log(square(9));// 81
console.log(add(4,3));// 7
Default Export
With default exports, you just prepend what you want to export with export default.
foo.js
js
exportdefault()=>{
console.log('Foo!');
}
main.js
js
importfoofrom'./foo';
foo();// Foo!
Default and Named Exports
The two ways can even be mixed!
foobar.js
js
exportdefault()=>{
console.log('Foo!');
}
exportconstbar()=>{
console.log('Bar!')
}
main.js
js
importfoo,{ bar }from'./foobar';
foo();// Foo!
bar();// Bar!
Variable Scoping
var vs let vs const
var is either function-scoped or globally-scoped, depending on the context.
If a var is defined within a function, it will be scoped to that enclosing function as well as any functions declared within. And would be globally scoped if it is declared outside of any function.
console.log(y);// ReferenceError `y` is scoped to `world()`
}
hello();
let and const are block scoped.
js
if(true){
let foo ='bar';
const bar ='foo';
}
console.log( foo );// ReferenceError.
console.log( bar );// ReferenceError.
You can create new block scopes with curly brackets {} as shown in the below code sample.
let and const
js
let first ='First string';
{// Each layer of curly brackets gives us a new block scope.
let second ='Second string';
{
let third ='Third string';
}
// Accessing third here would throw a ReferenceError.
}// Accessing second here would throw a ReferenceError.
const variables can only be assigned once. But it is NOT immutable.
js
const foo ={ bar:1};
foo ='bar';// 'foo' is read only.
But, you can change the properties!
js
const foo ={ bar:1};
foo.bar=2;
console.log(foo);// { bar: 2 }
Object.freeze() prevents changing the properties. Freezing an object returns the originally passed in object and has a multitude of effects on the object.
It will prevent new properties from being added to it, existing properties from being removed, changing the value of properties, and even prevents the prototype from being changed as well.
The object's properties are made immutable with Object.freeze()
object-freeze.js
js
const foo ={ bar:1};
Object.freeze(foo);
foo.bar=3;// Will silently fail or in strict mode, will return a TypeError
console.log(foo.bar);// 2
Another option you have is to seal an object to prevent changing the object structure.
Seal performs at Sydney Entertainment Centre, Australia
While the temporal dead zone sounds like something from the plot of a Doctor Who episode, it is way less scary than it sounds.
A const or let variable is in a temporal dead zone from the start of the block until the initialization is processed.
js
if(true){
// TDZ starts!
constdoSomething=function(){
console.log( thing );// OK!
};
doSomething();// ReferenceError
let thing ='test';// TDZ ends.
doSomething();// Called outside TDZ!
}
Referencing the variable in the block before the initialization results in a ReferenceError, contrary to a variable declared with var, which will just have the undefined value and type.
But, what should I use?!? var? let? const?
The only difference between const and let is that const makes the contract that no rebinding will happen.
Use const by default. Only use let if rebinding is needed.
var shouldn't be used in ES2015.
Mathias Bynens - V8 Engineer @ Google
Use var for top level variables
Use let for localized variables in smaller scopes.
Refactor let to const only after some code has been written and you're reasonably sure there shouldn't be variable reassignment.
Kyle Simpson - Founder @ Getify Solutions
I, personally, follow the first approach of using const by default, never use var, and only use let when I know I need to reassign the variable.
Iterables & Looping
When iterating or looping using var, you leak a global variable to the parent scope and the variable gets overwritten with every iteration.
js
for(var i =0; i <10; i++){
setTimeout(function(){
console.log('Number: '+ i );
},1000);
}
// Number: 10
// Number: 10
// Number: 10
// Number: 10
// Number: 10
// Number: 10
// Number: 10
// Number: 10
// Number: 10
// Number: 10
Using let in a for loop allows us to have the variable scoped to its block only.
js
for(let i =0; i <10; i++){
setTimeout(function(){
console.log('Number: '+ i );
},1000);
}
// Number: 0
// Number: 1
// Number: 2
// Number: 3
// Number: 4
// Number: 5
// Number: 6
// Number: 7
// Number: 8
// Number: 9
ES6 also gives us a new way to loop over iterables!
Using a for...of statement loops over an iterable with a very clean and simple syntax.
js
const iterable =[10,20,30];
for(const value of iterable){
console.log(value);
}
// 10
// 20
// 30
You can even iterate over NodeLists without having to use any other trickery! 🤯
With the introduction of ES6, the value of this is picked up from its surroundings or the function's enclosing lexical context. Therefore, you don't need bind(), that, or self anymore!
js
functionPerson(){
this.age=0;
setInterval(function(){
this.age++;// `this`refers to the Window 😒
},1000);
}
js
functionPerson(){
var that =this;
this.age=0;
setInterval(function(){
that.age++;// Without arrow functions. Works, but is not ideal.
},1000);
}
js
functionPerson(){
this.age=0;
setInterval(()=>{
this.age++;// `this` properly refers to the person object. 🎉🎉🎉
This method returns a bool of whether the string ends with a substring, with the optional parameter of length which is used as the length of the str and defaults to str.length.
The Array.findIndex static method returns the index of the first value in the provided array that satisfy the testing function or undefined if no elements match.
// Or we can use the `mapFn` parameter of `Array.from`.
const titles =Array.from(
document.querySelectorAll('h1'),
h1=> h1.textContent
);
Array.indexOf()
The Array.indexOf static method returns the index at which passed in element can be found in an array.
Syntax
js
Array.indexOf(searchElement)
Array.indexOf(searchElement, index)
Examples
js
const values =Array.of(123,456,789);
console.log(values);// [123,456,789]
Array.of()
The Array.of static method creates a new Array that consists of the values that are passed into it regardless of the type of or the number of arguments.
The big difference between this and the Array constructor method is how each handles single integer arguments.
Array.of(5) will create an array with a single element but Array(5) creates an empty array with a length of 5.
The Promise object is used for asynchronous operations and represents the eventual completion or failure of that operation, and its resulting value. 1
Promises are often used for fetching data asynchronously.
Promises exist in one of four states:
Pending - When defined, this is the initial state of a Promise.
Fulfilled - When the operation has completed successfully.
Rejected - When the operation has failed.
Settled - When it has either fulfilled or rejected.
js
const promiseA =newPromise((resolve, reject)=>{
setTimeout(()=>{
resolve('Resolved!');
},300);
});
Promise API
There are 6 static methods in the Promise class:
Promise.all
The .all() method accepts an iterable of Promise objects as it's only parameter and returns a single Promise object that resolves to an array of the results of the Promise objects that were passed into it.
The promise returned from this method will resolve when all of the passed in promises resolve or will reject, if any of them rejected.
Promise.allSettled
The .allSettled() method accepts an iterable of Promise objects as it's only parameter and will return a Promise object that will resolve with an array of objects with the outcome of each Promise object when all of them have settled with either a resolve or reject.
The biggest difference between .allSettled() and .all() is that the later resolves or rejects based on the outcomes of the passed in promises while the former will resolve once all Promise objects passed in are settled with either a resolveorreject.
Promise.any
The .any() method accepts an iterable of Promise objects as it's only parameter and will return a single Promise objet that resolves when any of the passed in Promise objects resolve, with the value of the resolved original Promise object.
Promise.race
The .race() method accepts an iterable of Promise objects as it's only parameter and will return a Promise object that resolves or rejects as soon as one of the passed in Promise objects resolves or rejects.
Promise.resolve
The .resolve() method returns a Promise object that is resolved with the value provided.
If a thenable (has a then method) is the returned value, the returned Promise object will follow that then until the final value is returned.
Promise.reject
The .reject() method returns a Promise object that is rejected with the reason provided.
You can catch errors that are thrown in promises using the .catch method as shown below.
js
const p =newPromise((resolve, reject)=>{
reject(Error('Uh oh!'));
});
p.then(data=>console.log(data));// Uncaught (in promise) Error: Uh oh!
p
.then(data=>console.log(data))
.catch(err=>console.error(err));// Catch the error!
Classes
Behind the scenes, ES6 classes are not something that is radically new. They mainly provide more convenient syntax to create old-school constructor functions.
js
// Class declaration
classAnimal{
}
// Class expression
constAnimal=class{}
js
classAnimal{
constructor(name){
this.name= name;
}
speak(){
console.log(`${this.name} makes a noise.`);
}
}
classDogextendsAnimal{
speak(){
console.log(`${this.name} barks!`);
}
}
const puppy =newDog('Spot');
puppy.speak();// Spot barks!
classes.js
js
classAnimal{
constructor(name){
this.name= name;
}
speak(){
console.log(`${this.name} makes a noise.`);
}
}
classDogextendsAnimal{
constructor(name, breed){
this.breed= breed;
}
speak(){
console.log(`${this.name} barks!`);
}
}
Async/Await
The await keyword and async functions were added in ES2017 or ES8.
They are really just syntactic sugar on top of Promises that help make asynchronous code easier and cleaner to read and write.
The async keyword is added to functions to denote it will return a promise to be resolved, rather than directly returning the value.
Currently, you can only use the await keyword inside of an async function, but there is an open proposal for top-level await.
Let's take a look at some promises and how we can convert them to async/await!
The difference being, we're now wrapping the entire function body where we do our awaits in a try/catch block. This will catch any errors from the Promises that we are awaiting.
We are also putting the async keyword in front of our function definition here as well, which is required for await to work properly.
Set/WeakSet
A Set object allows you to store unique values of any type.
While it is similar to an Array, there are a couple of big differences.
The first being that an Array can have duplicate values and a Set cannot.
And the other is that Arrays are ordered by index while Sets are only iterable in the order they were inserted.
You can capture the entries in the set using .entries() which will keep the reference to the original objects inserted.
Map and Set both have keys() and values() methods but on Sets, those methods will return the same iterable of values since Sets are not key value pairs but just values.
js
const set =newSet();
set.add(9);// Set(1) { 9 }
set.add(9);// Set(1) { 9 } Ignored because it already exists in the set.
set.add(7);// Set(2) { 9, 7 }
set.add(7);// Set(2) { 9, 7 } Ignored because it already exists in the set.
// Iterating over a set is pretty simple but you have a few options.
for(let item of set.values()){
console.log( item );
}
// Is the same as,
for(let item of set.keys()){
console.log( item );
}
// And is also the same as,
for(let[ key, value ]of set.entries()){
console.log( key );
}
The main difference between a Set and a WeakSet is that the latter only accepts objects and the former can accept values of any type.
The other big difference is that WeakSets hold weak references to the objects within them.
So if there are no further references to an object that is within a WeakSet, those objects can be garbage collected.
WeakSet's are also not enumerable nor is there a way to list the current objects within it, but you can .add(), .delete(), and check if a WeakSet .has() an object.
js
let ws =newWeakSet();
let user ={ name:'Kevin',location:'Florida'};
ws.add( user );
console.log( ws.has( user ));// true
user =null;// The reference to `user` within the WeakSet will be garbage collected shortly after this point.
If you were to use the above code sample and then force garbage collection in the Chrome dev-tools by clicking the trash can under the Performance tab, you'd see that ws no longer holds the reference to user.
Map/WeakMap
The Map object, on the other hand, hold key-value pairs, tracks the insertion order, and can use either objects or primitive values for both the key and value.
While Objects are very similar to Maps and historically have been used in place of Maps prior to their introduction in ES6, there are some key differences.
Maps can have keys of any type of value, including functions and Objects, while Objects can only have Strings and Symbols as keys.
You cannot directly iterate over an Object while there are several ways to iterate over a Map.
Also, there is no native support for JSON.stringify(), but it is possible with a bit of work.
map.set(3,'Very Deeply');// Map(3)Â {1 => 'Learn', 2 => 'JavaScript', 3 => 'Very Deeply'} - Overwrite value of Deeply set on line above.
map.set(
'1',
'Different string value for the string key of 1.'
);// Map(4)Â {1 => 'Learn', 2 => 'JavaScript', 3 => 'Very Deeply', '1' => 'Different string value for the string key of 1.'}
map.set(
true,
'Different string value for the bool of true.'
);// Map(5) {1 => 'Learn', 2 => 'JavaScript', 3 => 'Very Deeply', '1' => 'Different string value for the string key of 1.', true => 'Different string value for the bool of true.'}
map.size// 5
map.delete(true);// Map(4)Â {1 => 'Learn', 2 => 'JavaScript', 3 => 'Very Deeply', '1' => 'Different string value for the string key of 1.'}