es6 import export的方便之處

import export

這兩個傢伙對應的就是es6本身的module功能。html

咱們以前寫的Javascript一直都沒有模塊化的體系,沒法將一個龐大的js工程拆分紅一個個功能相對獨立但相互依賴的小工程,再用一種簡單的方法把這些小工程鏈接在一塊兒。react

這有可能致使兩個問題:webpack

  1. 一方面js代碼變得很臃腫,難以維護es6

  2. 另外一方面咱們經常得很注意每一個script標籤在html中的位置,由於它們一般有依賴關係,順序錯了可能就會出bugweb

在es6以前爲解決上面提到的問題,咱們得利用第三方提供的一些方案,主要有兩種CommonJS(服務器端)和AMD(瀏覽器端,如require.js)。segmentfault

若是想了解更多AMD,尤爲是require.js,能夠參看這個教程:why modules on the web are useful and the mechanisms that can be used on the web today to enable them瀏覽器

而如今咱們有了es6的module功能,它實現很是簡單,能夠成爲服務器和瀏覽器通用的模塊解決方案。服務器

ES6模塊的設計思想,是儘可能的靜態化,使得編譯時就能肯定模塊的依賴關係,以及輸入和輸出的變量。CommonJS和AMD模塊,都只能在運行時肯定這些東西。模塊化

上面的設計思想看不懂也不要緊,咱先學會怎麼用,等之後用多了、熟練了再去研究它背後的設計思想也不遲!好,那咱們就上代碼...函數

傳統的寫法

首先咱們回顧下require.js的寫法。假設咱們有兩個js文件: index.jscontent.js,如今咱們想要在index.js中使用content.js返回的結果,咱們要怎麼作呢?

首先定義:

//content.js
define('content.js', function(){
    return 'A cat';
})

 

而後require:

//index.js
require(['./content.js'], function(animal){
    console.log(animal);   //A cat
})

 

那CommonJS是怎麼寫的呢?

//index.js
var animal = require('./content.js')

//content.js
module.exports = 'A cat'

 

ES6的寫法

//index.js
import animal from './content'

//content.js
export default 'A cat'

 

以上我把三者都列出來了,媽媽不再用擔憂我寫混淆了...

ES6 module的其餘高級用法

//content.js

export default 'A cat'    
export function say(){
    return 'Hello!'
}    
export const type = 'dog' 

 

上面能夠看出,export命令除了輸出變量,還能夠輸出函數,甚至是類(react的模塊基本都是輸出類)

//index.js

import { say, type } from './content'  
let says = say()
console.log(`The ${type} says ${says}`)  //The dog says Hello

 

這裏輸入的時候要注意:大括號裏面的變量名,必須與被導入模塊(content.js)對外接口的名稱相同。

若是還但願輸入content.js中輸出的默認值(default), 能夠寫在大括號外面。

//index.js

import animal, { say, type } from './content'  
let says = say()
console.log(`The ${type} says ${says} to ${animal}`)  
//The dog says Hello to A cat

 

修改變量名

此時咱們不喜歡type這個變量名,由於它有可能重名,因此咱們須要修改一下它的變量名。在es6中能夠用as實現一鍵換名。

//index.js

import animal, { say, type as animalType } from './content'  
let says = say()
console.log(`The ${animalType} says ${says} to ${animal}`)  
//The dog says Hello to A cat

 

模塊的總體加載

除了指定加載某個輸出值,還可使用總體加載,即用星號(*)指定一個對象,全部輸出值都加載在這個對象上面。

//index.js

import animal, * as content from './content'  
let says = content.say()
console.log(`The ${content.type} says ${says} to ${animal}`)  
//The dog says Hello to A cat

 

一般星號*結合as一塊兒使用比較合適。

終極祕籍

考慮下面的場景:上面的content.js一共輸出了三個變量(default, say, type),假如咱們的實際項目當中只須要用到type這一個變量,其他兩個咱們暫時不須要。咱們能夠只輸入一個變量:

import { type } from './content' 

 

因爲其餘兩個變量沒有被使用,咱們但願代碼打包的時候也忽略它們,拋棄它們,這樣在大項目中能夠顯著減小文件的體積。

ES6幫咱們實現了!

不過,目前不管是webpack仍是browserify都還不支持這一功能...

若是你如今就想實現這一功能的話,能夠嘗試使用rollup.js

他們把這個功能叫作Tree-shaking,哈哈哈,意思就是打包前讓整個文檔樹抖一抖,把那些並未被依賴或使用的東西通通抖落下去。。。

 

轉載至https://segmentfault.com/a/1190000004368132

相關文章
相關標籤/搜索