Introduction to ES6

Introduction to ES6

This article is an introduction to ES6 and the new features it brings to the Javascript language.
Let us introduce you to the term ECMAScript (ES) first. ECMAScript is a scripting language standard/specification. Javascript is an implementation of that standard. That’s why you’ll hear about ES6, ECMA2015, ECMA2016, ECMA2017, ECMA2018 etc. At present, ES6, launched in 2015, is the widely used Javascript standard and most of the browsers support it. If you want to support a browser that doesn’t support ES6, you can use a transpiler like a babel which converts your ES6 code to browser compatible javascript.

ES6 introduces many features that make working with Javascript a real pleasure. The important features include:

1. let and const

ES6 introduces two new keywords, let and const, to declare variables. Both of them declare block-scoped variables i.e., the variable is only accessible in the block it is defined.

  • let is used to declare block-scoped variables that can be mutated i.e., reassigned.
  • const is used to declare block-scoped variables that cannot be mutated. It points to the same data or object and cannot be changed.
// let
let num1 = 100;
num1 = 200; // can be reassigned
// const
const num2 = 100;
num2 = 200; // will throw error because const cannot be reassigned
// block scope of let and const
if (true) {
let a = 'apples';
const b = 'oranges';
console.log(a); // prints: apples
console.log(b); // prints: oranges
}
console.log(a); // undefined as the variable is defined inside the if block
console.log(b); // undefined as the variable is defined inside the if block

2. Arrow Functions

Arrow Functions allows you to write functions in a different way which makes you code more readable and more structured. You can use arrow functions with map, filter or reduce. Also, using arrow functions inside classes (which will be explained later), automatically binds it to this object.

// Regular Javascript Function
function sayHello(name) {
console.log(`Hello ${name}!`);
}
// Arrow Function
const sayHey = name => {
console.log(`Hey ${name}!`);
}
// Using arrow function with map
const arr = [1, 2, 3, 4, 5];
arr.map((val) => {
console.log(val);
});

3. Default Parameters

Default Parameters are parameters that are given as default values while declaring a function. It allows getting a default value if the argument is not passed to the function.

// Default Parameters
const power = (n, p = 2) => {
return n ** t; // x to the power y syntax
}
power(2); // returns 4 as 2 is the default power
power(2, 3); // returns 8

4. Template Literals

Template literals allow you to embed any variable or expression inside a string. Now you don’t have to use + to concatenate string variables. You can also create multi-line strings using template literals. Template literals are declared using backticks.

const firstname = 'Abhishek';
const lastname = 'Vishwakarma';
// Old way
console.log('Hi ' + firstname + ' ' + lastname + '!');
// Using template literals
console.log(`Hi ${firstname} ${lastname}!`);

5. Array and Object Destructuring

Destructuring makes the assignment of the values of an array or object to the new variable easier. In ES6, we can just use variable names inside curly braces(for objects) or brackets (for arrays) to get any property out of an object or array. You can also rename the assignment variables and give default values.

// object
const details = {
name: 'Abhishek Vishwakarma',
age: 22,
profession: 'Full Stack Developer',
company: 'Board Infinity',
};
// object destructuring with renaming and default values
const { name, age, profession: job, address = 'Mumbai' } = details; // address gets a default value of 'Mumbai'
console.log(`My name is ${name}. I'm ${age} years old. I'm a ${job}. I live in ${address}.`);
// array
const days = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday', 'Sunday'];
// array destructuring with rest parameter
const [firstDay, secondDay, ...otherDays ] = days; // here otherDays contains rest of the elements except elements at index 0 and 1
console.log(`The first day of the week is ${firstDay} followed by ${secondDay}.`);
console.log(otherDays);

6. Classes

Classes are the core of OOP (Object Oriented Programming). Classes are used to make your code more secure and encapsulated. Classes in ES6 are just syntactic sugar over the conventional functional inheritance system using prototypes that developers are used to. But it also introduces powerful features like constructors, private fields, extend keywords which make it feel like you are working with an object-oriented language. This makes Javascript, both a functional as well as an object-oriented language.

// classes
class Person {
constructor(name, age) {
this.name = name;
this.age = age;
}
sayHello = () => {
return `Hello ${this.name}!`;
}
}
// instance of a class
const abhishek = new Person('Abhishek', 22);
console.log(abhishek.sayHello());
// extending a class
class JobPerson extends Person {
constructor(name, age, profession, company) {
super(name, age);
this.profession = profession;
this.company = company;
}
getBasicInfo = () => {
return `My name is ${this.name}. I'm ${this.age} years old. I'm a ${this.profession} at ${this.company}.`;
}
}
// instance of JobPerson
const abhishekVishwakarma = new JobPerson('Abhishek Vishwakarma', 22, 'Full Stack Developer', 'Board Infinity');
abhishekVishwakarma.getBasicInfo();
view raw es6_classes.js hosted with ❤ by GitHub

7. Imports and Exports

Importing and exporting modules in ES6 is one of the useful features you will use and will most often see in modern front-end libraries like React, Vue, or Angular.

Exports are used in modules/files to explicitly exporting some variables, functions or classes to be used in other modules/files. Imports are used to import variables, functions or classes from other modules/files.

// file: person.js
// exporting class Person
export class Person {
constructor(name, age) {
this.name = name;
this.age = age;
}
sayHello = () => {
return `Hello ${this.name}!`;
}
}
// file: main.js
// importing class Person from person.js
import { Person } from './person';
const abhishek = new Person('Abhishek', 22);
console.log(abhishek.sayHello());

8. Promises

ES6 introduces a new feature called Promises to deal with asynchronous code and save us from callback hell. It can be used to perform async tasks like fetching data from an API. You can also create your own promises and use them elsewhere in the code. Promises either resolve i.e., returns data, or reject i.e., returns an error.

// Promise
const sayHello = () => {
return new Promise((resolve, reject) => {
setTimeout(() => {
resolve('Hello there!');
}, 3000)
});
}
const a = sayHello(); // promise remains pending for 3 seconds and gets resolved after 3 seconds
// Calling an API using promises
const getChuckNorrisJoke = () => {
return fetch('http://api.icndb.com/jokes/random');
}
// using then and catch in promises
getChuckNorrisJoke()
.then(data => data.json()) // parsing data as json
.then((data) => { // accessing data when the promise gets resolved using .then
console.log(`Joke: ${data.value.joke}`);
})
.catch((err) => { // catching an error
console.log(err);
})
view raw es6_promises.js hosted with ❤ by GitHub

These are some of the important features that ES6 introduces. There are other features like for..of the loop, async/await, spread and rest attributes, sets, maps, static methods, getters and setters, etc.  ES6 makes coding in Javascript much more efficient and structured.

To understand all these features and much more in the world of Javascript, consider enrolling in our Full Stack Development Learning Path where we teach frontend, backend, databases, dev tools and deployment tools from basics to advanced.