Modules

    • ES6 modules do not need ‘use strict’
    • Similar to CommonJS

    Multiple exports.

    You can call just the exports you need from a specific module.

    1. export const sqrt = Math.sqrt;
    2. export function square(x) {
    3. return x * x;
    4. }
    5. export function diag(x, y) {
    6. return sqrt(square(x) + square(y));
    7. }
    8. // main.js
    9. import { square, diag } from 'lib';
    10. console.log(square(11)); // 121
    11. console.log(diag(4, 3)); // 5
    12. // second.js
    13. // or you can call them with '*'
    14. // but then you have to prefix the exports with
    15. // the module name
    16. import * as lib from 'lib';
    17. console.log(lib.diag(4, 3)); // 5
    1. // lib.js
    2. class MyClass {
    3. //...
    4. }
    5. // main.js
    6. import { Dude as Bro } from 'lib';
    7. var bro = new Bro(); // instanceof MyClass

    Cyclical Dependencies

    1. import Main from 'main';
    2. var lib = {message: "This Is A Lib"};
    3. export { lib as Lib };
    4. // main.js
    5. import { Lib } from 'lib';
    6. export default class Main {
    7. // ....
    8. }

    More Exporting

    1. export var myVar = ...;
    2. export let myVar = ...;
    3. export const MY_CONST = ...;
    4. export function myFunc() {
    5. ...
    6. }
    7. export function* myGeneratorFunc() {
    8. ...
    9. }
    10. export class MyClass {
    11. ...
    12. }

    This is for exporting something you are importing.

    1. export * from 'src/other_module';
    2. export { foo, bar } from 'src/other_module';
    3. // Export other_module's foo as myFoo
    4. export { foo as myFoo, bar } from 'src/other_module';

    Modules - Programatic Loading API

    1. System.import('some_module')
    2. .then(some_module => {
    3. })
    4. .catch(error => {
    5. ...
    6. });

    Load All

    1. System.import(source);
    2. // Returns module via Promise
    3. System.module(source, options);
    4. // Returns module via Promise
    5. System.set(name, module);
    6. // Inline register a new module
    7. System.define(name, source, options?);
    8. // Eval code and register module

    To load module in the html

    1. <head>
    2. <module import="my-module.js"></module>
    3. </head>
    1. <head>
    2. <module>
    3. import $ from 'lib/jquery';
    4. console.log('$' in this); // false becaue it won't attach the import to the window global
    5. // globals trapped in module
    6. // Other JS here
    7. console.log(window); // Still can call window
    8. // let x = 1;
    9. Module Tag is force strict mode
    10. </head>