Upgrade to Pro — share decks privately, control downloads, hide ads and more …

Unbundling the JavaScript module bundler - DevIT

Unbundling the JavaScript module bundler - DevIT

The landscape of module bundlers has evolved significantly since the days you would manually copy-paste your libraries to create a package for your frontend app. Like many parts of the JS world, the evolution has happened somewhat haphazardly, and the pace of change can feel overwhelming. Has Webpack ever felt like magic to you? How well do you understand what’s really going on under the hood? In this talk, I will uncover the history of JS module bundlers and illustrate how they actually work. Once we have the basics down, I will dive deeper into some of the more advanced topics, such as bundle cache boost and resolving cycling dependencies. At the end of this session, you will have a much more profound understanding of what’s going on behind the scenes.

Luciano Mammino

June 10, 2019
Tweet

More Decks by Luciano Mammino

Other Decks in Technology

Transcript

  1. Unbundling the JavaScript Unbundling the JavaScript module bundler module bundler

    Luciano Mammino - Luciano Mammino - @loige @loige 10/06/2019 loige.link/bundle-devit 1
  2. It's not Webpack! It's not Webpack! Module bundling is actually

    complicated! Module bundling is actually complicated! @loige 10
  3. 11

  4. Hello, I am Luciano! Hello, I am Luciano! Cloud Architect

    Blog: Twitter: GitHub: loige.co @loige @lmammino 11
  5. Hello, I am Luciano! Hello, I am Luciano! Cloud Architect

    Blog: Twitter: GitHub: loige.co @loige @lmammino 11
  6. 1. Why we need modules 2. JavaScript module systems 3.

    How a module bundler works 4. Webpack in 2 minutes! 5. Advanced module bundling Agenda Agenda @loige 13
  7. lumpy build $ 1. Downloads the files from lumpy.txt (and

    caches them) 2. Concatenates the content of the files 3. Minifies the resulting source code (using ) 4. Saves the resulting content in vendors.js babel-minify @loige 26 . 3
  8. Updating Updating them should be easy them should be easy

    We shouldn't worry about We shouldn't worry about transitive dependencies transitive dependencies (dependencies of dependencies) (dependencies of dependencies) Order of imports Order of imports shouldn't really matter shouldn't really matter We rely on We rely on dependencies dependencies! ! @loige 31
  9. Dependency Dependency (or coupling) a state in which one object

    uses a function of another object — Wikipedia @loige 32
  10. Modules Modules The bricks for structuring non-trivial applications, but also

    the main mechanism to enforce information hiding by keeping private all the functions and variables that are not explicitly marked to be exported — * Node.js Design Patterns (Second Edition) * yeah, I quite like quoting my stuff... @loige 34
  11. 1. Why we need modules 2. JavaScript module systems 3.

    How a module bundler works 4. Webpack in 2 minutes! 5. Advanced module bundling Agenda Agenda @loige 35
  12. Meet my friend Meet my friend I.I.F.E. I.I.F.E. (Immediately Invoked

    Function Expression) loige.link/iife @loige 36
  13. We generally define a function this way We generally define

    a function this way const sum = (a, b) => a + b @loige 37
  14. We generally define a function this way We generally define

    a function this way const sum = (a, b) => a + b or or @loige 37
  15. We generally define a function this way We generally define

    a function this way const sum = (a, b) => a + b function sum(a, b) { return a + b } or or @loige 37
  16. We generally define a function this way We generally define

    a function this way const sum = (a, b) => a + b function sum(a, b) { return a + b } or or then, at some point, we execute it... then, at some point, we execute it... @loige 37
  17. We generally define a function this way We generally define

    a function this way const sum = (a, b) => a + b function sum(a, b) { return a + b } or or then, at some point, we execute it... then, at some point, we execute it... const four = sum(2, 2) @loige 37
  18. A function in JS creates an isolated scope A function

    in JS creates an isolated scope @loige 38
  19. A function in JS creates an isolated scope A function

    in JS creates an isolated scope (a, b) => { const secretString = "Hello" return a + b } console.log(secretString) // undefined @loige 38
  20. A function in JS creates an isolated scope A function

    in JS creates an isolated scope (a, b) => { const secretString = "Hello" return a + b } console.log(secretString) // undefined secretString secretString is not visible outside the function is not visible outside the function @loige 38
  21. IIFE allows you to define an isolated scope IIFE allows

    you to define an isolated scope that executes itself that executes itself (arg1, arg2) => { // do stuff here const iAmNotVisibleOutside = true } @loige 39
  22. IIFE allows you to define an isolated scope IIFE allows

    you to define an isolated scope that executes itself that executes itself (arg1, arg2) => { // do stuff here const iAmNotVisibleOutside = true } A function with its own scope @loige 39
  23. )(someArg1, someArg2) IIFE allows you to define an isolated scope

    IIFE allows you to define an isolated scope that executes itself that executes itself (arg1, arg2) => { // do stuff here const iAmNotVisibleOutside = true } ( @loige 39
  24. )(someArg1, someArg2) IIFE allows you to define an isolated scope

    IIFE allows you to define an isolated scope that executes itself that executes itself (arg1, arg2) => { // do stuff here const iAmNotVisibleOutside = true } ( This wrapper executes the function immediately and passes arguments from the outer scope @loige 39
  25. IIFE is a recurring pattern in IIFE is a recurring

    pattern in JavaScript modules JavaScript modules @loige 40
  26. Let's implement a module Let's implement a module that provides:

    that provides: Information hiding Information hiding exported functionalities exported functionalities @loige 41
  27. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined @loige 42
  28. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined @loige 42
  29. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined IIFE Creates an isolated scope and executes it @loige 42
  30. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined information hiding non-exported functionality @loige 42
  31. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined defines exported functionalities @loige 42
  32. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined propagates the exports to the outer scope (assigning it to myModule) @loige 42
  33. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined Can access exported functionalities @loige 42
  34. const myModule = (() => { const privateFoo = ()

    => { /* ... */ } const privateBar = [ /* ... */ ] const exported = { publicFoo: () => { /* ... */ }, publicBar: [ /* ... */ ] }; return exported })() A module myModule.publicFoo() myModule.publicBar[0] myModule.privateFoo // undefined myModule.privateBar // undefined privateFoo // undefined privateBar // undefined No visibility for the non-exported ones @loige 42
  35. We want modules to be We want modules to be

    reusable reusable across different apps and across different apps and organisations... organisations... ...we need ...we need A A STANDARD MODULE STANDARD MODULE format! format! @loige 43
  36. Module system features Module system features Must have Simple syntax

    for import / export Information hiding Allows to define modules in separate files Modules can import from other modules (nested dependencies) @loige 44 . 1
  37. Module system features Module system features Nice to have Ability

    to import module subsets Avoid naming collision Asynchronous module loading Seamless support for Browsers & Server-side @loige 44 . 2
  38. JavaScript module systems JavaScript module systems globals CommonJS (Node.js) AMD

    (Require.js / Dojo) UMD ES2015 Modules (ESM) Many others (SystemJS, ...) @loige 45
  39. Globals Globals var $, jQuery $ = jQuery = (()

    => { return { /* ... */ } })() // ... use $ or jQuery in the global scope $.find('.button').remove() @loige 46
  40. Globals Globals Might generate naming collisions (e.g. $ overrides browser

    global variable) Modules needs to be "fully loaded" in the right order Cannot import parts of modules @loige 47
  41. // or import single functionality const { concat } =

    require('./loDash') concat([1], [2], [3]) // app.js // import full module const _ = require('./loDash') _.concat([1], [2], [3]) // loDash.js const loDash = { /* ... */ } module.exports = loDash CommonJS CommonJS @loige 48
  42. // or import single functionality const { concat } =

    require('./loDash') concat([1], [2], [3]) // app.js // import full module const _ = require('./loDash') _.concat([1], [2], [3]) // loDash.js const loDash = { /* ... */ } module.exports = loDash CommonJS CommonJS module @loige 48
  43. // or import single functionality const { concat } =

    require('./loDash') concat([1], [2], [3]) // app.js // import full module const _ = require('./loDash') _.concat([1], [2], [3]) // loDash.js const loDash = { /* ... */ } module.exports = loDash CommonJS CommonJS module app using module @loige 48
  44. // or import single functionality const { concat } =

    require('./loDash') concat([1], [2], [3]) // app.js // import full module const _ = require('./loDash') _.concat([1], [2], [3]) // loDash.js const loDash = { /* ... */ } module.exports = loDash CommonJS CommonJS module app using module @loige 48
  45. // or import single functionality const { concat } =

    require('./loDash') concat([1], [2], [3]) // app.js // import full module const _ = require('./loDash') _.concat([1], [2], [3]) // loDash.js const loDash = { /* ... */ } module.exports = loDash CommonJS CommonJS module app using module @loige 48
  46. CommonJS CommonJS No naming collisions (imported modules can be renamed)

    Huge repository of modules through Synchronous import only Works natively on the server side only (Node.js) NPM @loige 49
  47. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // jquery-1.9.0.js define( 'jquery', ['sizzle', 'jqueryUI'], function (sizzle, jqueryUI) { // Returns the exported value return function () { // ... } } ) @loige 50
  48. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // jquery-1.9.0.js define( 'jquery', ['sizzle', 'jqueryUI'], function (sizzle, jqueryUI) { // Returns the exported value return function () { // ... } } ) module @loige 50
  49. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // jquery-1.9.0.js define( 'jquery', ['sizzle', 'jqueryUI'], function (sizzle, jqueryUI) { // Returns the exported value return function () { // ... } } ) module module name @loige 50
  50. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // jquery-1.9.0.js define( 'jquery', ['sizzle', 'jqueryUI'], function (sizzle, jqueryUI) { // Returns the exported value return function () { // ... } } ) module dependencies @loige 50
  51. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // jquery-1.9.0.js define( 'jquery', ['sizzle', 'jqueryUI'], function (sizzle, jqueryUI) { // Returns the exported value return function () { // ... } } ) module factory function used to construct the module, receives the dependencies as arguments @loige 50
  52. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // jquery-1.9.0.js define( 'jquery', ['sizzle', 'jqueryUI'], function (sizzle, jqueryUI) { // Returns the exported value return function () { // ... } } ) module exported value @loige 50
  53. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // app.js // define paths requirejs.config({ baseUrl: 'js/lib', paths: { jquery: 'jquery-1.9.0' } }) define(['jquery'], function ($) { // this is executed only when jquery // and its deps are loaded }); @loige 51
  54. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // app.js // define paths requirejs.config({ baseUrl: 'js/lib', paths: { jquery: 'jquery-1.9.0' } }) define(['jquery'], function ($) { // this is executed only when jquery // and its deps are loaded }); app @loige 51
  55. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // app.js // define paths requirejs.config({ baseUrl: 'js/lib', paths: { jquery: 'jquery-1.9.0' } }) define(['jquery'], function ($) { // this is executed only when jquery // and its deps are loaded }); app Require.js config jquery will be loaded from ://<currentDomain>/js/lib/jquery-1.9.0.js @loige 51
  56. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js // app.js // define paths requirejs.config({ baseUrl: 'js/lib', paths: { jquery: 'jquery-1.9.0' } }) define(['jquery'], function ($) { // this is executed only when jquery // and its deps are loaded }); app app main function Has jquery as dependency @loige 51
  57. AMD ( AMD ( ) ) Asynchronous Module Definition Asynchronous

    Module Definition Require.js Require.js Asynchronous modules Works on Browsers and Server side Very verbose and convoluted syntax (my opinion™) @loige 52
  58. UMD UMD Universal Module Definition Universal Module Definition A module

    definition that is compatible with Global modules, CommonJS & AMD github.com/umdjs/umd @loige 53 . 1
  59. (function (root, factory) { if (typeof exports === 'object') {

    // CommonJS module.exports = factory(require('dep')) } else if (typeof define === 'function' && define.amd) { // AMD define(['dep'], function (dep) { return (root.returnExportsGlobal = factory(dep)) }) } else { // Global Variables root.myModule = factory(root.dep) } }(this, function (dep) { // Your actual module return {} })) loige.link/umd @loige 53 . 2
  60. (function (root, factory) { if (typeof exports === 'object') {

    // CommonJS module.exports = factory(require('dep')) } else if (typeof define === 'function' && define.amd) { // AMD define(['dep'], function (dep) { return (root.returnExportsGlobal = factory(dep)) }) } else { // Global Variables root.myModule = factory(root.dep) } }(this, function (dep) { // Your actual module return {} })) loige.link/umd IIFE with arguments: - Current scope (this) and the module factory function. - "dep" is a sample dependency of the module. @loige 53 . 2
  61. (function (root, factory) { if (typeof exports === 'object') {

    // CommonJS module.exports = factory(require('dep')) } else if (typeof define === 'function' && define.amd) { // AMD define(['dep'], function (dep) { return (root.returnExportsGlobal = factory(dep)) }) } else { // Global Variables root.myModule = factory(root.dep) } }(this, function (dep) { // Your actual module return {} })) loige.link/umd @loige 53 . 2
  62. (function (root, factory) { if (typeof exports === 'object') {

    // CommonJS module.exports = factory(require('dep')) } else if (typeof define === 'function' && define.amd) { // AMD define(['dep'], function (dep) { return (root.returnExportsGlobal = factory(dep)) }) } else { // Global Variables root.myModule = factory(root.dep) } }(this, function (dep) { // Your actual module return {} })) loige.link/umd @loige 53 . 2
  63. (function (root, factory) { if (typeof exports === 'object') {

    // CommonJS module.exports = factory(require('dep')) } else if (typeof define === 'function' && define.amd) { // AMD define(['dep'], function (dep) { return (root.returnExportsGlobal = factory(dep)) }) } else { // Global Variables root.myModule = factory(root.dep) } }(this, function (dep) { // Your actual module return {} })) loige.link/umd @loige 53 . 2
  64. Allows you to define modules that can be used by

    almost any module loader Complex, the wrapper code is almost impossible to write manually UMD UMD Universal Module Definition Universal Module Definition @loige 53 . 3
  65. ES2015 modules ES2015 modules Cool & broad subject, it would

    deserve it's own talk Wanna know more? / syntax reference import export ECMAScript modules in browsers ES modules: A cartoon deep-dive ES Modules in Node Today! @loige 54 . 1
  66. // calculator.js const add = (num1, num2) => num1 +

    num2 const sub = (num1, num2) => num1 - num2 const div = (num1, num2) => num1 / num2 const mul = (num1, num2) => num1 * num2 export { add, sub, div, mul } // app.js import { add } from './calculator' console.log(add(2,2)) // 4 ES2015 modules ES2015 modules @loige 54 . 2
  67. // calculator.js const add = (num1, num2) => num1 +

    num2 const sub = (num1, num2) => num1 - num2 const div = (num1, num2) => num1 / num2 const mul = (num1, num2) => num1 * num2 export { add, sub, div, mul } // app.js import { add } from './calculator' console.log(add(2,2)) // 4 ES2015 modules ES2015 modules module @loige 54 . 2
  68. // calculator.js const add = (num1, num2) => num1 +

    num2 const sub = (num1, num2) => num1 - num2 const div = (num1, num2) => num1 / num2 const mul = (num1, num2) => num1 * num2 export { add, sub, div, mul } // app.js import { add } from './calculator' console.log(add(2,2)) // 4 ES2015 modules ES2015 modules module exported functionalities @loige 54 . 2
  69. // calculator.js const add = (num1, num2) => num1 +

    num2 const sub = (num1, num2) => num1 - num2 const div = (num1, num2) => num1 / num2 const mul = (num1, num2) => num1 * num2 export { add, sub, div, mul } // app.js import { add } from './calculator' console.log(add(2,2)) // 4 ES2015 modules ES2015 modules module app @loige 54 . 2
  70. // calculator.js const add = (num1, num2) => num1 +

    num2 const sub = (num1, num2) => num1 - num2 const div = (num1, num2) => num1 / num2 const mul = (num1, num2) => num1 * num2 export { add, sub, div, mul } // app.js import { add } from './calculator' console.log(add(2,2)) // 4 ES2015 modules ES2015 modules module app import specific functionality @loige 54 . 2
  71. // index.html <html> <body> <!-- ... --> <script type="module"> import

    { add } from 'calculator.js' console.log(add(2,2)) // 4 </script> </body> </html> ES2015 modules ES2015 modules @loige 54 . 3
  72. // index.html <html> <body> <!-- ... --> <script type="module"> import

    { add } from 'calculator.js' console.log(add(2,2)) // 4 </script> </body> </html> ES2015 modules ES2015 modules "works" in some modern browsers @loige 54 . 3
  73. ES2015 modules ES2015 modules Syntactically very similar to CommonJS... BUT

    import & export are static (allow static analysis of dependencies) It is a (still work in progress) standard format Works (almost) seamlessly in browsers & servers @loige 54 . 4
  74. So many options... So many options... Current most used practice:

    Use CommonJS or ES2015 & create "compiled bundles" @loige 55
  75. 1. Why we need modules 2. JavaScript module systems 3.

    How a module bundler works 4. Webpack in 2 minutes! 5. Advanced module bundling Agenda Agenda @loige 56
  76. Let's try to use CommonJS Let's try to use CommonJS

    in the browser in the browser @loige 57
  77. const $ = require('zepto') const tippy = require('tippy.js') const UUID

    = require('uuidjs') const { confetti } = require('dom-confetti/src/main') const store = require('store2') const Favico = require('favico.js') !(function () { const colors = ['#a864fd', '#29cdff', '#78ff44', '#ff718d', '#fdff6a'] const todoApp = (rootEl, opt = {}) => { const todos = opt.todos || [] let completedTasks = opt.completedTasks || 0 const onChange = opt.onChange || (() => {}) const list = rootEl.find('.todo-list') const footer = rootEl.find('.footer') const todoCount = footer.find('.todo-count') const insertInput = rootEl.find('.add-todo-box input') const insertBtn = rootEl.find('.add-todo-box button') const render = () => { let tips list.html('') The browser doesn't know how to process require. It doesn't support CommonJS! @loige 58
  78. Module Bundler Module Bundler A tool that takes modules with

    dependencies and emits static assets representing those modules Those static assets can be processed by browsers! @loige 59
  79. Dependency graph Dependency graph A graph built by connecting every

    module with its direct dependencies. app dependency A dependency B dependency A2 shared dependency @loige 60
  80. A module bundler has to: A module bundler has to:

    1. Construct the dependency graph (Dependency Resolution) 2. Assemble the modules in the graph into a single executable asset (Packing) @loige 61
  81. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution 62 @loige
  82. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app 62 (entrypoint) (1) @loige
  83. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator 62 (entrypoint) (1) @loige
  84. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator 62 (entrypoint) (1) (2) @loige
  85. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator parser 62 (entrypoint) (1) (2) @loige
  86. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator parser 62 (entrypoint) (1) (2) (3) @loige
  87. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator parser resolver 62 (entrypoint) (1) (2) (3) @loige
  88. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator parser resolver 62 (entrypoint) (1) (2) (3) (4) @loige
  89. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator log parser resolver 62 (entrypoint) (1) (2) (3) (4) @loige
  90. // app.js const calculator = require('./calculator') const log = require('./log')

    log(calculator('2 + 2 / 4')) // log.js module.exports = console.log // calculator.js const parser = require('./parser') const resolver = require('./resolver') module.exports = (expr) => resolver(parser(expr)) // parser.js module.exports = (expr) => { /* ... */ } // resolver.js module.exports = (tokens) => { /* ... */ } Dependency resolution Dependency resolution app calculator log parser resolver 62 (entrypoint) (1) (2) (3) (4) (5) @loige
  91. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map @loige 63
  92. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } @loige 63
  93. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, @loige 63
  94. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, @loige 63
  95. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './parser': (module, require) => { … }, @loige 63
  96. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, @loige 63
  97. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, @loige 63
  98. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, require path @loige 63
  99. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, module factory function @loige 63
  100. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, const parser = require('./parser');const resolver = require('./resolver');module.exports = (expr) => resolver(parser(expr)) @loige 63
  101. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, const parser = require('./parser');const resolver = require('./resolver');module.exports = (expr) => resolver(parser(expr)) @loige 63
  102. During During dependency resolution dependency resolution, , the bundler creates

    a the bundler creates a modules map modules map { } './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … }, const parser = require('./parser');const resolver = require('./resolver');module.exports = (expr) => resolver(parser(expr)) @loige 63
  103. Packing Packing { ­­­ : ­­­ ­­­ : ­­­­ ­­­

    : ­­ } Modules map Modules map @loige 64
  104. Packing Packing { ­­­ : ­­­ ­­­ : ­­­­ ­­­

    : ­­ } Modules map Modules map @loige 64
  105. Packing Packing .js { ­­­ : ­­­ ­­­ : ­­­­

    ­­­ : ­­ } Modules map Modules map Single executable Single executable JS file JS file @loige 64
  106. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) 65 @loige
  107. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) IIFE passing the modules map as argument 65 @loige
  108. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) Custom require function: it will load the modules by evaluating the code from the modules map 65 @loige
  109. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) A reference to a module with an empty module.exports. This will be filled at evaluation time 65 @loige
  110. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) Invoking the factory function for the given module name. (Service locator pattern) 65 @loige
  111. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) The current reference module is passed, the factory function will modify this object by adding the proper exported values. 65 @loige
  112. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) The custom require function is passed so, modules can recursively require other modules 65 @loige
  113. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) The resulting module.exports is returned 65 @loige
  114. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) The entrypoint module is required, triggering the actual execution of the business logic 65 @loige
  115. Packed executable file Packed executable file ((modulesMap) => { const

    require = (name) => { const module = { exports: {} } modulesMap[name](module, require) return module.exports } require('./app') })( { './app': (module, require) => { … }, './calculator': (module, require) => { … }, './log': (module, require) => { … }, './parser': (module, require) => { … }, './resolver': (module, require) => { … } } ) 65 @loige
  116. Now you know how Now you know how Module bundlers

    work! Module bundlers work! And how to convert code written And how to convert code written using using CommonJS CommonJS to a single file that to a single file that works in the browser works in the browser @loige 66
  117. A challenge for you! A challenge for you! If you

    do, ... I'll arrange a prize for you! TIP: you can use or to parse JavaScript files (look for require and module.exports) and to map relative module paths to actual files in the filesystem. Need an inspiration? Check the awesome and ! let me know acorn babel-parser resolve minipack @adamisnotdead's w_bp_ck Can you build a (simple) module bundler from scratch? Can you build a (simple) module bundler from scratch? @loige 67
  118. 1. Why we need modules 2. JavaScript module systems 3.

    How a module bundler works 4. Webpack in 2 minutes! 5. Advanced module bundling Agenda Agenda @loige 68
  119. A state of the art module A state of the

    art module bundler for the web bundler for the web @loige 69
  120. Webpack concepts Webpack concepts Entry point: the starting file for

    dependency resolution. Output: the destination file (bundled file). Loaders: algorithms to parse different file types and convert them into executable javascript (e.g. babel, typescript, but also CSS, images or other static assets) Plugins: do extra things (e.g. generate a wrapping HTML or analysis tools) @loige 74
  121. const { resolve, join } = require('path') const CompressionPlugin =

    require('compression-webpack-plugin') module.exports = { entry: './app.js', output: { path: resolve(join(__dirname, 'build')), filename: 'app.js' }, module: { rules: [ { test: /\.js$/, exclude: /(node_modules|bower_components)/, use: { loader: 'babel-loader', options: { presets: [ ['@babel/preset-env'] ] } } } ] }, plugins: [ new CompressionPlugin() ] } Webpack.config.js @loige 75
  122. const { resolve, join } = require('path') const CompressionPlugin =

    require('compression-webpack-plugin') module.exports = { entry: './app.js', output: { path: resolve(join(__dirname, 'build')), filename: 'app.js' }, module: { rules: [ { test: /\.js$/, exclude: /(node_modules|bower_components)/, use: { loader: 'babel-loader', options: { presets: [ ['@babel/preset-env'] ] } } } ] }, plugins: [ new CompressionPlugin() ] } Webpack.config.js Entrypoint Build the dependency graph starting from ./app.js @loige 75
  123. const { resolve, join } = require('path') const CompressionPlugin =

    require('compression-webpack-plugin') module.exports = { entry: './app.js', output: { path: resolve(join(__dirname, 'build')), filename: 'app.js' }, module: { rules: [ { test: /\.js$/, exclude: /(node_modules|bower_components)/, use: { loader: 'babel-loader', options: { presets: [ ['@babel/preset-env'] ] } } } ] }, plugins: [ new CompressionPlugin() ] } Webpack.config.js Output Save the resulting bundled file in ./build/app.js @loige 75
  124. const { resolve, join } = require('path') const CompressionPlugin =

    require('compression-webpack-plugin') module.exports = { entry: './app.js', output: { path: resolve(join(__dirname, 'build')), filename: 'app.js' }, module: { rules: [ { test: /\.js$/, exclude: /(node_modules|bower_components)/, use: { loader: 'babel-loader', options: { presets: [ ['@babel/preset-env'] ] } } } ] }, plugins: [ new CompressionPlugin() ] } Webpack.config.js Loaders All the files matching "*.js" are processed with babel and converted to ES5 Javascript @loige 75
  125. const { resolve, join } = require('path') const CompressionPlugin =

    require('compression-webpack-plugin') module.exports = { entry: './app.js', output: { path: resolve(join(__dirname, 'build')), filename: 'app.js' }, module: { rules: [ { test: /\.js$/, exclude: /(node_modules|bower_components)/, use: { loader: 'babel-loader', options: { presets: [ ['@babel/preset-env'] ] } } } ] }, plugins: [ new CompressionPlugin() ] } Webpack.config.js Plugins Uses a plugin that generates a gzipped copy of every emitted file. @loige 75
  126. Everything is a module Everything is a module import React,

    { Component } from 'react' import logo from './logo.svg' import './App.css' class App extends Component { render() { return ( <div className="App"> <header className="App-header"> <img src={logo} className="App-logo" alt="logo" /> <h1 className="App-title">Welcome to React</h1> </header> </div> ); } } export default App 76
  127. Everything is a module Everything is a module import React,

    { Component } from 'react' import logo from './logo.svg' import './App.css' class App extends Component { render() { return ( <div className="App"> <header className="App-header"> <img src={logo} className="App-logo" alt="logo" /> <h1 className="App-title">Welcome to React</h1> </header> </div> ); } } export default App 76
  128. Everything is a module Everything is a module import React,

    { Component } from 'react' import logo from './logo.svg' import './App.css' class App extends Component { render() { return ( <div className="App"> <header className="App-header"> <img src={logo} className="App-logo" alt="logo" /> <h1 className="App-title">Welcome to React</h1> </header> </div> ); } } export default App 76
  129. Everything is a module Everything is a module import React,

    { Component } from 'react' import logo from './logo.svg' import './App.css' class App extends Component { render() { return ( <div className="App"> <header className="App-header"> <img src={logo} className="App-logo" alt="logo" /> <h1 className="App-title">Welcome to React</h1> </header> </div> ); } } export default App 76
  130. Webpack can load any type of file Webpack can load

    any type of file As long as you can provide a " As long as you can provide a "loader loader" that " that tells how to convert the file into tells how to convert the file into something the browser understands. something the browser understands. This is how Webpack allows you to use Babel, TypeScript, Clojure, Elm, Imba but also to load CSSs, Images and other assets. 77
  131. { test: /\.css$/, use: [ require.resolve('style-loader'), { loader: require.resolve('css-loader'), options:

    { importLoaders: 1, }, }, { loader: require.resolve('postcss-loader'), options: { ident: 'postcss', plugins: () => [ require('postcss-flexbugs-fixes'), autoprefixer({ browsers: [ '>1%', 'last 4 versions', 'Firefox ESR', 'not ie < 9', 78
  132. { test: /\.css$/, use: [ require.resolve('style-loader'), { loader: require.resolve('css-loader'), options:

    { importLoaders: 1, }, }, { loader: require.resolve('postcss-loader'), options: { ident: 'postcss', plugins: () => [ require('postcss-flexbugs-fixes'), autoprefixer({ browsers: [ '>1%', 'last 4 versions', 'Firefox ESR', 'not ie < 9', // Defines how to load .css files (uses a pipeline of loaders) 78
  133. { test: /\.css$/, use: [ require.resolve('style-loader'), { loader: require.resolve('css-loader'), options:

    { importLoaders: 1, }, }, { loader: require.resolve('postcss-loader'), options: { ident: 'postcss', plugins: () => [ require('postcss-flexbugs-fixes'), autoprefixer({ browsers: [ '>1%', 'last 4 versions', 'Firefox ESR', 'not ie < 9', // Defines how to load .css files (uses a pipeline of loaders) // parses the file with post-css 78
  134. { test: /\.css$/, use: [ require.resolve('style-loader'), { loader: require.resolve('css-loader'), options:

    { importLoaders: 1, }, }, { loader: require.resolve('postcss-loader'), options: { ident: 'postcss', plugins: () => [ require('postcss-flexbugs-fixes'), autoprefixer({ browsers: [ '>1%', 'last 4 versions', 'Firefox ESR', 'not ie < 9', // Defines how to load .css files (uses a pipeline of loaders) // parses the file with post-css // process @import and url() // statements 78
  135. { test: /\.css$/, use: [ require.resolve('style-loader'), { loader: require.resolve('css-loader'), options:

    { importLoaders: 1, }, }, { loader: require.resolve('postcss-loader'), options: { ident: 'postcss', plugins: () => [ require('postcss-flexbugs-fixes'), autoprefixer({ browsers: [ '>1%', 'last 4 versions', 'Firefox ESR', 'not ie < 9', // Defines how to load .css files (uses a pipeline of loaders) // parses the file with post-css // process @import and url() // statements // inject the resulting code with a <style> tag 78
  136. ...Webpack can do (a lot) more! ...Webpack can do (a

    lot) more! Dev Server Dev Server Tree shaking Tree shaking Dependencies analytics Dependencies analytics Source maps Source maps Async require / module splitting Async require / module splitting @loige 79
  137. 1. Why we need modules 2. JavaScript module systems 3.

    How a module bundler works 4. Webpack in 2 minutes! 5. Advanced module bundling Agenda Agenda @loige 80
  138. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js (original) 81
  139. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js bundle.js (original) 81
  140. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js bundle.js (original) 81
  141. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js bundle.js (original) bundle.js (cache copy) 81
  142. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js bundle.js (original) bundle.js (cache copy) 81
  143. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js bundle.js (original) bundle.js (cache copy) 81 bundle.js (cache copy)
  144. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js 82 bundle.js (original) bundle.js (cache copy) bundle.js (cache copy)
  145. Bundle cache busting Bundle cache busting Device CDN Origin Server

    example.com bundle.js bundle.js 82 bundle.js (original) bundle.js (cache copy) bundle.js (cache copy) NEW VERSION
  146. STALE! Bundle cache busting Bundle cache busting Device CDN Origin

    Server example.com bundle.js bundle.js 82 bundle.js (original) bundle.js (cache copy) bundle.js (cache copy) NEW VERSION STALE!
  147. Bundle cache busting Bundle cache busting (Manual) Solution 1 (Manual)

    Solution 1 bundle.js?v=1 bundle.js?v=2 bundle.js?v=3 83
  148. Bundle cache busting Bundle cache busting (Manual) Solution 1 (Manual)

    Solution 1 bundle.js?v=1 bundle.js?v=2 bundle.js?v=3 Doesn't play nice with some CDNs and Proxies (they won't consider different query parameters to be different resources) 83
  149. Bundle cache busting Bundle cache busting (Manual) Solution 2 (Manual)

    Solution 2 bundle-v1.js bundle-v2.js bundle-v3.js ... 84
  150. Bundle cache busting Bundle cache busting (Manual) Solution 2 (Manual)

    Solution 2 bundle-v1.js bundle-v2.js bundle-v3.js ... Better, but still a lot of diligence and manual effort needed... 84
  151. Bundle cache busting Bundle cache busting Webpack Solution Webpack Solution

    output: { filename: '[name].[contenthash].js' } 85
  152. Bundle cache busting Bundle cache busting Webpack Solution Webpack Solution

    ... bundle.9f61f58dd1cc3bb82182.js bundle.aacdf58ef1aa12382199.js bundle.ed61f68defef3bb82221.js output: { filename: '[name].[contenthash].js' } 85
  153. Bundle cache busting Bundle cache busting Webpack Solution Webpack Solution

    + Every new asset version will generate a new file cache is automatically cleaned up on every release (if content actually changed) html-plugin will update the reference to the new file contenthash webpack-html-plugin 86
  154. 1. Why we need modules 2. JavaScript module systems 3.

    How a module bundler works 4. Webpack in 2 minutes! 5. Advanced module bundling Agenda Agenda @loige 87
  155. Module bundlers are your friends Module bundlers are your friends

    Now you know how they work, they are not (really) magic! Start small and add more when needed If you try to build your own, you'll learn a lot more! @loige 88
  156. Ευχαριστώ! Ευχαριστώ! Special thanks: , , , (reviewers) and (inspirations:

    his and his ) @Podgeypoos79 @andreaman87 @mariocasciaro @eugenserbanescu @MarijnJH amazing book workshop on JS modules @loige Images by cover Image by from Streamline Emoji pack Dimitris Vetsikas Pixabay loige.link/bundle-devit 90