ES6/ES2015-Module新特性

import export

這兩個對應的就是es6自己的module功能。

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

這有可能導致兩個問題:
a: 一方面js代碼變得很臃腫,難以維護

b:另一方面我們常常得很注意每個script標籤在html中的位置,因爲它們通常有依賴關係,順序錯了可能就會出bug

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

而現在我們有了es6的module功能,它實現非常簡單,可以成爲服務器和瀏覽器通用的模塊解決方案

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

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

假設我們有兩個js文件: index.js和content.js,現在我們想要在index.js中使用content.js返回的結果,我們要怎麼做呢?

1:require.js的寫法。

首先定義:
//content.js
define('content.js', function(){
    return 'A cat';
})
然後require:
//index.js
require(['./content.js'], function(animal){
    console.log(animal);   //A cat
})


2:CommonJS寫法

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

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

3: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命令除了輸出變量,還可以輸出函數,甚至是類

//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,意思就是打包前讓整個文檔樹抖一抖,把那些並未被依賴或使用的東西統統抖落下去。


官方的解釋:
Normally if you require a module, you import the whole thing. ES2015 lets you just import the bits you need, without mucking around with custom builds. It's a revolution in how we use libraries in JavaScript, and it's happening right now.


發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章