forked from iliakan/javascript-tutorial
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
6 changed files
with
163 additions
and
1 deletion.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
|
@@ -29,6 +29,5 @@ | |
}); | ||
|
||
</script> | ||
|
||
</body> | ||
</html> |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,67 @@ | ||
|
||
# Модули | ||
|
||
Концепция модулей как способа организации JavaScript-кода существовала давно. | ||
|
||
Когда приложение сложное и кода много -- мы пытаемся разбить его на файлы. В каждом файле описываем какую-то часть, а в дальнейшем -- собираем эти части воедино. | ||
|
||
Модули в стандарте EcmaScript предоставляют удобные средства для этого. | ||
|
||
Такие средства предлагались сообществом и ранее, например: | ||
|
||
<ul> | ||
<li>[CommonJS](http://wiki.commonjs.org/wiki/Modules/1.1)</li> | ||
<li>[AMD](https://en.wikipedia.org/wiki/Asynchronous_module_definition)</li> | ||
<li>[UMD](https://github.com/umdjs/umd)</li> | ||
</ul> | ||
|
||
Все они требуют различных библиотек или систем сборки для использования. | ||
|
||
Новый стандарт отличается от них прежде всего тем, что это -- стандарт. А значит, со временем, будет поддерживаться браузерами без дополнительных утилит. | ||
|
||
Сейчас браузерной поддержки почти нет. Поэтому ES-модули используются вместе с системами сборки, такими как [webpack](http://webpack.github.io/), [brunch](http://brunch.io/) и другими, при подключённом [Babel.JS](https://babeljs.io). | ||
|
||
|
||
## Что такое модуль? | ||
|
||
Модулем считается файл с кодом. | ||
|
||
В этом файле ключевым словом `export` помечаются переменные и функции, которые могут быть использованы снаружи. | ||
|
||
Другие модули могут подключать их через вызов `import`. | ||
|
||
Нагляднее всего это проиллюстрировать примером. | ||
|
||
Модуль `one.js` экспортирует переменную `one`: | ||
|
||
```js | ||
export let one = 1; | ||
``` | ||
|
||
Модуль `two.js`: | ||
``` | ||
let two = 2; | ||
export {two} | ||
``` | ||
|
||
|
||
[codetabs src="nums"] | ||
|
||
|
||
|
||
То есть, браузер, в котором есть поддержка модулей, или система сборки ("сегодняшний" вариант) | ||
|
||
Модуль -- это файл со специальными командами: | ||
|
||
<ul> | ||
<li>Экспорты -- </li> | ||
|
||
|
||
|
||
|
||
|
||
|
||
Общее между ними | ||
|
||
Модуль -- способ организации кода по файлам. Каждый файл |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,70 @@ | ||
/******/ (function(modules) { // webpackBootstrap | ||
/******/ // The module cache | ||
/******/ var installedModules = {}; | ||
|
||
/******/ // The require function | ||
/******/ function __webpack_require__(moduleId) { | ||
|
||
/******/ // Check if module is in cache | ||
/******/ if(installedModules[moduleId]) | ||
/******/ return installedModules[moduleId].exports; | ||
|
||
/******/ // Create a new module (and put it into the cache) | ||
/******/ var module = installedModules[moduleId] = { | ||
/******/ exports: {}, | ||
/******/ id: moduleId, | ||
/******/ loaded: false | ||
/******/ }; | ||
|
||
/******/ // Execute the module function | ||
/******/ modules[moduleId].call(module.exports, module, module.exports, __webpack_require__); | ||
|
||
/******/ // Flag the module as loaded | ||
/******/ module.loaded = true; | ||
|
||
/******/ // Return the exports of the module | ||
/******/ return module.exports; | ||
/******/ } | ||
|
||
|
||
/******/ // expose the modules object (__webpack_modules__) | ||
/******/ __webpack_require__.m = modules; | ||
|
||
/******/ // expose the module cache | ||
/******/ __webpack_require__.c = installedModules; | ||
|
||
/******/ // __webpack_public_path__ | ||
/******/ __webpack_require__.p = ""; | ||
|
||
/******/ // Load entry module and return exports | ||
/******/ return __webpack_require__(0); | ||
/******/ }) | ||
/************************************************************************/ | ||
/******/ ([ | ||
/* 0 */ | ||
/***/ function(module, exports, __webpack_require__) { | ||
|
||
'use strict'; | ||
|
||
var _nums = __webpack_require__(1); | ||
|
||
console.log(_nums.one + _nums.two); | ||
|
||
/***/ }, | ||
/* 1 */ | ||
/***/ function(module, exports) { | ||
|
||
"use strict"; | ||
|
||
Object.defineProperty(exports, "__esModule", { | ||
value: true | ||
}); | ||
var one = 1; | ||
|
||
exports.one = one; | ||
var two = 2; | ||
|
||
exports.two = two; | ||
|
||
/***/ } | ||
/******/ ]); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,3 @@ | ||
import {one, two} from './nums'; | ||
|
||
console.log(one + two); |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,5 @@ | ||
export let one = 1; | ||
|
||
let two = 2; | ||
|
||
export {two}; |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,18 @@ | ||
// Required: | ||
// npm i -g webpack | ||
// npm i babel-loader | ||
|
||
module.exports = { | ||
entry: './main', | ||
|
||
output: { | ||
filename: 'bundle.js' | ||
}, | ||
|
||
module: { | ||
loaders: [ | ||
{ test: /\.js$/, loader: "babel" } | ||
] | ||
} | ||
}; | ||
|