ES2015 & ES2016

Deep Dive

Topics

ES?

ES Stages

Babel.js

Babel is built on plugins, different plugins for each feature

ES2015 Features

Let

How does var's scoping work?

Var

function() {
  a = 2;
  var a;
  console.log(a);
}

Var

function() {
  var a;
  a = 2;
  console.log(a); // 2
}

Var

function() {
  if (false) {
    var a = 2;
  }
  console.log(a); // Reference error?
}

Var

function() {
  var a;
  if (false) {
    a = 2;
  }
  console.log(a); // undefined
}

Let

var is function scoped

Let

function() {
  let a = 2;
  {
    let a = 3;
    console.log(a); // 3
  }
  console.log(a); // 2
}

Let - Why?

Principle of Least Privilege

Let - Gotchas

Const

Declares a variable as a constant

Const

const VAL = 12345;
const STR = "a constant string";
const VALUES = [1, 2, 3, 4];
const MY_OBJECT = {
  key1: 'value'
};

Const - Gotchas

Reassigning will fail silently in some browsers

Const - Mutable

const MY_OBJECT = {
  key1: 'value';
}
// Change key values
MY_OBJECT.key1 = 'otherValue';
//Add new keys
MY_OBJECT.key2 = 'value';

Shorthand object syntax

let obj = {
  // shorthand for attr: attr,
  attr,
  // shorthand for method: function() {...}
  method() {
    return 42;
  }
};

Template Strings

New string syntax using ``

String interpolation

Available in many other languages, Python, Perl, Ruby

let name = 'Dan';
// let string = 'Hi Im ' + name + '.';
let string = `Hi Im ${name}.`;

Multiline strings

let str = `This is a
multiline string`;

Default Arguments

Specify default values for function arguments

Default Arguments

function add(x=0, y=0) {
  return x + y;
}
add(1); // 1
add(undefined, 1); // 1

Destructuring

Automatically breaks up arrays and objects for assignment of their contents

Destructuring - Arrays

// without destructuring
let nums = [0, 1, 2];
let zero = nums[0];
let one = nums[1];
let two = nums[2];

Destructuring - Arrays

// with destructuring
let nums = [0, 1, 2];
let [zero, one, two] = nums;

Destructuring - Objects

// without
let obj = { value: 100, word: 'hundred'};
let value = obj.value;
let word = obj.word;

Destructuring - Objects

// with
let obj = { value: 100, word: 'hundred'};
let {value, word} = obj;

Destructuring - Objects

// alternative
let obj = { value: 100, word: 'hundred'};
let { value: num, word: letters} = obj;
console.log(num, letters); // 100 hundred

Spread

A new operator ... that takes an array and separates into its individual values

Concatenating arrays - ES5

var x = [0, 1];
var y = [2, 3];
Array.prototype.push.apply(x, y);
console.log(x); // [0, 1, 2, 3]

Concatenating arrays - Spread

var x = [0, 1];
var y = [2, 3];
x.push(...y);
console.log(x); // [0, 1, 2, 3]

Rest

Is in some ways the reverse of spread

Rest

function rest(first, ...others) {
  console.log(first, others);
}
rest(1, 2, 3, 4);  // 1 [2, 3, 4]

Arguments

Each function has access to a builtin variable arguments

Arguments

function args() {
  console.log(arguments);
}
args(1, '2', {}); //  { '0': 1, '1': '2', '2': {} }

Arrow functions

New type of anonymous function

Unbound this

function($rootScope) {
  this.name = 'Dan';
  $rootScope.$on('meeting', function() {
    console.log('Hi Im ' + this.name);
  });
}

Poorly bound this

function($rootScope) {
  this.name = 'Dan';
  let that = this;
  $rootScope.$on('meeting', function() {
    console.log('Hi Im ' + that.name);
  });
}

Bound this

function($rootScope) {
  this.name = 'Dan';
  function meet() {
    console.log('Hi Im ' + this.name);
  }
  $rootScope.$on('meeting', meet.bind(this));
}

Arrow functions

function($rootScope) {
  this.name = 'Dan';
  $rootScope.$on('meeting', () => {
    console.log('Hi Im ' + this.name);
  });
}

Arrow functions

Syntax supports two forms of function body

Arrow functions - Expression bodies

// ES5
let a = array.map(function(x) {
  return x * x;
});
// arrow function with expression body
let b = array.map(x => x * x);
// equivalent to
let c = array.map(x => { return x * x; });

Arrow functions - Gotchas

Class

Classes have existed in JavaScript as a design pattern for some time

ES5 Class

// constructor function
function Point(x, y) {
  this.x = x;
  this.y = y;
}
// class methods
Point.prototype.print = function() {
  console.log(this.x + ', ' + this.y);
}

ES2015 Class

class Point {
  constructor(x, y) {
    this.x = x;
    this.y = y;
  }
  print() {
    console.log(`${this.x}, ${this.y}`);
  }
}

Differences

There are some differences between class Point and function Point()

Subclassing

The new class syntax supports subclassing using extends

Base class

class Point {
  constructor(x, y) {
    this.x = x; this.y = y;
  }
  print() {
    console.log(`${this.x}, ${this.y}`);
  }
}

Subclass

class Point3D extends Point {
  constructor(x, y, z) {
    super(x, y);
    this.z = z;
  }
  print() {
    console.log(`${this.x}, ${this.y}, ${this.z}`);
  }
}

Class

let point = new Point3D(1, 2, 3);
point.x; // 1
point.y; // 2
point.z; // 3
point.print(); // 1, 2, 3
point instanceof Point3D; // true
point instanceof Point; // true

Modules

JavaScript has no built-in module system

CommonJS modules

Synchronous loading modules

CommonJS modules

// math.js
var square = function(x) { return x*x; };
var pi = 3.14159526;
module.exports = {
  square: square,
  pi: pi
};
// elsewhere
var math = require('math.js');
console.log(math.square(math.pi)); // 9.8696207

AMD modules

Asynchronous loading modules

RequireJS modules

define([
  'jquery',
  'backbone',
  'metrics',
  "modules/session"
],
function($, Backbone, Metrics, Session) {
  ...
});

ES2015 Modules

Aim to provide the benefits of both standards, and none of the drawbacks

ES2015 Modules

When creating modules there are two different kinds of exports

Default Export

// lib.js
export default function() {
  ...
}
// elsewhere
import myFunc from 'lib.js';
myFunc();

Named Exports

export var myVar = 12345;
export let myStr = 'important string';
export const pi = 3.14159526;
export function myFunc() {
  ...
}
export class myClass {
  ...
}

Named exports

import {myVar, myStr, myFunc} from 'lib.js';

Mixed Exports

// lib.js
export default function(x) { return x*x; }
export const pi = 3.14159526;
// elsewhere
import square, { pi } from 'lib.js';

Renaming Imports

import {pi as inaccuratePi} from 'lib.js';

Promises

Promises are an approach to dealing with asynchronous computations

Promises

Why do we need Promises?

Callback Hell

asyncFunc(function(err, data) {
  anotherAsync(data, function(err2, data2) {
    yetAnotherAsync(data2, function(err3, data3) {
      console('Im in callback hell!');
    });
  });
});

Promises

A Promise represents the result of an asynchronous action that will eventually succeed or fail

Promises

const p = new Promise(function(reject, resolve) {
  setTimeout(function() {
    resolve('done!');
  }, Math.random() * 5000)
});

Promises

p.then((result) => {
  console.log(result);
}, (err) => {
  console.log(err);
});

Promise Benefits

A Promise is an object, can be passed around and have handlers attached in multiple places

Generators

Whenever ever a function is executed in JS, the engine executes the whole function, top to bottom

Generators

ES2015 defines are a new type of function

Generators

Generators are a special kind of iterator

Generators

They also allow 2 way message passing between the generator function and the calling code

Generators

function *gen() {
  yield 1;
  yield 2;
  yield 3;
}
let it = gen();
it.next(); // {value: 1, done: false}
it.next(); // {value: 2, done: false}
it.next(); // {value: 3, done: false}
it.next(); // {value: undefined, done: true}

Generators

function *fib() {
  let x = 0, y = 1;
  while (true) {
    let t = y;
    y = x + t; x = t;
    yield y;
  }
}

Generators

for (let n of fib) {
  if (n > 1000) {
    break;
  }
  console.log(n);
}

Message passing

function *gen(x) {
  let y = yield (x * 2);
  let z = yield (y * 2);
  return z * 2;
}
let it = gen(2);
it.next().value; // 4
it.next(3).value; // 6
it.next(4).value; // 8

ES2016 and beyond

Best to look at the ES proposals based on current stage

Stage 4

Array.prototype.includes

Includes

Seeks to replace indexOf for arrays

Includes

[1, 2, 3, 5].includes(4); // false
[NaN, 2, 3, 5].includes(NaN); // true

Stage 3

Exponentiation operator, SIMD, async, Object.values/Object.entries, String padding, function parameter trailing commas

Exponentiation

let eight = Math.pow(2, 3);
let eight2 = 2 ** 3;

Async

Async control flow with Promises is much better than callback

Async

fetch('/api/data').then((response) => {
  return response.json();
}).then((data) => {
  return fetch(`/api/x/${data.id}`);
})
....
}).catch((err) => {
  console.log(err);
});

Async

Libraries exist that allow us to use Generators to simply the structure of our code

Async

spawn(function*() {
  try {
    let response = yield fetch('/api/data');
    let data = yield response.json();
    let resp2 = yield fetch(`/api/x/${data.id}`);
    ...
  } catch (err) {
    console.log(err);
  }
});

Async

The async proposal adds this pattern into JS with new keywords:

Async

async function() {
  try {
    let response = await fetch('/api/data');
    let data = await response.json();
    let resp2 = await fetch(`/api/x/${data.id}`);
    ...
  } catch (err) {
    console.log(err);
  }
}

Stage 2

function.sent, spread/rest objects

Object Spread

let x = 1;
let y = 2;
let z = {a: 3, b: 4};
let w = {x, y, ...z};
console.log(w); // {x: 1, y: 2, a: 3, b: 4}

Object Rest

let {x, y, ...z} = {x: 1, y: 2, a: 3, b: 4};
console.log(x); // 1
console.log(y); // 2
console.log(z); // {a: 3, b: 4}

Stage 1

export-from, decorators, Observable, String.prototype.trimLeft/trimRight, class properties, static class properties, regex iterator, Web Worker shared memory, callable class constructors, System.global

Decorators

Decorators are higher-order functions which modify the decorated class, class property or object literal

Decorators

function readonly(target, key, descriptor) {
  descriptor.writable = false;
  return descriptor;
}

Decorators

class Point {
  constructor(x, y) {
    this.x = x; this.y = y;
  }
  @readonly
  print() {
    console.log(`${this.x}, ${this.y}`);
  }
}

Decorators

let p = new Point(1, 2);
p.print(); // 1, 2
p.print = () => {
  console.log(`${this.y}, ${this.x}`);
}
// Cannot assign to read only
// property 'print' of [object Object]

Decorators

let o = {
  @readonly
  print() {
    console.log('my object');
  }
};

Decorators

function cartesian(target) {
  target.coordinate = 'cartesian';
}

Decorators

@cartesian
class Point {
  constructor(x, y) { ... }
  print() {
    console.log(`${Point.coordinate}:
                  ${this.x}, ${this.y}`);
  }
}
let p = new Point(1, 2);
console.log(p.print()); // cartesian: 1, 2

Class properties

There are a number of ES proposals that seek to build on the ES2015 class syntax

Class properties

class Point {
  coordinate = 'cartesian';
  constructor(x, y) {
    this.x = x;
    this.y = y;
  }
}
let p = Point(1, 2);
p.coordinate; // cartesian

Static properties

class Point {
  static coordinate = 'cartesian';
  constructor(x, y) {
    ...
  }
}
Point.coordinate; // cartesian;

Stage 0

const classes, Relationships, String.prototype.at, Structured Clone, weak references, Set/Map.prototype.toJSON, do expressions, Function Bind syntax, private object state

Thanks

Daniel Budden

Github: d3spis3d

Twitter: @danlbudden

http://d3spis3d.github.io/es2015-deep-dive-pres