On Github qmmr / cool-stuff-coming-es6
Almost there...
Available resources:
old way
var reflect = function(value) { return value; }; var reflect = value => value; or var reflect = (value) => { return value; } --- var sum = function(a, b) { return a + b; }; var sum = (a, b) => a + b; // OR var sum = (a, b) => { return a + b; }; --- var getName = function() { return 'Marcin'; }; var getName = () => 'Marcin'; --- var square = function(n) { return n * n; }; var numbers = [ 0, 1, 2, 3, 4, 5 ]; var doubles = numbers.map( square ); // [ 0, 1, 4, 9, 16, 25 ] var numbers = [ 0, 1, 2, 3, 4, 5 ]; var doubles = numbers.map( n => n * n ); // [ 0, 1, 4, 9, 16, 25 ]
new way
let people = [ { name: 'Joe', lastName: 'Doe', occupation: 'Web Developer', languages: [ 'HTML', 'CSS', 'JavaScript' ] }, { name: 'Jane', lastName: 'Doe', occupation: 'Back-end Developer', languages: [ 'PHP', 'Ruby', 'Python', 'JavaScript' ] } ]
old way
var person = { name: 'Joe', friends: [ 'Jane', 'Johnny', 'Luke' ], getName: function() { setTimeout(function() { console.log(this.name); }, 1000); }, showFriends: function() { return this.friends.map(function(friend) { return `${ this.name } is friend with ${ friend }`; }); } }; var person = { name: 'Joe', friends: [ 'Jane', 'Johnny', 'Luke' ], getName: function() { var that = this; setTimeout(function() { console.log(that.name); }, 1000); }, showFriends: function() { var self = this; return this.friends.map(function(friend) { return `${ self.name } is friend with ${ friend }`; }); } }; var person = { name: 'Joe', friends: [ 'Jane', 'Johnny', 'Luke' ], getName: function() { setTimeout(function() { console.log(this.name); }.bind(this), 1000); }, showFriends: function() { return this.friends.map(function(friend) { return `${ this.name } is friend with ${ friend }`; }, this); } }; var person = { name: 'Joe', friends: [ 'Jane', 'Johnny', 'Luke' ], getName() { setTimeout(() => console.log(this.name), 1000); }, showFriends() { return this.friends.map(friend => `${ this.name } is friend with ${ friend }`) } }; console.log(person.getName()) console.log(person.showFriends())
let person = { name: 'Joe', friends: [ 'Jane', 'Johnny', 'Luke' ], getName() { setTimeout(() => console.log( 'Hi, my name is ' + this.name ), 1000); }, showFriends() { this.friends.forEach( friend => console.log( this.name + ' is friend with ' + friend ) ); } }; person.getName(); person.showFriends();es6fiddle
old way
var teacher = 'Michael' var student = { name: 'Joe', teacher: teacher, greet: function () { return 'Hi, ' + this.name + '!' } } student[ '_id_' + +new Date() ] = Math.floor( Math.random() * 10000000 )
new way
// ES5 var title = 'ECMAScript 2015'; var students = [ 'Joe', 'Jane', 'Phil' ]; var id = function() { return 42 }; var course = { title: title, students: students, welcome: function() { return 'Welcome to ' + this.title + ' course!'; } }; course[ '_prop_' + id() ] = id(); // ES6 var title = 'ECMAScript 2015'; var students = [ 'Joe', 'Jane', 'Phil' ]; var id = function() { return 42 }; var course = { title, students, welcome() { return `Welcome to ${ this.title } course!`; }, [ `_prop_${ id() }` ]: id() // ['_prop42']: 42 }; for (let key of Object.keys(course)) { console.log(`Course.${ key } = ${ course[key] }`) }
scoped to the block rather then function
does not have hoisting characteristics
block being anything inside curly braces - loops - if/else/else if - switch - try/catch*// PROMISES // jQuery style $.ajax('/some/url', options) .done(function() { alert('success'); }) .fail(function() { alert('error'); }); --- function timeout(duration = 1000) { return new Promise(function(resolve, reject) { setTimeout(resolve, duration); }); } timeout(1000).then(function() { console.log('1000ms have passed!'); }); --- // Promise.all() function timeout(duration = 1000) { return new Promise(function(resolve, reject) { setTimeout(function() { resolve(`${ duration }ms have passed!`); }, duration); }); } Promise.all([ timeout(), timeout(1500), timeout(2000) ]) .then(function(value) { console.log(value); }); --- function httpGet(url) { return new Promise(function(resolve, reject) { var request = new XMLHttpRequest(); request.onreadystatechange = function() { if (this.status === 200) { resolve(this.response); // Success } else { // Something went wrong (404 etc.) reject(new Error(this.statusText)); } } request.onerror = function() { reject(new Error('XMLHttpRequest Error: ' + this.statusText)); }; request.open('GET', url); request.send(); }); } --- httpGet('http://example.com/file.txt') .then( function(value) { // fullfilment console.log('Contents: ' + value); }, function(err) { // rejection console.error('Something went wrong', err); } ); --- httpGet('http://example.com/file.txt') .then(function(value) { // fullfilment console.log('Contents: ' + value); }); --- httpGet('http://example.com/file.txt') .then( null, function(err) { // rejection console.error('Something went wrong', err); } ); --- httpGet('http://example.com/file.txt') .catch(function(err) { // rejection console.error('Something went wrong', err); }); --- function timeout(duration = 1000, promise) { return new Promise(function(resolve, reject) { promise.then(resolve); setTimeout(function() { reject(new Error('Timeout after ' + duration + ' ms.')); }, duration); }); } timeout(5000, httpGet('http://example.com/file.txt')) .then(function(value) { console.log('Contents: ' + value); }) .catch(function(reason) { console.error('Error or timeout', reason); }); --- function printName ( language ) { var name = 'Marcin'; if ( language === 'English' ) { let name = 'Martin'; console.log( name ); // Martin } console.log( name ); // Marcin } --- function func() { let foo = 5; if (1) { let foo = 10; // shadows outer `foo` console.log(foo); // 10 } console.log(foo); // 5 } --- if (true) { // enter new scope, TDZ starts // Uninitialized binding for `tmp` is created console.log(typeof tmp); // ReferenceError tmp = 'abc'; // ReferenceError console.log(tmp); // ReferenceError let tmp; // TDZ ends, `tmp` is initialized with `undefined` console.log(tmp); // undefined tmp = 123; console.log(tmp); // 123 }you cannot redeclare identifier, throws syntax error
common problem
function wrapper ( arr ) { var result = [], i, len; for ( i = 0, len = arr.length; i < len; ++i ) { result[i] = function () { return arr[i]; } } return result } var wrapped = wrapper([ 'Luke', 'Obi-Wan', 'Yoda' ]); console.log( wrapped[1]() ); // undefined --- let arr = []; for (var i=0; i < 3; i++) { arr.push(function() { return i; }); } arr.map(function(x) { return x(); }); // [ 3, 3, 3 ]
function wrapper ( arr ) { var result = [], i, len; for ( i = 0, len = arr.length; i < len; ++i ) { (function ( j ) { result[i] = function () { return arr[j] } })( i ) } return result; } var wrapped = wrapper([ 'Luke', 'Obi-Wan', 'Yoda' ]); console.log( wrapped[2]() ); // 'Yoda'
function wrapper ( arr ) { var result = []; for ( let i = 0, len = arr.length; i < len; ++i ) { result[i] = function () { return arr[i] } } return result; } var wrapped = wrapper([ 'Luke', 'Obi-Wan', 'Yoda' ]); console.log( wrapped[1]() ); // 'Obi-Wan'
similar to let, block scoped
- block being anything inside curly braces - loops - if/else/else if - switch - try/catch*const FOO = 'hello world'; FOO = 'Goodbye, world!'; // error
const FOO; console.log( FOO ); // undefined FOO = 'hello world!'; // error: cannot reasign const- otherwise we have undefined value, that we cannot change (sic!) - IE will give an error, others will ignore it (Firefox)
const FOO = []; FOO.push( 'Hello' ); FOO.push( 'world!' ); console.log(FOO.join( ', ' )); // Hello, world!
const BAR = {}; BAR.baz = 'Hello, world!'; console.log( BAR.baz ); // hello, world! -- Object.assign() var alias = 'Spider-man'; var person = { firstName: 'Peter', lastName: 'Parker' }; var superpowers = [ 'web', 'wall-climbing' ]; var peter = Object.assign({}, person, { alias: alias }, { superpowers: superpowers }); console.log(JSON.stringify(peter)); /* { "alias": "Spider-man", "firstName": "Peter", "lastName": "Parker", "superpowers": [ "web", "wall-climbing" ] } */ --- var alias = 'Spider-man'; var person = { firstName: 'Peter', lastName: 'Parker' }; var superpowers = [ 'web', 'wall-climbing' ]; var peter = Object.assign({}, person, { alias, superpowers }); console.log(JSON.stringify(peter)); /* { "alias": "Spider-man", "firstName": "Peter", "lastName": "Parker", "superpowers": [ "web", "wall-climbing" ] } */
function createCustomElement (tagName, id, parent) { if (!id) { id = generateID(); } if (!parent) { parent = document.body; } var element = document.createElement( tagName ); element.id = id; parent.appendChild(element); return element; } function makeRequest(url, timeout, callback) { timeout = timeout || 2000; callback = callback || function() {}; // the rest of the function } function makeRequest(url, timeout = 2000, callback = function() {}) { // the rest of the function } --- function timeout(timeout = 2000, callback = function() {}) { // the rest of the function } --- function getCallback() { return function() {}; } function timeout(timeout = 2000, getCallback()) { // the rest of the function } --- // uses default timeout and callback makeRequest('/foo'); // uses default callback makeRequest('/foo', 500); // doesn't use defaults makeRequest('/foo', 500, function(el) { doSomething(el); }); var getCallback = function() { return function callback() {} }; function makeRequest(url, timeout = 2000, callback = getCallback()) { // the rest of the function }
function createCustomElement (tagName = 'div', id = generateID(), parent = document.body) { let element = document.createElement(tagName); element.id = id; parent.appendChild( element ); return element; }
is an array of params that were not declared
solves the arguments problem
var sum = function(a, b) { return a + b; } sum(1, 2); // 3 var sum = function(a, b) { return a + b; } sum(1, 2, 3); // ??? var sum = function() { var args = [].slice.call(arguments); return args.reduce(function(accu, curr) { return accu + curr; }, 0); } sum(1, 2, 3, 4, 5) // 15sum function with 2 required params ( a, b ) any additional params are optional
var sum = function(...rest) { return rest.reduce(function(prev, current) { return prev + current; }, 0); } console.log(sum(1, 2, 3, 4, 5)); // 15 function sum(...rest) { return rest.reduce((prev, current) => prev + current, 0); } console.log(sum(1, 2, 3, 4, 5)); // 15
expands array of args into individual variables
var numbers = [ 0, 20, 22, 42 ]; Math.max.apply(null, numbers); // 42 function sum(x, y, z) { return x + y + z; } sum(numbers[0], numbers[1], numbers[2]); // 42new way
var numbers = [ 0, 20, 22, 42 ]; Math.max(...numbers); // 42 function sum(x, y, z) { return x + y + z; } sum(...numbers); // 42
var getCoords = function(x, y, z) { return { x: x, y: y, z: z }; } var points = [ 100, 50, 42 ]; var coords = getCoords(points[0], points[1], points[2]); // { "x": 100, "y": 50, "z": 42 }
var getCoords = function(x, y, z) { return { x: x, y: y, z: z }; } var points = [ 100, 50, 42 ]; var coords = getCoords(...points); // { "x": 100, "y": 50, "z": 42 } var getCoords = function(x, y, z) { return { x, y, z }; } var points = [ 100, 50, 42 ]; var coords = getCoords(...points); // { "x": 100, "y": 50, "z": 42 } var getCoords = (x, y, z) => ({ x, y, z }); var points = [ 100, 50, 42 ]; var coords = getCoords(...points); // { "x": 100, "y": 50, "z": 42 } var getPoints = ({ x, y, z }) => [ x, y, z]; var coords = getCoords(...getPoints({ "x": 100, "y": 50, "z": 42 })); // { "x": 100, "y": 50, "z": 42 }- notice spread into new object literal syntax
var primes = [ 2, 3, 5 ] var fibonacci = [ 0, 1, 1 ] fibonacci = fibonacci.concat( primes ) // [0, 1, 1, 2, 3, 5]
let fibonacci = [ 0, 1, 1, ...primes ]; // [0, 1, 1, 2, 3, 5]
var primes = [ 2, 3, 5 ]; var fibonacci = [ 0, 1, 1, 8, 13, 21 ]; primes.forEach(function ( num ) { var index = fibonacci.indexOf( 8 ); fibonacci.splice( index, 0, num ); }) console.log( fibonacci ); // [0, 1, 1, 2, 3, 5, 8, 13, 21]
let fibonacci = [ 0, 1, 1, ...primes, 8, 13, 21 ]; console.log( fibonacci ); // [0, 1, 1, 2, 3, 5, 8, 13, 21]
extract data from objects and arrays
var a = 1; var b = 2; var tmp = a; a = b; b = tmp;
let a = 1; let b = 2; let tmp = a; a = b; b = tmp; let [ a, b ] = [ 1, 2 ]; [ a, b ] = [ b, a ]; console.log(a, b); // 2, 1
#008744 (0,135,68) // green #0057e7 (0,87,231) // blue #d62d20 (214,45,32) // red #ffa700 (255,167,0) // orange #ffffff (255,255,255) // white let getColors = function() { return [ '#008744', '#0057e7', '#d62d20' ]; }; let colors = getColors(); let green = colors[0]; let blue = colors[1]; let red = colors[2]; let [ green, blue, red ] = getColors; console.log(green, blue, red); // "#008744" "#0057e7" "#d62d20" --- let getColors = function() { return [ '#008744', '#0057e7', '#d62d20' ]; }; let colors = getColors(); let green = colors.shift(); console.log(green, colors); // "#008744", [ "#0057e7", "#d62d20" ] --- let getColors = function() { return [ '#008744', '#0057e7', '#d62d20' ]; }; let [ green, ...colors ] = getColors(); console.log(green, colors); // "#008744", [ "#0057e7", "#d62d20" ] --- let getColors = function() { return [ [ '#008744', '0,135,68' ], [ '#0057e7', '0,87,231' ] ]; } let [ [ green = '#00ff00' ] = [], [ blueHEX, blueRGB ] = [], [ , redRGB = '214,45,32' ] = [] ] = getColors(); console.log(green, blueHEX, blueRGB, redRGB); --- let getColors = function() { return [ [ '#008744', '0,135,68' ], [ '#0057e7', '0,87,231' ], [ '#d62d20', '214,45,32' ] ]; } let colors = getColors(); let green = colors[0][0]; let blue = colors[1][0]; let red = colors[2][0]; let [ green, ...colors ] = getColors; // "#008744", [ "#0057e7","#d62d20" ] --- let [ [ green ], [ blue ], [ red ] ] = colors; console.log(green, blue, red); // "#008744" "#0057e7" "#d62d20" --- let destruct = function(str) { return str.split(/\n/); }; let headline = 'Congratulations!\nYou have been rewarded $50’; var [ title, message ] = destruct(headline); console.log(title); // "Congratulations!" console.log(message); // "You have been rewarded $50!" let destruct = str => str.split(/\n/); let headline = 'Congratulations!\nYou have been rewarded $50’; let [ title, message ] = destruct(headline); console.log(title); // "Congratulations!" console.log(message); // "You have been rewarded $50!"
let destruct = ( str ) => str.split( /\s/ ) let [ first, , , , last ] = destruct( 'Joe James John Jake Josh' ); console.log( first ); // 'Joe' console.log( last ); // 'Josh' console.log( second ); // ReferenceError: second is not defined
let person = { firstName: 'Joe', lastName: 'Doe' }; let { firstName: first, lastName: last } = person; console.log(first); // "Joe" console.log(last); // "Doe" let person = { firstName: 'Joe', lastName: 'Doe' }; let { firstName, lastName } = person; console.log(firstName); // "Joe" console.log(lastName); // "Doe" --- let person = { firstName: 'Joe', lastName: 'Doe', email: { personal: 'joe.doe@gmail.com', work: 'joe.doe@gamesys.co.uk' } }; let { firstName, lastName, email: { personal: email } } = person; console.log(firstName); // "Joe" console.log(lastName); // "Doe" console.log(email); // "joe.doe@gmail.com" --- let person = { firstName: 'Joe', lastName: 'Doe', emails: [ 'joe.doe@gmail.com', 'joe.doe@gamesys.co.uk' ] }; let { firstName, lastName, emails: [ email ] } = person; console.log(firstName); // "Joe" console.log(lastName); // "Doe" console.log(email); // "joe.doe@gmail.com" --- let person = { firstName: 'Joe', lastName: 'Doe', emails: [ 'joe.doe@gmail.com', 'joe.doe@gamesys.co.uk' ] }; let { firstName, lastName, emails: [ personalEmail, workEmail ] } = person; console.log(firstName); // "Joe" console.log(lastName); // "Doe" console.log(personalEmail); // "joe.doe@gmail.com" console.log(workEmail); // "joe.doe@gamesys.co.uk" --- let person = { firstName: 'Joe', lastName: 'Doe', emails: [ 'joe.doe@gmail.com', 'joe.doe@gamesys.co.uk' ] }; let { firstName, lastName, emails: [ personalEmail, workEmail ] } = person; console.log(firstName); // "Joe" console.log(lastName); // "Doe" console.log(personalEmail); // "joe.doe@gmail.com" console.log(workEmail); // "joe.doe@gamesys.co.uk" --- function getFullname({ firstName, lastName }) { return `${ lastName }, ${ firstName }`; } getFullname(person); // "Doe, Joe"
let person = { firstName: 'John', lastName: 'Doe' }; let { firstName, lastName } = person; console.log(firstName, lastName); // John Doe
let person = { age: 30, firstName: 'John', lastName: 'Doe', email: { work: 'john.doe@office.com', home: 'jdoe@gmail.com' } }; function describePerson ({ firstName, lastName, email: { home: email }}) { console.log(`${firstName} ${lastName} | email: ${email}`); } describePerson( person ); // John Doe | email: jdoe@gmail.comyou can destructure nested objects
iterates over values of array
var numbers = [ 1, 2, 3, 4, 5 ] for (var num in numbers) { console.log( num ) } // 0, 1, 2, 3, 4
[ 1, 2, 3, 4, 5 ].forEach(function ( number ) { console.log( number ) }) // 1, 2, 3, 4, 5
for ( let number of numbers ) { console.log( number ) } // 1, 2, 3, 4, 5
var items = [].slice.call(document.getElementsByTagName('li')) items.forEach(function ( el ) { console.log( el.textContent ) })
for ( let item of items ) { console.log( item.textContent ) }
An iterator is an object with a next method that returns { done, value }
An iterable is an object which has an internal method, written in the current ES6 draft specs as obj[@@iterator](), that returns an iterator.
let numbers = [ 1, 2 ] let iter = numbers["@@iterator"]() iter.next() // { value: 1, done: false } iter.next() // { value: 2, done: false } iter.next() // { value: undefined, done: true }
for ( let num of iter ) { console.log( num ) }
function* evenGen ( arr ) { for ( let num of arr ) { if ( num % 2 === 0 ) { yield num; } } } let numbers = [ 1, 2, 3, 4, 5, 6 ]; for (let num of evenGen( numbers )) { console.log( num ); }function followed by * and yield keyword
function fibonacci ( max ) { var a = 0, b = 1, c = 0; for ( var i = 0; i < max; ++i ) { console.log( a ); c = a; a = b; b = c + b; } } fibonacci( 10 ); // 0 1 1 2 3 5 8 13 21 34
function* fibonacci () { var [ prev, curr ] = [ 0, 1 ]; while ( 1 ) { yield prev; [ prev, curr ] = [ curr, prev + curr ]; } } var gen = fibonacci(); //gen.next() // {value: 0, done: false} var fibSeq = []; for ( var n of gen) { if (n > 34) break; o.push(n); } console.log( fibSeq.join(', ') ) // 0, 1, 1, 2, 3, 5, 8, 13, 21, 34
function Person ( firstName, lastName ) { this.firstName = firstName; this.lastName = lastName; } Person.prototype.greet = function () { return 'Hi, my name is ' + this.firstName; }; let johnDoe = new Person( 'John', 'Doe' ); for ( let val of johnDoe ) { console.log( val ); } // TypeError: john['@@iterator'] is not a function
function* objGen ( obj ) { for ( let prop in obj ) { if (obj.hasOwnProperty(prop) ) { yield [prop, obj[prop]] } } } for ( let [key, val] of objGen( johnDoe ) ) { console.log( key + ': ' + val ) } // "firstName: John" // "lastName: Doe"
Person.prototype['@@iterator'] = function* () { for ( let prop in this ) { if (this.hasOwnProperty( prop )) { yield [ prop, this[prop] ] } } } for ( let [ key, val ] of johnDoe ) { console.log( key + ': ' + val ) } // "firstName: John" // "lastName: Doe"
syntactic construct for creating arrays based on other arrays
var jedis = [ 'Luke', 'Obi-wan', 'Yoda' ]; var jediMasters = jedis.map(function ( jedi ) { return 'master ' + jedi; }); console.log( jediMasters ); // [ "master Luke", "master Obi-wan", "master Yoda" ]
let jedis = [ 'Luke', 'Obi-wan', 'Yoda' ]; let jediMasters = [ 'master ' + jedi for ( jedi of jedis ) ]; console.log( jediMasters ); // [ "master Luke", "master Obi-wan", "master Yoda" ]
var jedis = [ 'Luke Skywalker', 'Yoda', 'Darth Vader', 'Darth Maul' ]; var jediKnights = jedis.filter(function ( jedi ) { return jedi.indexOf( 'Darth' ) == -1; }); console.log( jediKnights ); // [ 'Luke Skywalker', 'Yoda' ]
let jedis = [ 'Luke Skywalker', 'Yoda', 'Darth Vader', 'Darth Maul' ]; let jediKnights = [ knight for ( knight of jedis ) if ( knight.indexOf( 'Darth' ) == -1) ]; console.log( jediKnights ); // [ 'Luke Skywalker', 'Yoda' ]
let jedis = [ 'Luke Skywalker', 'Yoda', 'Darth Vader', 'Darth Maul' ]; let jediKnights = ( knight for ( knight of jedis ) if ( knight.indexOf( 'Darth' ) == -1) ); console.log( jediKnights.next() ); // 'Luke Skywalker'
Classes support prototype-based inheritance, super calls, instance and static methods and constructors.
function Human (firstName, lastName) { this.firstName = firstName || 'John'; this.lastName = lastName || 'Doe'; } Human.prototype.greet = function() { return 'Hi, my name is ' + this.firstName + ' ' + this.lastName; }; // static method Human.type = function() { return 'human' };
class Human { constructor(firstName = 'Joe', lastName = 'Doe') { this.firstName = firstName; this.lastName = lastName; } greet() { return `Hi, my name is ${ this.firstName }.`; } static type() { return 'human'; } } var joe = new Human(); console.log(joe.greet()); // 'Hi, my name is Joe.' console.log(Human.type()); // 'human'
function SuperHuman (firstName, lastName, alias) { Human.call(this, firstName, lastName); this.alias = 'Spider-man' || 'unknown'; this.superpowers = superpowers || []; }; SuperHuman.prototype = Object.create( Human.prototype ); SuperHuman.prototype.constructor = SuperHuman; SuperHuman.prototype.greet = function () { return ( 'Hi, I am ' + this.alias + '!' ) }; SuperHuman.prototype.revealIdentity = function () { var greet = ( Human.prototype.greet.call(this) + ' a.k.a. ' + this.alias ); return ( greet + ' and I am a ' + SuperHuman.type() + '.' ); }; SuperHuman.prototype.useSuperpower = function () { return ( this.alias + ' uses the ' + this.superpowers[0] + '!' ) }; SuperHuman.type = function () { return 'superhuman' };
class SuperHuman extends Human { constructor(firstName, lastName, alias = 'superhuman') { super(firstName, lastName); this.alias = alias; } greet() { return `Hi, I am ${ this.alias }!`; } revealIdentity() { return `Psst... It's me, ${ this.firstName }!`; } static type() { return 'superhuman'; } } var spider = new SuperHuman('Peter', 'Parker', 'Spider-man'); console.log(spider.greet()); // Hi, I am Spider-man! console.log(spider.revealIdentity()); // Psst... It's me, Peter!
Object.defineProperty(Human.prototype, 'fullName', { get: function () { return ( this.lastName + ', ' + this.firstName ); } }); Object.defineProperty(Human.prototype, 'occupation', { get: function () { return ( 'Occupation: ' + this._occupation ); }, set: function ( occupation ) { return this._occupation = occupation; } });
class Person { constructor(firstName = 'Joe', lastName = 'Doe') { this.firstName = firstName; this.lastName = lastName; } get fullName () { return `${this.lastName}, ${this.firstName}` } get occupation() { return `Occupation: ${this._occupation}` } set occupation(occupation) { return this._occupation = occupation; } } var jane = new Person('Jane'); console.log(jane.fullName); // Doe, Jane
var person = { firstName: 'Peter', lastName: 'Parker' }; var superhero = { alias: 'Spider-man', superpowers: [ 'web', 'wall-climbing' ] }; var spiderman = Object.assign({}, person, superhero); console.log(JSON.stringify(spiderman)); /* { "firstName": "Peter", "lastName": "Parker", "alias": "Spider-man", "superpowers": [ "web", "wall-climbing" ] } */
// lib/math.js var MINI_PI = 3.14; var earthRadius = 6378; var toFixed = function ( num ) { return Math.ceil(num * 100) / 100 }; var circumference = function ( radius ) { return toFixed( MINI_PI * ( 2 * radius ) ) }; exports = { circumference: circumference, MINI_PI: MINI_PI, toFixed: toFixed };
// lib/math.js var MINI_PI = 3.14; var toFixed = function ( num ) { return Math.ceil(num * 100) / 100 }; exports.circumference = function ( radius ) { return toFixed( MINI_PI * ( 2 * radius ) ) };
var math = require('lib/math'); var earthsCircum = math.circumeference( 6378 );
// app/geo define([ 'lib/math' ], function ( math ) { var getCircumference = function ( radius ) { return math.circumference( radius ); }; // export circumference for other modules return { getCircumference: getCircumference }; });
// main.js require([ 'underscore', 'app/geo' ], function ( _, geo ) { // main module loads other other modules var earthsCircum = geo.getCircumference( 6378 ); // do other stuff });
Implicitly async model – no code executes until requested modules are available and processed.
import $ from "jquery"; // import the default export of a module module crypto from "crypto"; // binding an external module to a variable import { encrypt, decrypt } from "crypto"; // binding a module's exports to variables import { encrypt as enc } from "crypto"; // binding and renaming one of a module's exports export * from "crypto"; // re-exporting another module's exports export { foo, bar } from "crypto"; // re-exporting specified exports from another moduleA module is simply a file with JavaScript code in it.
// lib/math.js const MINI_PI = 3.14; const EARTH_RADIUS = 6378; // this function is private to the module function toFixed(num) { return Math.ceil(num * 100) / 100; } // export function export function circumference(radius) { return toFixed(MINI_PI * (2 * radius)) } // export variables export var planet = 'Earth'; export let distanceFromSun = 149600000; export MINI_PI; // export class export class Rectangle { constructor(length, width) { this.length = length; this.width = width; } } --- // importing import { circumference } from './circumference'; import { EARTH_RADIUS } from './constants'; let earthCircum = circumference(EARTH_RADIUS); circumference = 40075; // error console.log(`Earth's circumference: ${ earthCircum }km.`); // "Earth's circumference: 40074.16km." --- // math.js function sum(num1, num2) { return num1 + num2; } export { sum as add }; // main.js import { add } from './math'; // or rename during import // math.js function sum(num1, num2) { return num1 + num2; } export sum; // main.js import { add as sum } from './math'; console.log(typeof add); // 'undefined' console.log(sum(1, 2)); // 3 --- // math.js export default function sum(num1, num2) { return num1 + num2; } // main.js import sum from './math'; console.log(sum(1, 2)); // 3 --- // math.js export MINI_PI = 3.14; export default function sum(num1, num2) { return num1 + num2; } // main.js import sum, { MINI_PI } from './math'; console.log(sum(1, 2)); // 3 console.log(MINI_PI); // 3.14 --- import { sum } from './math'; export { sum } export { sum } from './math'; export { sum as add } from './math'; export * from './math';
// lib/math.js const MINI_PI = 3.14; let earthRadius = 6378; let toFixed = num => Math.ceil(num * 100) / 100 export MINI_PI; export function circumference ( radius ) { return toFixed( MINI_PI * ( 2 * radius ) ) }
// app.js module math from 'lib/math'; let earthCircum = math.circumference( 6378 ); log(`earth's circumference: ${earthCircum}`);
// app.js module { MINI_PI, circumference } from 'lib/math'; let earthCircum = circumference( 6378 ); log(`earth's circumference: ${earthCircum}`);
module { MINI_PI as PIE, circumference as circum } from 'lib/math';
module "foo" { export default function () { console.log("hello!"); } }
import foo from "foo"; // no need for curly braces foo(); // hello!
var fruits = new Set(); fruits.add('banana'); fruits.has('banana'); // true fruits.add('apple'); fruits.size; // 2
console.log( Object.getOwnPropertyNames(Set.prototype) ); // [ "size", "has", "add", "delete", "clear" ]
var items = new Set(); items.add(5); items.add("5"); console.log(items.size()); // 2ECMAScript 6 sets do not coerce values in determining whether or not to values are the same. So, a set can contain both the number 5 and the string "5" (internally, the comparison is done using Object.is()). If the add() method is called more than once with the same value, all calls after the first one are effectively ignored.
var items = new Set([1, 2, 2, 3, 3, 4, 5, 5, 5, 5]); console.log(items.size()); // 5
var library = {}; var LOTR = { title: 'The Lord of The Rings', author: 'J.R.R Tolkien' }; var TLP = { title: 'The Little Prince', author: 'Antoine de Saint-Exupery' }; library[LOTR] = 'The Lord of The Rings'; library[TLP] = 'The Little Prince'; console.log( library[LOTR] ); // ??? console.log( library[TLP] ); // ???
var library = new Map(); var LOTR = { title: 'The Lord of The Rings', author: 'J.R.R Tolkien' }; var TLP = { title: 'The Little Prince', author: 'Antoine de Saint-Exupery' }; library.set(LOTR, 'The Lord of The Rings'); library.set(TLP, 'The Little Prince'); library.get(LOTR); // "The Lord of The Rings" library.get(TLP) ); // "The Little Prince" // DOM Nodes var header = document.getElementById('header'); library.set(header, 'some metadata');ECMAScript 6 sets do not coerce values in determining whether or not to values are the same. So, a set can contain both the number 5 and the string "5" (internally, the comparison is done using Object.is()). If the add() method is called more than once with the same value, all calls after the first one are effectively ignored:
console.log( Object.getOwnPropertyNames(Map.prototype) ); // [ "size", "get", "has", "set", "delete" ]