庫,本質上是一些函數的集合。每次調用函數,實現一個特定的功能,接着把
控制權
交給使用者
框架,是一套完整的解決方案,使用框架的時候,須要把你的代碼放到框架合適的地方,框架會在合適的時機調用你的代碼
核心點:誰起到主導做用(控制反轉)javascript
MVVM經過數據雙向綁定
讓數據自動地雙向同步php
雖然沒有徹底遵循 MVVM 模型,Vue 的設計無疑受到了它的啓發。所以在文檔中常常會使用 vm (ViewModel 的簡稱) 這個變量名錶示 Vue 實例
npm i -S vue
<!-- 指定vue管理內容區域,須要經過vue展現的內容都要放到找個元素中 一般咱們也把它叫作邊界 數據只在邊界內部解析--> <div id="app">{{ msg }}</div> <!-- 引入 vue.js --> <script src="vue.js"></script> <!-- 使用 vue --> <script> var vm = new Vue({ // el:提供一個在頁面上已存在的 DOM 元素做爲 Vue 實例的掛載目標 el: '#app', // Vue 實例的數據對象,用於給 View 提供數據 data: { msg: 'Hello Vue' } }) </script>
vm.$data
訪問到data中的全部屬性,或者 vm.msg
var vm = new Vue({ data: { msg: '你們好,...' } }) vm.$data.msg === vm.msg // true
Mustache(插值語法)
,也就是 {{}}
語法{{}}
從數據對象data
中獲取數據{{}}
中只能出現JavaScript表達式 而不能解析js語句<h1>Hello, {{ msg }}.</h1> <p>{{ 1 + 2 }}</p> <p>{{ isOk ? 'yes': 'no' }}</p> <!-- !!!錯誤示範!!! --> <h1 title="{{ err }}"></h1>
雙向數據綁定:將DOM與Vue實例的data數據綁定到一塊兒,彼此之間相互影響css
原理:Object.defineProperty
中的get
和set
方法html
getter
和setter
:訪問器讀取或設置
對象屬性值的時候,執行的操做/* defineProperty語法 介紹 */ var obj = {} Object.defineProperty(obj, 'msg', { // 設置 obj.msg = "1" 時set方法會被系統調用 參數分別是設置後和設置前的值 set: function (newVal, oldVal) { }, // 讀取 obj.msg 時get方法會被系統調用 get: function ( newVal, oldVal ) {} })
<!-- 示例 --> <input type="text" id="txt" /> <span id="sp"></span> <script> var txt = document.getElementById('txt'), sp = document.getElementById('sp'), obj = {} // 給對象obj添加msg屬性,並設置setter訪問器 Object.defineProperty(obj, 'msg', { // 設置 obj.msg 當obj.msg反生改變時set方法將會被調用 set: function (newVal) { // 當obj.msg被賦值時 同時設置給 input/span txt.value = newVal sp.innerText = newVal } }) // 監聽文本框的改變 當文本框輸入內容時 改變obj.msg txt.addEventListener('keyup', function (event) { obj.msg = event.target.value }) </script>
data
中的數據纔是響應式的,動態添加進來的數據默認爲非響應式能夠經過如下方式實現動態添加數據的響應式前端
Vue.set(object, key, value)
- 適用於添加單個屬性Object.assign()
- 適用於添加多個屬性var vm = new Vue({ data: { stu: { name: 'jack', age: 19 } } }) /* Vue.set */ Vue.set(vm.stu, 'gender', 'male') /* Object.assign 將參數中的全部對象屬性和值 合併到第一個參數 並返回合併後的對象*/ vm.stu = Object.assign({}, vm.stu, { gender: 'female', height: 180 })
若是須要那到更新後dom中的數據 則須要經過 Vue.nextTick(callback)
:在DOM更新後,執行某個操做(屬於DOM操做)vue
vm.$nextTick(function () {})
methods: {
fn() {
this.msg = 'change' this.$nextTick(function () { console.log('$nextTick中打印:', this.$el.children[0].innerText); }) console.log('直接打印:', this.$el.children[0].innerText); } }
v-
前綴的特殊屬性<h1 v-text="msg"></h1>
<h1 v-html="msg"></h1>
v-bind:title="msg"
:title="msg"
<!-- 完整語法 --> <a v-bind:href="url"></a> <!-- 縮寫 --> <a :href="url"></a>
v-on:click="say"
or v-on:click="say('參數', $event)"
@click="say"
methods
<!-- 完整語法 --> <a v-on:click="doSomething"></a> <!-- 縮寫 --> <a @click="doSomething"></a>
.stop
阻止冒泡,調用 event.stopPropagation().prevent
阻止默認行爲,調用 event.preventDefault().capture
添加事件偵聽器時使用事件捕獲
模式.self
只當事件在該元素自己(好比不是子元素)觸發時,纔會觸發事件.once
事件只觸發一次<input type="text" v-model="message" placeholder="edit me"> <p>Message is: {{ message }}</p>
<!-- 1 基礎用法 --> <div v-for="item in items"> {{ item.text }} </div> <!-- item 爲當前項,index 爲索引 --> <p v-for="(item, index) in list">{{item}} -- {{index}}</p> <!-- item 爲值,key 爲鍵,index 爲索引 --> <p v-for="(item, key, index) in obj">{{item}} -- {{key}}</p> <p v-for="item in 10">{{item}}</p>
v-for
的時候提供 key
屬性,以得到性能提高。<div v-for="item in items" :key="item.id"> <!-- 內容 --> </div>
v-bind:class="expression"
or :class="expression"
<!-- 1 --> <div v-bind:class="{ active: true }"></div> ===> 解析後 <div class="active"></div> <!-- 2 --> <div :class="['active', 'text-danger']"></div> ===>解析後 <div class="active text-danger"></div> <!-- 3 --> <div v-bind:class="[{ active: true }, errorClass]"></div> ===>解析後 <div class="active text-danger"></div> --- style --- <!-- 1 --> <div v-bind:style="{ color: activeColor, 'font-size': fontSize + 'px' }"></div> <!-- 2 將多個 樣式對象 應用到一個元素上--> <!-- baseStyles 和 overridingStyles 都是data中定義的對象 --> <div v-bind:style="[baseStyles, overridingStyles]"></div>
v-if
:根據表達式的值的真假條件,銷燬或重建元素v-show
:根據表達式之真假值,切換元素的 display CSS 屬性<p v-show="isShow">這個元素展現出來了嗎???</p> <p v-if="isShow">這個元素,在HTML結構中嗎???</p>
<span v-pre>{{ this will not be compiled }}</span>
<span v-once>This will never change: {{msg}}</span>
{{}}
和 v-bind 表達式Vue.filter('filterName', function (value) { // value 表示要過濾的內容 })
<div>{{ dateStr | date }}</div> <div>{{ dateStr | date('YYYY-MM-DD hh:mm:ss') }}</div> <script> Vue.filter('date', function(value, format) { // value 要過濾的字符串內容,好比:dateStr // format 過濾器的參數,好比:'YYYY-MM-DD hh:mm:ss' }) </script>
{
data: {},
// 經過 filters 屬性建立局部過濾器 // 注意:此處爲 filters filters: { filterName: function(value, format) {} } }
v-on
在監聽鍵盤事件時添加關鍵修飾符// 只有在 keyCode 是 13 時調用 vm.submit() @keyup.13="submit" // 使用全局按鍵別名 @keyup.enter="add" --- // 經過全局 config.keyCodes 對象自定義鍵值修飾符別名 Vue.config.keyCodes.f2 = 113 // 使用自定義鍵值修飾符 @keyup.enter.f2="add"
watch
是一個對象,鍵是須要觀察的表達式,值是對應回調函數new Vue({ data: { a: 1, b: { age: 10 } }, watch: { a: function(val, oldVal) { // val 表示當前值 // oldVal 表示舊值 console.log('當前值爲:' + val, '舊值爲:' + oldVal) }, // 監聽對象屬性的變化 b: { handler: function (val, oldVal) { /* ... */ }, // deep : true表示是否監聽對象內部屬性值的變化 deep: true }, // 只監視user對象中age屬性的變化 'user.age': function (val, oldVal) { }, } })
computed
中的屬性不能與data
中的屬性同名,不然會報錯var vm = new Vue({ el: '#app', data: { firstname: 'jack', lastname: 'rose' }, computed: { fullname() { return this.firstname + '.' + this.lastname } } })
生命週期鉤子函數的定義:從組件被建立,到組件掛載到頁面上運行,再到頁面關閉組件被卸載,這三個階段老是伴隨着組件各類各樣的事件,這些事件,統稱爲組件的生命週期函數!java
生命週期鉤子函數
,咱們只須要提供這些鉤子函數便可Promise based HTTP client for the browser and node.jsnode
npm i -S axios
// 在瀏覽器中使用,直接引入js文件使用下面的GET/POST請求方式便可 // 1 引入 axios.js // 2 直接調用axios提供的API發送請求 created: function () { axios.get(url) .then(function(resp) {}) } --- // 配合 webpack 使用方式以下: import Vue from 'vue' import axios from 'axios' // 將 axios 添加到 Vue.prototype 中 Vue.prototype.$axios = axios --- // 在組件中使用: methods: { getData() { this.$axios.get('url') .then(res => {}) .catch(err => {}) } } --- // API使用方式: axios.get(url[, config]) axios.post(url[, data[, config]]) axios(url[, config]) axios(config)
const url = 'http://vue.studyit.io/api/getnewslist' // url中帶有query參數 axios.get('/user?id=89') .then(function (response) { console.log(response); }) .catch(function (error) { console.log(error); }); // url和參數分離,使用對象 axios.get('/user', { params: { id: 12345 } })
application/x-www-form-urlencoded
格式發送請求,咱們能夠這樣:// 使用 qs 包,處理將對象序列化爲字符串 // npm i -S qs // var qs = require('qs') import qs from 'qs' qs.stringify({ 'bar': 123 }) ===> "bar=123" axios.post('/foo', qs.stringify({ 'bar': 123 })) // 或者: axios.post('/foo', 'bar=123&age=19')
const url = 'http://vue.studyit.io/api/postcomment/17' axios.post(url, 'content=點個贊不過份') axios.post('/user', qs.stringify({ firstName: 'Fred', lastName: 'Flintstone' })) .then(function (response) { console.log(response); }) .catch(function (error) { console.log(error); });
// 設置請求公共路徑: axios.defaults.baseURL = 'http://vue.studyit.io'
request
中的函數,請求發送完成以後執行response
中的函數// 請求攔截器 axios.interceptors.request.use(function (config) { // 全部請求以前都要執行的操做 return config; }, function (error) { // 錯誤處理 return Promise.reject(error); }); // 響應攔截器 axios.interceptors.response.use(function (response) { // 全部請求完成後都要執行的操做 return response; }, function (error) { // 錯誤處理 return Promise.reject(error); });
// 第一個參數:指令名稱 // 第二個參數:配置對象,指定指令的鉤子函數 Vue.directive('directiveName', { // bind中只能對元素自身進行DOM操做,而沒法對父級元素操做 // 只調用一次 指令第一次綁定到元素時調用。在這裏能夠進行一次性的初始化設置。 bind( el,binding, vnode ) { // 參數詳解 // el:指令所綁定的元素,能夠用來直接操做 DOM 。 // binding:一個對象,包含如下屬性: // name:指令名,不包括 v- 前綴。 // value:指令的綁定值,等號後面的值 。 // oldValue:指令綁定的前一個值,僅在 update 和 componentUpdated 鉤子中可用。不管值是否改變均可用。 // expression:字符串形式的指令表達式 等號後面的字符串 形式 // arg:傳給指令的參數,可選。例如 v-my-directive:foo 中,參數爲 "foo"。 // modifiers:指令修飾符。例如:v-directive.foo.bar中,修飾符對象爲 { foo: true, bar: true }。 // vnode:Vue 編譯生成的虛擬節點。。 // oldVnode:上一個虛擬節點,僅在 update 和 componentUpdated 鉤子中可用。 }, // inserted這個鉤子函數調用的時候,當前元素已經插入頁面中了,也就是說能夠獲取到父級節點了 inserted ( el,binding, vnode ) {}, // DOM從新渲染前 update(el,binding, vnode,oldVnode) {}, // DOM從新渲染後 componentUpdated ( el,binding, vnode,oldVnode ) {}, // 只調用一次,指令與元素解綁時調用 unbind ( el ) { // 指令所在的元素在頁面中消失,觸發 } }) // 簡寫 若是你想在 bind 和 update 時觸發相同行爲,而不關心其它的鉤子: Vue.directive('自定義指令名', function( el, binding ) {}) // 例: Vue.directive('color', function(el, binding) { el.style.color = binging.value }) // 使用 注意直接些會被i成data中的數據「red」 須要字符串則嵌套引號"'red'" <p v-color="'red'"></p>
var vm = new Vue({ el : "#app", directives: { directiveName: { } } })
組件系統是 Vue 的另外一個重要概念,由於它是一種抽象,容許咱們使用小型、獨立和一般可複用的組件構建大型應用。仔細想一想,幾乎任意類型的應用界面均可以抽象爲一個組件樹
// 1 註冊全局組件
Vue.component('my-component', {
// template 只能有一個根元素
template: '<p>A custom component!</p>', // 組件中的 `data` 必須是函數 而且函數的返回值必須是對象 data() { return { msg: '注意:組件的data必須是一個函數!!!' } } }) // 2 使用:以自定義元素的方式 <div id="example"> <my-component></my-component> </div> // =====> 渲染結果 <div id="example"> <p>A custom component!</p> </div> // 3 template屬性的值能夠是: - 1 模板字符串 - 2 模板id template: '#tpl' <script type="text/x-template" id="tpl"> <p>A custom component!</p> </script>
extend
:使用基礎 Vue 構造器,建立一個「子類」。參數是一個包含組件選項的對象。// 註冊組件,傳入一個擴展過的構造器 Vue.component('my-component', Vue.extend({ /* ... */ })) // 註冊組件,傳入一個選項對象 (自動調用 Vue.extend) Vue.component('my-component', { /* ... */ }) var Home = Vue.extend({ template: '', data() {} }) Vue.component('home', Home)
var Child = { template: '<div>A custom component!</div>' } new Vue({ // 注意:此處爲 components components: { // <my-component> 將只在當前vue實例中使用 // my-component 爲組件名 值爲配置對象 'my-component': { template: ``, data () { return { } }, props : [] } } })
在某些特定的標籤中只能存在指定表恰 如ul > li 若是要瀏覽器正常解析則須要使用is
<!-- 案例 --> <ul id="app"> <!-- 不能識別 --> <my-li></my-li> 正常識別 <li is="my-li"></li> </ul> <script> var vm = new Vue({ el: "#app", components : { myLi : { template : `<li>內容</li>` } } }) </script>
props
屬性來傳遞數據 props是一個數組props
屬性顯示指定,不然,不會生效props
屬性的用法與data
屬性的用法相同<div id="app"> <!-- 若是須要往子組件總傳遞父組件data中的數據 須要加v-bind="數據名稱" --> <hello v-bind:msg="info"></hello> <!-- 若是傳遞的是字面量 那麼直接寫--> <hello my-msg="abc"></hello> </div> <!-- js --> <script> new Vue({ el: "#app", data : { info : 15 }, components: { hello: { // 建立props及其傳遞過來的屬性 props: ['msg', 'myMsg'], template: '<h1>這是 hello 組件,這是消息:{{msg}} --- {{myMsg}}
方式:父組件給子組件傳遞一個函數,由子組件調用這個函數react
步驟:jquery
$emit()
觸發自定義事件事件 this.$emit(pfn,參數列表。。。)<hello @pfn="parentFn"></hello> <script> Vue.component('hello', { template: '<button @click="fn">按鈕</button>', methods: { // 子組件:經過$emit調用 fn() { this.$emit('pfn', '這是子組件傳遞給父組件的數據') } } }) new Vue({ methods: { // 父組件:提供方法 parentFn(data) { console.log('父組件:', data) } } }) </script>
在簡單的場景下,可使用一個空的 Vue 實例做爲事件總線
$on()
:綁定自定義事件var bus = new Vue() // 在組件 B 綁定自定義事件 bus.$on('id-selected', function (id) { // ... }) // 觸發組件 A 中的事件 bus.$emit('id-selected', 1)
<!-- 組件A: --> <com-a></com-a> <!-- 組件B: --> <com-b></com-b> <script> // 中間組件 var bus = new Vue() // 通訊組件 var vm = new Vue({ el: '#app', components: { comB: { template: '<p>組件A告訴我:{{msg}}</p>', data() { return { msg: '' } }, created() { // 給中間組件綁定自定義事件 注意:若是用到this 須要用箭頭函數 bus.$on('tellComB', (msg) => { this.msg = msg }) } }, comA: { template: '<button @click="emitFn">告訴B</button>', methods: { emitFn() { // 觸發中間組件中的自定義事件 bus.$emit('tellComB', '土豆土豆我是南瓜') } } } } }) </script>
案例:
<!-- html代碼 --> <div id="app"> <hello> <!-- 若是隻有一個slot插槽 那麼不須要指定名稱 --> <p slot="插槽名稱">我是額外的內容</p> </hello> </div>
// js代碼 new vue({ el : "#app", components : { hello : { template : ` <div> <p>我是子組件中的內容</p> <slot name="名稱"></slot> </div> ` } } })
vm.$refs
一個對象,持有已註冊過 ref 的全部子組件(或HTML元素)ref
屬性,而後在JS中經過vm.$refs.屬性
來獲取<div id="app"> <div ref="dv"></div> <my res="my"></my> </div> <!-- js --> <script> new Vue({ el : "#app", mounted() { this.$refs.dv //獲取到元素 this.$refs.my //獲取到組件 }, components : { my : { template: `<a>sss</a>` } } }) </script>
單頁Web應用(single page application,SPA),就是隻有一個Web頁面的應用, 是加載單個HTML頁面,並在用戶與應用程序交互時動態更新該頁面的Web應用程序。
單頁面應用程序:
傳統多頁面應用程序:
優點
實現思路和技術點
在 Web app 中,經過一個頁面來展現和管理整個應用的功能。
SPA每每是功能複雜的應用,爲了有效管理全部視圖內容,前端路由 應運而生!
簡單來講,路由就是一套映射規則(一對一的對應規則),由開發人員制定規則。
當URL中的哈希值(# hash)發生改變後,路由會根據制定好的規則,展現對應的視圖內容
<div id="app"> <!-- 5 路由入口 指定跳轉到只定入口 --> <router-link to="/home">首頁</router-link> <router-link to="/login">登陸</router-link> <!-- 7 路由出口:用來展現匹配路由視圖內容 --> <router-view></router-view> </div> <!-- 1 導入 vue.js --> <script src="./vue.js"></script> <!-- 2 導入 路由文件 --> <script src="./node_modules/vue-router/dist/vue-router.js"></script> <script> // 3 建立兩個組件 const Home = Vue.component('home', { template: '<h1>這是 Home 組件</h1>' }) const Login = Vue.component('login', { template: '<h1>這是 Login 組件</h1>' }) // 4 建立路由對象 const router = new VueRouter({ routes: [ // 路徑和組件一一對應 { path: '/home', component: Home }, { path: '/login', component: Login } ] }) var vm = new Vue({ el: '#app', // 6 將路由實例掛載到vue實例 router }) </script>
// 將path 重定向到 redirect { path: '/', redirect: '/home' }
路由導航高亮
匹配路由模式
new Router({ routers:[], mode: "hash", //默認hash | history 能夠達到隱藏地址欄hash值 | abstract,若是發現沒有瀏覽器的 API 則強制進入 linkActiveClass : "now" //當前匹配的導航連接將被自動添加now類 })
// 方式一 <router-link to="/user/1001">若是你須要在模版中使用路由參數 能夠這樣 {{$router.params.id}}</router-link> // 方式二 <router-link :to="{path:'/user',query:{name:'jack',age:18}}">用戶 Rose</router-link> <script> // 路由 var router = new Router({ routers : [ // 方式一 注意 只有/user/1001這種形式能被匹配 /user | /user/ | /user/1001/ 都不能被匹配 // 未來經過$router.params獲取參數返回 {id:1001} { path: '/user/:id', component: User }, // 方式二 { path: "user" , component: User} ] }) // User組件: const User = { template: `<div>User {{ $route.params.id }}
// 父組件:
const User = Vue.component('user', {
template: `
<div class="user"> <h2>User Center</h2> <router-link to="/user/profile">我的資料</router-link> <router-link to="/user/posts">崗位</router-link> <!-- 子路由展現在此處 --> <router-view></router-view> </div> ` }) // 子組件[簡寫] const UserProfile = { template: '<h3>我的資料:張三</h3>' } const UserPosts = { template: '<h3>崗位:FE</h3>' } // 路由 var router =new Router({ routers : [ { path: '/user', component: User, // 子路由配置: children: [ { // 當 /user/profile 匹配成功, // UserProfile 會被渲染在 User 的 <router-view> 中 path: 'profile', component: UserProfile }, { // 當 /user/posts 匹配成功 // UserPosts 會被渲染在 User 的 <router-view> 中 path: 'posts', component: UserPosts } ] } ] })
爲何須要模塊化
AMD 瀏覽器端
CommonJS nodejs
CMD 瀏覽器端
AMD 的使用
Asynchronous Module Definition:異步模塊定義,瀏覽器端模塊開發的規範 表明:require.js 特色:模塊被異步加載,模塊加載不影響後面語句的運行
一、定義模塊
// 語法:define(name, dependencies?, factory); // name表示:當前模塊的名稱,是一個字符串 無關緊要 // dependencies表示:當前模塊的依賴項,是一個數組不管依賴一項仍是多項 無則不寫 // factory表示:當前模塊要完成的一些功能,是一個函數 // 定義對象模塊 define({}) // 定義方法模塊 define(function() { return {} }) // 定義帶有依賴項的模塊 define(['js/a'], function() {})
二、加載模塊
// - 注意:require的第一個參數必須是數組 // 參數必須是數組 表示模塊路徑 以當前文件爲基準,經過回調函數中的參數獲取加載模塊中的變量 參數與模塊按照順序一一對應 require(['a', 'js/b'], function(a, b) { // 使用模塊a 和 模塊b 中的代碼 })
三、路徑查找配置
// 配置示例 // 注意配置應當在使用以前 require.config({ baseUrl: './js' // 配置基礎路徑爲:當前目錄下的js目錄 }) require(['a']) // 查找 基礎路徑下的 ./js/a.js // 簡化加載模塊路徑 require.config({ baseUrl: './js', // 配置一次便可,直接經過路徑名稱(template || jquery)加載模塊 paths: { template: 'assets/artTemplate/template-native', jquery: 'assets/jquery/jquery.min' } }) // 加載jquery template模塊 require(['jquery', 'template'])
四、非模塊化和依賴項支持
// 示例 require.config({ baseUrl: './js', paths: { // 配置路徑 noModule: 'assets/demo/noModule' }, // 配置不符合規範的模塊項 shim: { // 模塊名稱 noModule: { deps: [], // 依賴項 exports: 'sayHi' // 導出模塊中存在的函數或變量 } } }); // 注意點 若是定義模塊的時候,指定了模塊名稱,須要使用該名稱來引用模塊 // 定義 這個模塊名稱與paths中的名稱相同 define('moduleA', function() {}) // 導入 require.config({ paths: { // 此處的模塊名:moduleA moduleA: 'assets/demo/moduleA' } })
五、路徑加載規則
路徑配置的優先級:
<!-- 設置data-main屬性 1 data-main屬性指定的文件也會同時被加載 2 用於指定查找其餘模塊的基礎路徑 --> <script src="js/require.js" data-main="js/main"></script>
[ˈbʌndl]
捆綁,收集,歸攏,把…塞入1 webpack 將帶有依賴項的各個模塊打包處理後,變成了獨立的瀏覽器可以識別的文件 2 webpack 合併以及解析帶有依賴項的模塊
webpack 是一個現代 JavaScript 應用程序的模塊打包器(特色 module、 bundler)
webpack 是一個模塊化方案(預編譯)
webpack獲取具備依賴關係的模塊,並生成表示這些模塊的靜態資源
對比
模塊化方案: webpack 和 requirejs(經過編寫代碼的方式將前端的功能,劃分紅獨立的模塊) browserify 是與 webpack 類似的模塊化打包工具 webpack 預編譯 (在開發階段經過webpack進行模塊化處理, 最終項目上線, 就不在依賴於 webpack) requirejs 線上的編譯( 代碼運行是須要依賴與 requirejs 的 )
webpack解決了現存模塊打包器的兩個痛點:
JS的模塊化規範:
import
export
require()
module.exports
define
和 require
非JS等靜態資源:
@import
url(...)
或 HTML <img src=...>
全局安裝:npm i -g webpack
webpack
這個命令項目安裝:npm i -D webpack
npm i -D webpack
webpack.config.js
)npm init -y
初始package.json,使用npm來管理項目中的包index.html
和index.js
,實現隔行變色功能webpack src/js/index.js dist/bundle.js
進行打包構建,語法是:webpack 入口文件 輸出文件
/* src/js/index.js */ // 1 導入 jQuery import $ from 'jquery' // 2 獲取頁面中的li元素 const $lis = $('#ulList').find('li') // 3 隔行變色 // jQuery中的 filter() 方法用來過濾jquery對象 $lis.filter(':odd').css('background-color', '#def') $lis.filter(':even').css('background-color', 'skyblue') //命令行運行 `webpack src/js/index.js dist/bundle.js 目錄生成在命令行運行目錄 /* 運行流程: 一、webpack 根據入口找到入口文件 二、分析js中的模塊化語法 三、將全部關聯文件 打包合併輸出到出口 */
npm i -D webpack-dev-server
webpack-dev-server
,須要經過 package.json
的 scripts
實現npm run dev
// 參數解釋 注意參數是無序的 有值的參數空格隔開 // --open 自動打開瀏覽器 // --contentBase ./ 指定瀏覽器 默認打開的頁面路徑中的 index.html 文件 // --open 自動打開瀏覽器 // --port 8080 端口號 // --hot 熱更新,只加載修改的文件(按需加載修改的內容),而非所有加載 "scripts": { "dev": "webpack-dev-server --open --contentBase ./ --port 8080 --hot" }
var path = require('path') module.exports = { // 入口文件 entry: path.join(__dirname, 'src/js/index.js'), // 輸出文件 output: { path: path.join(__dirname, 'dist'), // 輸出文件的路徑 filename: 'bundle.js' // 輸出文件的名稱 } } const webpack = require('webpack') devServer: { // 服務器的根目錄 Tell the server where to serve content from // https://webpack.js.org/configuration/dev-server/#devserver-contentbase contentBase: path.join(__dirname, './'), // 自動打開瀏覽器 open: true, // 端口號 port: 8888, // --------------- 1 熱更新 ----------------- hot: true }, plugins: [ // ---------------- 2 啓用熱更新插件 ---------------- new webpack.HotModuleReplacementPlugin() ]
html-webpack-plugin 插件
npm i -D html-webpack-plugin
bundle.js
、css
等文件/* webpack.config.js */ const htmlWebpackPlugin = require('html-webpack-plugin') plugins: [ new htmlWebpackPlugin({ // 模板頁面路徑 template: path.join(__dirname, './index.html'), // 在內存中生成頁面路徑,默認值爲:index.html filename: 'index.html' }) ]
webpack enables use of loaders to preprocess files. This allows you to bundle any static resource way beyond JavaScript.
一、 CSS打包
npm i -D style-loader css-loader
/* 在index.js 導入 css 文件*/ import './css/app.css' /* webpack.config.js 配置各類資源文件的loader加載器*/ module: { // 配置匹配規則 rules: [ // test 用來配置匹配文件規則(正則) // use 是一個數組,按照從後往前的順序執行加載 {test: /\.css$/, use: ['style-loader', 'css-loader']}, ] }
二、 使用webpack打包sass文件
npm i -D sass-loader node-sass
sass-loader
依賴於 node-sass
模塊/* webpack.config.js */ // 參考:https://webpack.js.org/loaders/sass-loader/#examples // "style-loader" :creates style nodes from JS strings 建立style標籤 // "css-loader" :translates CSS into CommonJS 將css轉化爲CommonJS代碼 // "sass-loader" :compiles Sass to CSS 將Sass編譯爲css module:{ rules:[ {test: /\.(scss|sass)$/, use: ['style-loader', 'css-loader', 'sass-loader']}, ] }
三、 圖片和字體打包
npm i -D url-loader file-loader
file-loader
:加載並重命名文件(圖片、字體 等)url-loader
:將圖片或字體轉化爲base64編碼格式的字符串,嵌入到樣式文件中/* webpack.config.js */ module: { rules:[ // 打包 圖片文件 { test: /\.(jpg|png|gif|jpeg)$/, use: 'url-loader' }, // 打包 字體文件 { test: /\.(woff|woff2|eot|ttf|otf)$/, use: 'file-loader' } ] }
limit
參數的做用:(單位爲:字節(byte))
小於
指定的limit時,圖片被轉化爲base64編碼格式大於等於
指定的limit時,圖片被重命名以url路徑形式加載(此時,須要file-loader
來加載圖片)/* webpack.config.js */ module: { rules: [ // {test: /\.(jpg|png|gif|jpeg)$/, use: 'url-loader?limit=100'}, { test: /\.(jpg|png|gif|jpeg)$/, use: [ { loader: 'url-loader', options: { limit: 8192 } } ] } ] }
file-loader
或url-loader
npm i -D babel-core babel-loader
npm i -D babel-preset-env
/* webpack.config.js */ module: { rules: [ // exclude 排除,不須要編譯的目錄,提升編譯速度 {test: /\.js$/, use: 'babel-loader', exclude: /node_modules/} ] }
.babelrc
配置文件/* 建立 .babelrc 文件*/ // 未來babel-loader運行的時候,會檢查這個配置文件,並讀取相關的語法和插件配置 { "presets": ["env"] }
babel的做用:
Babel經過語法轉換器,可以支持最新版本的JavaScript語法
babel-preset-* 用來指定咱們書寫的是什麼版本的JS代碼
Stage 0 - Strawman(展現階段) Stage 1 - Proposal(徵求意見階段) Stage 2 - Draft(草案階段) Stage 3 - Candidate(候選人階段) Stage 4 - Finished(定案階段) Stage 0 is "i've got a crazy idea", stage 1 is "this idea might not be stupid", stage 2 is "let's use polyfills and transpilers to play with it", stage 3 is "let's let browsers implement it and see how it goes", stage 4 is "now it's javascript".
做用:實現瀏覽器對不支持API的兼容(兼容舊環境、填補)
'abc'.padStart(10)
npm i -S babel-polyfill
方式二:npm i -D babel-plugin-transform-runtime
和 npm i -S babel-runtime
區別:
polyfill 全部兼容性問題,均可以經過polyfill解決(包括:實例方法)、污染全局環境
runtime 除了實例方法之外,其餘兼容新問題都能解決、不污染全局環境
polyfill:若是想要支持全局對象(好比:`Promise`)、靜態方法(好比:`Object.assign`)或者**實例方法**(好比:`String.prototype.padStart`)等,那麼就須要使用`babel-polyfill` babel-runtime :提供了兼容舊環境的函數,使用的時候,須要咱們本身手動引入 好比: const Promise = require('babel-runtime/core-js/promise') 存在的問題: 1 手動引入太繁瑣 2 多個文件引入同一個helper(定義),形成代碼重複,增長代碼體積 babel-plugin-transform-runtime: 1 自動引入helper(好比,上面引入的 Promise) 2 babel-runtime提供helper定義,引入這個helper便可使用,避免重複 3 依賴於 babel-runtime 插件 transform-runtime插件的使用: 直接在 .bablerc 文件中,添加一個 plugins 的配置項便可!!! "plugins": [ "transform-runtime" ]
/* babel-polyfill 的使用步驟: 1 main.js */ // 第一行引入 require("babel-polyfill") var s = 'abc'.padStart(4) console.log(s) // 2 webpack.config.js 配置 module.exports = { entry: ['babel-polyfill', './js/main.js'] }
babel-core babel核心包
babel-loader 用來解析js文件
babel-preset-* 新ES語法的解析和轉換
transform-runtime / babel-polyfill 兼容舊瀏覽器,到達支持新API目的
// 判斷瀏覽器是否兼容 padStart 這個 API if (!String.prototype.padStart) { // 若是不兼容, 就本身模擬 padStart的功能實現一份 String.prototype.padStart = function padStart(targetLength,padString) { } }
.vue
,該文件須要被預編譯後才能在瀏覽器中使用npm i -D vue-loader vue-template-compiler
<!-- App.vue 示例代碼: --> <template> <div> <h1>VUE 單文件組件示例 -- App.vue</h1> <p>這是 模板內容</p> </div> </template> <script> // 組件中的邏輯代碼 export default {} </script> <style> /* 組件樣式 */ h1 { color: red; } </style>
// webpack.config.js 配置: module: { rules: [ { test: /\.vue$/, loader: 'vue-loader' } ] }
/* main.js */ import Vue from 'vue' // 導入 App 組件 import App from './App.vue' const vm = new Vue({ el: '#app', // 經過 render 方法,渲染App組件 render: c => c(App) })
npm i -D vue-loader vue-template-compiler
2 在 webpack.config.js
中配置 .vue
文件的loader
{ test: /\.vue$/, use: 'vue-loader' }
App.vue
單文件組件,注意:App能夠是任意名稱main.js
入口文件中,導入 vue
和 App.vue
組件,經過 render 將組件與實例掛到一塊兒import Vue from 'vue' import App from './App.vue' // ------------- vue路由配置 開始 -------------- import Home from './components/home/Home.vue' import Login from './components/login/Login.vue' // 1 導入 路由模塊 import VueRouter from 'vue-router' // 2 ** 調用use方法使用插件 ** Vue.use(VueRouter) // 3 建立路由對象 const router = new VueRouter({ routes: [ { path: '/home', component: Home }, { path: '/login', component: Login } ] }) // ------------- vue路由配置 結束 -------------- const vm = new Vue({ el: '#app', render: c => c(App), // 4 掛載到 vue 實例中 router })
npm i -S mint-ui
// 1 導入 mint-ui模塊 import MintUI from 'mint-ui' // 2 導入 樣式 import 'mint-ui/lib/style.css' // 3 註冊插件 Vue.use(MintUI)
// 只須要導入 MUI的樣式 便可,根據MUI的例子,直接使用HTML結果便可 // 導入樣式 import './lib/mui/css/mui.min.css'
npm i -S element-ui
{
"presets": [ ["es2015", { "modules": false }], "stage-0" ], "plugins": [ ["component", [ { "libraryName": "mint-ui", "style": true }, { "libraryName": "element-ui", "styleLibraryName": "theme-default" } ]] ] }
webpack
命令可以生成dist目錄到磁盤中,最終,把打包後的代碼,部署服務器中去webpack-dev-server
僅是在內存中生成的文件,並無寫到磁盤中,因此,只能在開發期間使用webpack.config.js
webpack.prod.js
(文件名稱非固定 production 生產環境)webpack --config webpack.prod.js
指定配置文件名稱運行webpack--display-error-details
用於顯示webpack打包的錯誤信息/* package.json */ "scripts": { "build": "webpack --config webpack.prod.js" }
1 在項目根目錄中建立 webpack.prod.js 文件 2 在 package.json 中, 配置一個 scripts 3 在 終端中 經過 npm run build 對項目進行打包
1 刪除掉 devServer 相關的配置項 2 將圖片和字體文件輸出到指定的文件夾中 3 自動刪除dist目錄 4 分離第三方包(將使用的vue等第三方包抽離到 vender.js 中) 5 壓縮混淆JS 以及 指定生成環境 6 抽取和壓縮CSS文件 7 壓縮HTML頁面 8 配合vue的異步組件,實現按需加載功能
limit
小於比圖片大,那麼圖片將被轉化爲base64
編碼格式/* webpack.prod.js */ // 處理URL路徑的loader { test: /\.(jpg|png|gif|bmp|jpeg)$/, use: { loader: 'url-loader', options: { limit: 8192, name: 'images/[hash:7].[ext]' // 做用:將圖片輸出到images文件夾中,文件名採用7位的哈希值(MD5),而且保持原來的圖片文件擴展名 // name:指定文件輸出路徑和輸出文件命令規則 // [hash:7]:表示使用7位哈希值表明文件名稱 // [ext]:表示保持文件原有後綴名 // name: 'imgs/img-[hash:7].[ext]' } } },
npm i -D clean-webpack-plugin
/* webpack.prod.js */ const cleanWebpackPlugin = require('clean-webpack-plugin') plugins: [ // 建立一個刪除文件夾的插件,刪除dist目錄 new cleanWebpackPlugin(['./dist']) ]
目的:將公共的第三方包,抽離爲一個單獨的包文件,這樣防止重複打包!
/* webpack.prod.js */ // 1 入口 -- 打包文件的入口 entry: { // 項目代碼入口 app: path.join(__dirname, './src/js/main.js'), // 第三方包入口 vendor: ['vue', 'vue-router', 'axios'] }, output: { // 2 修改輸出文件路徑和命名規則 filename: 'js/[name].[chunkhash].js', }, plugins: [ // 3 抽離第三方包 new webpack.optimize.CommonsChunkPlugin({ // 將 entry 中指定的 ['vue', 'vue-router', 'axios'] 打包到名爲 vendor 的js文件中 // 第三方包入口名稱,對應 entry 中的 vendor 屬性 name: 'vendor', }), ]
plugins: [
// 優化代碼 // https://github.com/webpack-contrib/uglifyjs-webpack-plugin/tree/v0.4.6 new webpack.optimize.UglifyJsPlugin({ // 壓縮 compress: { // 移除警告 warnings: false } }), // 指定環境爲生產環境:vue會根據這一項啓用壓縮後的vue文件 new webpack.DefinePlugin({ 'process.env': { 'NODE_ENV': JSON.stringify('production') } }) ]
npm i -D extract-text-webpack-plugin
npm i -D optimize-css-assets-webpack-plugin
壓縮和抽離CSS報錯的說明:
Error processing file: css/style.css postcss-svgo: Error in parsing SVG: Unquoted attribute value 緣由:壓縮和抽離CSS的插件中只容許 SVG 使用雙引號
/* webpack.prod.js */ // 分離 css 到獨立的文件中 const ExtractTextPlugin = require("extract-text-webpack-plugin"); // 壓縮 css 資源文件 const OptimizeCssAssetsPlugin = require('optimize-css-assets-webpack-plugin') // bug描述: 生成後面的css文件中圖片路徑錯誤,打開頁面找不到圖片 // 解決:google搜索 webpack css loader 樣式圖片路徑 output: { // ... // https://doc.webpack-china.org/configuration/output/#output-publicpath // 設置公共路徑 publicPath: '/', }, module: { rules: [ { test: /\.css$/, use: ExtractTextPlugin.extract({ fallback: "style-loader", use: "css-loader" }) }, { test: /\.scss$/, use: ExtractTextPlugin.extract({ fallback: "style-loader", use: ['css-loader', 'sass-loader'] }) }, ] }, plugins: [ // 經過插件抽離 css (參數) new ExtractTextPlugin("css/style.css"), // 抽離css 的輔助壓縮插件 new OptimizeCssAssetsPlugin() ]
new htmlWebpackPlugin({ // 模板頁面 template: path.join(__dirname, './index.html'), // 壓縮HTML minify: { // 移除空白 collapseWhitespace: true, // 移除註釋 removeComments: true, // 移除屬性中的雙引號 removeAttributeQuotes: true } }),
// 方式一: require.ensure() const NewsList = r => require.ensure([], () => r(require('../components/news/newslist.vue')), 'news') // 方式二: import() -- 推薦 // 注意:/* webpackChunkName: "newsinfo" */ 是一個特殊的語法,表示生成js文件的名稱 const NewsInfo = () => import(/* webpackChunkName: "newsinfo" */ '../components/news/newsinfo.vue')
output: { // ------添加 chunkFilename, 指定輸出js文件的名稱------ chunkFilename: 'js/[name].[chunkhash].js', },