前言
Vue 3.x 的Pre-Alpha 版本。後面應該還會有 Alpha、Beta 等版本,預計至少要等到 2020 年第一季度纔有可能發佈 3.0 正式版;
因此應該趁還沒出來加緊打好 Vue2.x 的基礎;
Vue基本用法很容易上手,可是有不少優化的寫法你就不必定知道了,本文從列舉了 36 個 vue 開發技巧;
後續 Vue 3.x 出來後持續更新.javascript
1.require.context()
1.場景:如頁面須要導入多個組件,原始寫法:css
import titleCom from '@/components/home/titleCom' import bannerCom from '@/components/home/bannerCom' import cellCom from '@/components/home/cellCom' components:{titleCom,bannerCom,cellCom} 複製代碼
2.這樣就寫了大量重複的代碼,利用 require.context 能夠寫成vue
const path = require('path') const files = require.context('@/components/home', false, /\.vue$/) const modules = {} files.keys().forEach(key => { const name = path.basename(key, '.vue') modules[name] = files(key).default || files(key) }) components:modules 複製代碼
這樣無論頁面引入多少組件,均可以使用這個方法java
3.API 方法node
其實是 webpack 的方法,vue 工程通常基於 webpack,因此可使用
require.context(directory,useSubdirectories,regExp)
接收三個參數:
directory:說明須要檢索的目錄
useSubdirectories:是否檢索子目錄
regExp: 匹配文件的正則表達式,通常是文件名
複製代碼
2.watch
2.1 經常使用用法
1.場景:表格初始進來須要調查詢接口 getList(),而後input 改變會從新查詢webpack
created(){ this.getList() }, watch: { inpVal(){ this.getList() } } 複製代碼
2.2 當即執行
2.能夠直接利用 watch 的immediate和handler屬性簡寫es6
watch: {
inpVal:{
handler: 'getList', immediate: true } } 複製代碼
2.3 深度監聽
3.watch 的 deep 屬性,深度監聽,也就是監聽複雜數據類型web
watch:{
inpValObj:{
handler(newVal,oldVal){
console.log(newVal)
console.log(oldVal)
},
deep:true } } 複製代碼
此時發現oldVal和 newVal 值同樣; 由於它們索引同一個對象/數組,Vue 不會保留修改以前值的副本; 因此深度監聽雖然能夠監聽到對象的變化,可是沒法監聽到具體對象裏面那個屬性的變化正則表達式
3. 14種組件通信
3.1 props
這個應該很是屬性,就是父傳子的屬性; props 值能夠是一個數組或對象;vue-router
// 數組:不建議使用
props:[]
// 對象
props:{
inpVal:{
type:Number, //傳入值限定類型 // type 值可爲String,Number,Boolean,Array,Object,Date,Function,Symbol // type 還能夠是一個自定義的構造函數,而且經過 instanceof 來進行檢查確認 required: true, //是否必傳 default:200, //默認值,對象或數組默認值必須從一個工廠函數獲取如 default:()=>[] validator:(value) { // 這個值必須匹配下列字符串中的一個 return ['success', 'warning', 'danger'].indexOf(value) !== -1 } } } 複製代碼
3.2 $emit
這個也應該很是常見,觸發子組件觸發父組件給本身綁定的事件,其實就是子傳父的方法
// 父組件
<home @title="title"> // 子組件 this.$emit('title',[{title:'這是title'}]) 複製代碼
3.3 vuex
1.這個也是很經常使用的,vuex 是一個狀態管理器 2.是一個獨立的插件,適合數據共享多的項目裏面,由於若是隻是簡單的通信,使用起來會比較重 3.API
state:定義存貯數據的倉庫 ,可經過this.$store.state 或mapState訪問 getter:獲取 store 值,可認爲是 store 的計算屬性,可經過this.$store.getter 或 mapGetters訪問 mutation:同步改變 store 值,爲何會設計成同步,由於mutation是直接改變 store 值, vue 對操做進行了記錄,若是是異步沒法追蹤改變.可經過mapMutations調用 action:異步調用函數執行mutation,進而改變 store 值,可經過 this.$dispatch或mapActions 訪問 modules:模塊,若是狀態過多,能夠拆分紅模塊,最後在入口經過...解構引入 複製代碼
3.4 listeners
2.4.0 新增 這兩個是不經常使用屬性,可是高級用法很常見; 1.attrs獲取子傳父中未在 props 定義的值
// 父組件
<home title="這是標題" width="80" height="80" imgUrl="imgUrl"/> // 子組件 mounted() { console.log(this.$attrs) //{title: "這是標題", width: "80", height: "80", imgUrl: "imgUrl"} }, 複製代碼
相對應的若是子組件定義了 props,打印的值就是剔除定義的屬性
props: {
width: {
type: String, default: '' } }, mounted() { console.log(this.$attrs) //{title: "這是標題", height: "80", imgUrl: "imgUrl"} }, 複製代碼
2.listeners" 傳入內部組件——在建立更高層次的組件時很是有用
// 父組件
<home @change="change"/> // 子組件 mounted() { console.log(this.$listeners) //便可拿到 change 事件 } 複製代碼
若是是孫組件要訪問父組件的屬性和調用方法,直接一級一級傳下去就能夠
3.inheritAttrs
// 父組件
<home title="這是標題" width="80" height="80" imgUrl="imgUrl"/> // 子組件 mounted() { console.log(this.$attrs) //{title: "這是標題", width: "80", height: "80", imgUrl: "imgUrl"} }, inheritAttrs默認值爲true,true的意思是將父組件中除了props外的屬性添加到子組件的根節點上(說明,即便設置爲true,子組件仍然能夠經過$attr獲取到props意外的屬性) 將inheritAttrs:false後,屬性就不會顯示在根節點上了 複製代碼
3.5 provide和inject
2.2.0 新增 描述: provide 和 inject 主要爲高階插件/組件庫提供用例。並不推薦直接用於應用程序代碼中; 而且這對選項須要一塊兒使用; 以容許一個祖先組件向其全部子孫後代注入一個依賴,不論組件層次有多深,並在起上下游關係成立的時間裏始終生效。
//父組件:
provide: { //provide 是一個對象,提供一個屬性或方法
foo: '這是 foo', fooMethod:()=>{ console.log('父組件 fooMethod 被調用') } }, // 子或者孫子組件 inject: ['foo','fooMethod'], //數組或者對象,注入到子組件 mounted() { this.fooMethod() console.log(this.foo) } //在父組件下面全部的子組件均可以利用inject 複製代碼
provide 和 inject 綁定並非可響應的。這是官方刻意爲之的。 然而,若是你傳入了一個可監聽的對象,那麼其對象的屬性仍是可響應的,對象是由於是引用類型
//父組件:
provide: {
foo: '這是 foo' }, mounted(){ this.foo='這是新的 foo' } // 子或者孫子組件 inject: ['foo'], mounted() { console.log(this.foo) //子組件打印的仍是'這是 foo' } 複製代碼
3.6 children
children:子實例
//父組件
mounted(){ console.log(this.$children) //能夠拿到 一級子組件的屬性和方法 //因此就能夠直接改變 data,或者調用 methods 方法 } //子組件 mounted(){ console.log(this.$parent) //能夠拿到 parent 的屬性和方法 } 複製代碼
parent 並不保證順序,也不是響應式的 只能拿到一級父組件和子組件
3.7 $refs
// 父組件
<home ref="home"/> mounted(){ console.log(this.$refs.home) //便可拿到子組件的實例,就能夠直接操做 data 和 methods } 複製代碼
3.8 $root
// 父組件
mounted(){ console.log(this.$root) //獲取根實例,最後全部組件都是掛載到根實例上 console.log(this.$root.$children[0]) //獲取根實例的一級子組件 console.log(this.$root.$children[0].$children[0]) //獲取根實例的二級子組件 } 複製代碼
3.9 .sync
在 vue@1.x 的時候曾做爲雙向綁定功能存在,即子組件能夠修改父組件中的值; 在 vue@2.0 的因爲違背單項數據流的設計被幹掉了; 在 vue@2.3.0+ 以上版本又從新引入了這個 .sync 修飾符;
// 父組件
<home :title.sync="title" /> //編譯時會被擴展爲 <home :title="title" @update:title="val => title = val"/> // 子組件 // 因此子組件能夠經過$emit 觸發 update 方法改變 mounted(){ this.$emit("update:title", '這是新的title') } 複製代碼
3.10 v-slot
2.6.0 新增 1.slot,slot-cope,scope 在 2.6.0 中都被廢棄,但未被移除 2.做用就是將父組件的 template 傳入子組件 3.插槽分類: A.匿名插槽(也叫默認插槽): 沒有命名,有且只有一個;
// 父組件
<todo-list>
<template v-slot:default>
任意內容
<p>我是匿名插槽 </p>
</template>
</todo-list>
// 子組件
<slot>我是默認值</slot>
//v-slot:default寫上感受和具名寫法比較統一,容易理解,也能夠不用寫
複製代碼
B.具名插槽: 相對匿名插槽組件slot標籤帶name命名的;
// 父組件
<todo-list>
<template v-slot:todo>
任意內容
<p>我是匿名插槽 </p>
</template>
</todo-list>
//子組件
<slot name="todo">我是默認值</slot> 複製代碼
C.做用域插槽: 子組件內數據能夠被父頁面拿到(解決了數據只能從父頁面傳遞給子組件)
// 父組件
<todo-list>
<template v-slot:todo="slotProps" > {{slotProps.user.firstName}} </template> </todo-list> //slotProps 能夠隨意命名 //slotProps 接取的是子組件標籤slot上屬性數據的集合全部v-bind:user="user" // 子組件 <slot name="todo" :user="user" :test="test"> {{ user.lastName }} </slot> data() { return { user:{ lastName:"Zhang", firstName:"yue" }, test:[1,2,3,4] } }, // {{ user.lastName }}是默認數據 v-slot:todo 當父頁面沒有(="slotProps") 複製代碼
3.11 EventBus
1.就是聲明一個全局Vue實例變量 EventBus , 把全部的通訊數據,事件監聽都存儲到這個變量上; 2.相似於 Vuex。但這種方式只適用於極小的項目 3.原理就是利用emit 並實例化一個全局 vue 實現數據共享
// 在 main.js
Vue.prototype.$eventBus=new Vue() // 傳值組件 this.$eventBus.$emit('eventTarget','這是eventTarget傳過來的值') // 接收組件 this.$eventBus.$on("eventTarget",v=>{ console.log('eventTarget',v);//這是eventTarget傳過來的值 }) 複製代碼
4.能夠實現平級,嵌套組件傳值,可是對應的事件名eventTarget必須是全局惟一的
3.12 broadcast和dispatch
vue 1.x 有這兩個方法,事件廣播和派發,可是 vue 2.x 刪除了 下面是對兩個方法進行的封裝
function broadcast(componentName, eventName, params) { this.$children.forEach(child => { var name = child.$options.componentName; if (name === componentName) { child.$emit.apply(child, [eventName].concat(params)); } else { broadcast.apply(child, [componentName, eventName].concat(params)); } }); } export default { methods: { dispatch(componentName, eventName, params) { var parent = this.$parent; var name = parent.$options.componentName; while (parent && (!name || name !== componentName)) { parent = parent.$parent; if (parent) { name = parent.$options.componentName; } } if (parent) { parent.$emit.apply(parent, [eventName].concat(params)); } }, broadcast(componentName, eventName, params) { broadcast.call(this, componentName, eventName, params); } } } 複製代碼
3.13 路由傳參
1.方案一
// 路由定義
{
path: '/describe/:id', name: 'Describe', component: Describe } // 頁面傳參 this.$router.push({ path: `/describe/${id}`, }) // 頁面獲取 this.$route.params.id 複製代碼
2.方案二
// 路由定義
{
path: '/describe', name: 'Describe', omponent: Describe } // 頁面傳參 this.$router.push({ name: 'Describe', params: { id: id } }) // 頁面獲取 this.$route.params.id 複製代碼
3.方案三
// 路由定義
{
path: '/describe', name: 'Describe', component: Describe } // 頁面傳參 this.$router.push({ path: '/describe', query: { id: id `} ) // 頁面獲取 this.$route.query.id 複製代碼
4.三種方案對比 方案二參數不會拼接在路由後面,頁面刷新參數會丟失 方案一和三參數拼接在後面,醜,並且暴露了信息
3.14 Vue.observable
2.6.0 新增 用法:讓一個對象可響應。Vue 內部會用它來處理 data 函數返回的對象; 返回的對象能夠直接用於渲染函數和計算屬性內,而且會在發生改變時觸發相應的更新; 也能夠做爲最小化的跨組件狀態存儲器,用於簡單的場景。 通信原理實質上是利用Vue.observable實現一個簡易的 vuex
// 文件路徑 - /store/store.js
import Vue from 'vue' export const store = Vue.observable({ count: 0 }) export const mutations = { setCount (count) { store.count = count } } //使用 <template> <div> <label for="bookNum">數 量</label> <button @click="setCount(count+1)">+</button> <span>{{count}}</span> <button @click="setCount(count-1)">-</button> </div> </template> <script> import { store, mutations } from '../store/store' // Vue2.6新增API Observable export default { name: 'Add', computed: { count () { return store.count } }, methods: { setCount: mutations.setCount } } </script> 複製代碼
4.render 函數
1.場景:有些代碼在 template 裏面寫會重複不少,因此這個時候 render 函數就有做用啦
// 根據 props 生成標籤
// 初級
<template>
<div>
<div v-if="level === 1"> <slot></slot> </div> <p v-else-if="level === 2"> <slot></slot> </p> <h1 v-else-if="level === 3"> <slot></slot> </h1> <h2 v-else-if="level === 4"> <slot></slot> </h2> <strong v-else-if="level === 5"> <slot></slot> </stong> <textarea v-else-if="level === 6"> <slot></slot> </textarea> </div> </template> // 優化版,利用 render 函數減少了代碼重複率 <template> <div> <child :level="level">Hello world!</child> </div> </template> <script type='text/javascript'> import Vue from 'vue' Vue.component('child', { render(h) { const tag = ['div', 'p', 'strong', 'h1', 'h2', 'textarea'][this.level-1] return h(tag, this.$slots.default) }, props: { level: { type: Number, required: true } } }) export default { name: 'hehe', data() { return { level: 3 } } } </script> 複製代碼
2.render 和 template 的對比 前者適合複雜邏輯,後者適合邏輯簡單; 後者屬於聲明是渲染,前者屬於自定Render函數; 前者的性能較高,後者性能較低。
5.異步組件
場景:項目過大就會致使加載緩慢,因此異步組件實現按需加載就是必需要作的事啦 1.異步註冊組件 3種方法
// 工廠函數執行 resolve 回調
Vue.component('async-webpack-example', function (resolve) { // 這個特殊的 `require` 語法將會告訴 webpack // 自動將你的構建代碼切割成多個包, 這些包 // 會經過 Ajax 請求加載 require(['./my-async-component'], resolve) }) // 工廠函數返回 Promise Vue.component( 'async-webpack-example', // 這個 `import` 函數會返回一個 `Promise` 對象。 () => import('./my-async-component') ) // 工廠函數返回一個配置化組件對象 const AsyncComponent = () => ({ // 須要加載的組件 (應該是一個 `Promise` 對象) component: import('./MyComponent.vue'), // 異步組件加載時使用的組件 loading: LoadingComponent, // 加載失敗時使用的組件 error: ErrorComponent, // 展現加載時組件的延時時間。默認值是 200 (毫秒) delay: 200, // 若是提供了超時時間且組件加載也超時了, // 則使用加載失敗時使用的組件。默認值是:`Infinity` timeout: 3000 }) 複製代碼
異步組件的渲染本質上其實就是執行2次或者2次以上的渲染, 先把當前組件渲染爲註釋節點, 當組件加載成功後, 經過 forceRender 執行從新渲染。或者是渲染爲註釋節點, 而後再渲染爲loading節點, 在渲染爲請求完成的組件
2.路由的按需加載
webpack< 2.4 時
{
path:'/', name:'home', components:resolve=>require(['@/components/home'],resolve) } webpack> 2.4 時 { path:'/', name:'home', components:()=>import('@/components/home') } import()方法由es6提出,import()方法是動態加載,返回一個Promise對象,then方法的參數是加載到的模塊。相似於Node.js的require方法,主要import()方法是異步加載的。 複製代碼
6.動態組件
場景:作一個 tab 切換時就會涉及到組件動態加載
<component v-bind:is="currentTabComponent"></component> 複製代碼
可是這樣每次組件都會從新加載,會消耗大量性能,因此 就起到了做用
<keep-alive>
<component v-bind:is="currentTabComponent"></component> </keep-alive> 複製代碼
這樣切換效果沒有動畫效果,這個也不用着急,能夠利用內置的
<transition>
<keep-alive>
<component v-bind:is="currentTabComponent"></component> </keep-alive> </transition> 複製代碼
7.遞歸組件
場景:若是開發一個 tree 組件,裏面層級是根據後臺數據決定的,這個時候就須要用到動態組件
// 遞歸組件: 組件在它的模板內能夠遞歸的調用本身,只要給組件設置name組件就能夠了。
// 設置那麼House在組件模板內就能夠遞歸使用了,不過須要注意的是,
// 必須給一個條件來限制數量,不然會拋出錯誤: max stack size exceeded
// 組件遞歸用來開發一些具體有未知層級關係的獨立組件。好比:
// 聯級選擇器和樹形控件
<template>
<div v-for="(item,index) in treeArr"> 子組件,當前層級值: {{index}} <br/> <!-- 遞歸調用自身, 後臺判斷是否不存在改值 --> <tree :item="item.arr" v-if="item.flag"></tree> </div> </template> <script> export default { // 必須定義name,組件內部才能遞歸調用 name: 'tree', data(){ return {} }, // 接收外部傳入的值 props: { item: { type:Array, default: ()=>[] } } } </script> 複製代碼
遞歸組件必須設置name 和結束的閥值
8.函數式組件
定義:無狀態,沒法實例化,內部沒有任何生命週期處理方法 規則:在 2.3.0 以前的版本中,若是一個函數式組件想要接收 prop,則 props 選項是必須的。 在 2.3.0 或以上的版本中,你能夠省略 props 選項,全部組件上的特性都會被自動隱式解析爲 prop 在 2.5.0 及以上版本中,若是你使用了單文件組件(就是普通的.vue 文件),能夠直接在 template 上聲明functional 組件須要的一切都是經過 context 參數傳遞
context 屬性有: 1.props:提供全部 prop 的對象 2.children: VNode 子節點的數組 3.slots: 一個函數,返回了包含全部插槽的對象 4.scopedSlots: (2.6.0+) 一個暴露傳入的做用域插槽的對象。也以函數形式暴露普通插槽。 5.data:傳遞給組件的整個數據對象,做爲 createElement 的第二個參數傳入組件 6.parent:對父組件的引用 7.listeners: (2.3.0+) 一個包含了全部父組件爲當前組件註冊的事件監聽器的對象。這是 data.on 的一個別名。 8.injections: (2.3.0+) 若是使用了 inject 選項,則該對象包含了應當被注入的屬性
<template functional>
<div v-for="(item,index) in props.arr">{{item}}</div> </template> 複製代碼
9.components和 Vue.component
components:局部註冊組件
export default{ components:{home} } 複製代碼
Vue.component:全局註冊組件
Vue.component('home',home) 複製代碼
10.Vue.extend
場景:vue 組件中有些須要將一些元素掛載到元素上,這個時候 extend 就起到做用了 是構造一個組件的語法器 寫法:
// 建立構造器
var Profile = Vue.extend({
template: '<p>{{extendData}}</br>實例傳入的數據爲:{{propsExtend}}</p>',//template對應的標籤最外層必須只有一個標籤 data: function () { return { extendData: '這是extend擴展的數據', } }, props:['propsExtend'] }) // 建立的構造器能夠掛載到元素上,也能夠經過 components 或 Vue.component()註冊使用 // 掛載到一個元素上。能夠經過propsData傳參. new Profile({propsData:{propsExtend:'我是實例傳入的數據'}}).$mount('#app-extend') // 經過 components 或 Vue.component()註冊 Vue.component('Profile',Profile) 複製代碼
11.mixins
場景:有些組件有些重複的 js 邏輯,如校驗手機驗證碼,解析時間等,mixins 就能夠實現這種混入 mixins 值是一個數組
const mixin={
created(){ this.dealTime() }, methods:{ dealTime(){ console.log('這是mixin的dealTime裏面的方法'); } } } export default{ mixins:[mixin] } 複製代碼
12.extends
extends用法和mixins很類似,只不過接收的參數是簡單的選項對象或構造函數,因此extends只能單次擴展一個組件
const extend={
created(){ this.dealTime() }, methods:{ dealTime(){ console.log('這是mixin的dealTime裏面的方法'); } } } export default{ extends:extend } 複製代碼
13.Vue.use()
場景:咱們使用 element時會先 import,再 Vue.use()一下,實際上就是註冊組件,觸發 install 方法; 這個在組件調用會常用到; 會自動組織屢次註冊相同的插件.
14.install
場景:在 Vue.use()說到,執行該方法會觸發 install 是開發vue的插件,這個方法的第一個參數是 Vue 構造器,第二個參數是一個可選的選項對象(可選)
var MyPlugin = {};
MyPlugin.install = function (Vue, options) { // 2. 添加全局資源,第二個參數傳一個值默認是update對應的值 Vue.directive('click', { bind(el, binding, vnode, oldVnode) { //作綁定的準備工做,添加時間監聽 console.log('指令my-directive的bind執行啦'); }, inserted: function(el){ //獲取綁定的元素 console.log('指令my-directive的inserted執行啦'); }, update: function(){ //根據得到的新值執行對應的更新 //對於初始值也會調用一次 console.log('指令my-directive的update執行啦'); }, componentUpdated: function(){ console.log('指令my-directive的componentUpdated執行啦'); }, unbind: function(){ //作清理操做 //好比移除bind時綁定的事件監聽器 console.log('指令my-directive的unbind執行啦'); } }) // 3. 注入組件 Vue.mixin({ created: function () { console.log('注入組件的created被調用啦'); console.log('options的值爲',options) } }) // 4. 添加實例方法 Vue.prototype.$myMethod = function (methodOptions) { console.log('實例方法myMethod被調用啦'); } } //調用MyPlugin Vue.use(MyPlugin,{someOption: true }) //3.掛載 new Vue({ el: '#app' }); 複製代碼
更多請戳 vue中extend,mixins,extends,components,install的幾個操做
15. Vue.nextTick
2.1.0 新增 場景:頁面加載時須要讓文本框獲取焦點 用法:在下次 DOM 更新循環結束以後執行延遲迴調。在修改數據以後當即使用這個方法,獲取更新後的 DOM
mounted(){ //由於 mounted 階段 dom 並未渲染完畢,因此須要$nextTick this.$nextTick(() => { this.$refs.inputs.focus() //經過 $refs 獲取dom 並綁定 focus 方法 }) } 複製代碼
16.Vue.directive
16.1 使用
場景:官方給咱們提供了不少指令,可是咱們若是想將文字變成指定的顏色定義成指令使用,這個時候就須要用到Vue.directive
// 全局定義
Vue.directive("change-color",function(el,binding,vnode){ el.style["color"]= binding.value; }) // 使用 <template> <div v-change-color=「color」>{{message}}</div> </template> <script> export default{ data(){ return{ color:'green' } } } </script> 複製代碼
16.2 生命週期
1.bind 只調用一次,指令第一次綁定到元素時候調用,用這個鉤子能夠定義一個綁定時執行一次的初始化動做。 2.inserted:被綁定的元素插入父節點的時候調用(父節點存在便可調用,沒必要存在document中) 3.update: 被綁定與元素所在模板更新時調用,並且不管綁定值是否有變化,經過比較更新先後的綁定值,忽略沒必要要的模板更新 4.componentUpdate :被綁定的元素所在模板完成一次更新更新週期的時候調用 5.unbind: 只調用一次,指令月元素解綁的時候調用
17. Vue.filter
場景:時間戳轉化成年月日這是一個公共方法,因此能夠抽離成過濾器使用
// 使用
// 在雙花括號中
{{ message | capitalize }}
// 在 `v-bind` 中
<div v-bind:id="rawId | formatId"></div> // 全局註冊 Vue.filter('stampToYYMMDD', (value) =>{ // 處理邏輯 }) // 局部註冊 filters: { stampToYYMMDD: (value)=> { // 處理邏輯 } } // 多個過濾器全局註冊 // /src/common/filters.js let dateServer = value => value.replace(/(\d{4})(\d{2})(\d{2})/g, '$1-$2-$3') export { dateServer } // /src/main.js import * as custom from './common/filters/custom' Object.keys(custom).forEach(key => Vue.filter(key, custom[key])) 複製代碼
18.Vue.compile
場景:在 render 函數中編譯模板字符串。只在獨立構建時有效
var res = Vue.compile('<div><span>{{ msg }}</span></div>') new Vue({ data: { msg: 'hello' }, render: res.render, staticRenderFns: res.staticRenderFns }) 複製代碼
19.Vue.version
場景:有些開發插件須要針對不一樣 vue 版本作兼容,因此就會用到 Vue.version 用法:Vue.version()能夠獲取 vue 版本
var version = Number(Vue.version.split('.')[0]) if (version === 2) { // Vue v2.x.x } else if (version === 1) { // Vue v1.x.x } else { // Unsupported versions of Vue } 複製代碼
20.Vue.set()
場景:當你利用索引直接設置一個數組項時或你修改數組的長度時,因爲 Object.defineprototype()方法限制,數據不響應式更新 不過vue.3.x 將利用 proxy 這個問題將獲得解決 解決方案:
// 利用 set this.$set(arr,index,item) // 利用數組 push(),splice() 複製代碼
21.Vue.config.keyCodes
場景:自定義按鍵修飾符別名
// 將鍵碼爲 113 定義爲 f2
Vue.config.keyCodes.f2 = 113;
<input type="text" @keyup.f2="add"/> 複製代碼
22.Vue.config.performance
場景:監聽性能
Vue.config.performance = true 複製代碼
只適用於開發模式和支持 performance.mark API 的瀏覽器上
23.Vue.config.errorHandler
1.場景:指定組件的渲染和觀察期間未捕獲錯誤的處理函數 2.規則: 從 2.2.0 起,這個鉤子也會捕獲組件生命週期鉤子裏的錯誤。一樣的,當這個鉤子是 undefined 時,被捕獲的錯誤會經過 console.error 輸出而避免應用崩潰 從 2.4.0 起,這個鉤子也會捕獲 Vue 自定義事件處理函數內部的錯誤了 從 2.6.0 起,這個鉤子也會捕獲 v-on DOM 監聽器內部拋出的錯誤。另外,若是任何被覆蓋的鉤子或處理函數返回一個 Promise 鏈 (例如 async 函數),則來自其 Promise 鏈的錯誤也會被處理 3.使用
Vue.config.errorHandler = function (err, vm, info) { // handle error // `info` 是 Vue 特定的錯誤信息,好比錯誤所在的生命週期鉤子 // 只在 2.2.0+ 可用 } 複製代碼
24.Vue.config.warnHandler
2.4.0 新增 1.場景:爲 Vue 的運行時警告賦予一個自定義處理函數,只會在開發者環境下生效 2.用法:
Vue.config.warnHandler = function (msg, vm, trace) { // `trace` 是組件的繼承關係追蹤 } 複製代碼
25.v-pre
場景:vue 是響應式系統,可是有些靜態的標籤不須要屢次編譯,這樣能夠節省性能
<span v-pre>{{ this will not be compiled }}</span> 顯示的是{{ this will not be compiled }}
<span v-pre>{{msg}}</span> 即便data裏面定義了msg這裏仍然是顯示的{{msg}}
複製代碼
26.v-cloak
場景:在網速慢的狀況下,在使用vue綁定數據的時候,渲染頁面時會出現變量閃爍 用法:這個指令保持在元素上直到關聯實例結束編譯。和 CSS 規則如 [v-cloak] { display: none } 一塊兒用時,這個指令能夠隱藏未編譯的 Mustache 標籤直到實例準備完畢
// template 中
<div class="#app" v-cloak> <p>{{value.name}}</p> </div> // css 中 [v-cloak] { display: none; } 複製代碼
這樣就能夠解決閃爍,可是會出現白屏,這樣能夠結合骨架屏使用
27.v-once
場景:有些 template 中的靜態 dom 沒有改變,這時就只須要渲染一次,能夠下降性能開銷
<span v-once> 這時只須要加載一次的標籤</span>
複製代碼
v-once 和 v-pre 的區別: v-once只渲染一次;v-pre不編譯,原樣輸出
28.事件修飾符
.stop:阻止冒泡
.prevent:阻止默認行爲
.self:僅綁定元素自身觸發
.once: 2.1.4 新增,只觸發一次
.passive: 2.3.0 新增,滾動事件的默認行爲 (即滾動行爲) 將會當即觸發,不能和.prevent 一塊兒使用
複製代碼
29.按鍵修飾符和按鍵碼
場景:有的時候須要監聽鍵盤的行爲,如按下 enter 去查詢接口等
// 對應鍵盤上的關鍵字
.enter
.tab
.delete (捕獲「刪除」和「退格」鍵)
.esc
.space
.up
.down
.left
.right
複製代碼
30.Vue-router
場景:Vue-router 是官方提供的路由插件
30.1 緩存和動畫
1.路由是使用官方組件 vue-router,使用方法相信你們很是熟悉;
2.這裏我就敘述下路由的緩存和動畫;
3.能夠用exclude(除了)或者include(包括),2.1.0 新增來坐判斷
<transition>
<keep-alive :include="['a', 'b']"> //或include="a,b" :include="/a|b/",a 和 b 表示組件的 name //由於有些頁面,如試試數據統計,要實時刷新,因此就不須要緩存 <router-view/> //路由標籤 </keep-alive> <router-view exclude="c"/> // c 表示組件的 name值 </transition> 複製代碼
注:匹配首先檢查組件自身的 name 選項,若是 name 選項不可用,則匹配它的局部註冊名稱 (父組件 components 選項的鍵值)。匿名組件不能被匹配
4.用 v-if 作判斷,組件會從新渲染,可是不用一一列舉組件 name
30.2 全局路由鉤子
1.router.beforeEach
router.beforeEach((to, from, next) => {
console.log('全局前置守衛:beforeEach -- next須要調用') //通常登陸攔截用這個,也叫導航鉤子守衛 if (path === '/login') { next() return } if (token) { next(); } }) 複製代碼
2.router.beforeResolve (v 2.5.0+) 和beforeEach相似,區別是在導航被確認以前,同時在全部組件內守衛和異步路由組件被解析以後,解析守衛就被調用 即在 beforeEach以後調用
3.router.afterEach 全局後置鉤子 在全部路由跳轉結束的時候調用 這些鉤子不會接受 next 函數也不會改變導航自己
30.3 組件路由鉤子
1.beforeRouteEnter 在渲染該組件的對應路由被確認前調用,用法和參數與router.beforeEach相似,next須要被主動調用 此時組件實例還未被建立,不能訪問this 能夠經過傳一個回調給 next來訪問組件實例。在導航被確認的時候執行回調,而且把組件實例做爲回調方法的參數
beforeRouteEnter (to, from, next) {
// 這裏還沒法訪問到組件實例,this === undefined
next( vm => {
// 經過 `vm` 訪問組件實例
})
}
複製代碼
2.beforeRouteUpdate (v 2.2+) 在當前路由改變,而且該組件被複用時調用,能夠經過this訪問實例, next須要被主動調用,不能傳回調
3.beforeRouteLeave 導航離開該組件的對應路由時調用,能夠訪問組件實例 this,next須要被主動調用,不能傳回調
30.4 路由模式
設置 mode 屬性:hash或 history
30.5 Vue.$router
this.$router.push():跳轉到不一樣的url,但這個方法迴向history棧添加一個記錄,點擊後退會返回到上一個頁面 this.$router.replace():不會有記錄 this.$router.go(n):n可爲正數可爲負數。正數返回上一個頁面,相似 window.history.go(n) 複製代碼
30.6 Vue.$route
表示當前跳轉的路由對象,屬性有: name:路由名稱 path:路徑 query:傳參接收值 params:傳參接收值 fullPath:完成解析後的 URL,包含查詢參數和 hash 的完整路徑 matched:路由記錄副本 redirectedFrom:若是存在重定向,即爲重定向來源的路由的名字
this.$route.params.id:獲取經過 params 或/:id傳參的參數 this.$route.query.id:獲取經過 query 傳參的參數 複製代碼
30.7 router-view 的 key
場景:因爲 Vue 會複用相同組件, 即 /page/1 => /page/2 或者 /page?id=1 => /page?id=2 這類連接跳轉時, 將不在執行created, mounted之類的鉤子
<router-view :key="$route.fullpath"></router-view> 複製代碼
這樣組件的 created 和 mounted 就都會執行
31.Object.freeze
場景:一個長列表數據,通常不會更改,可是vue會作getter和setter的轉換 用法:是ES5新增的特性,能夠凍結一個對象,防止對象被修改 支持:vue 1.0.18+對其提供了支持,對於data或vuex裏使用freeze凍結了的對象,vue不會作getter和setter的轉換 注意:凍結只是凍結裏面的單個屬性,引用地址仍是能夠更改
new Vue({
data: {
// vue不會對list裏的object作getter、setter綁定
list: Object.freeze([
{ value: 1 },
{ value: 2 }
])
},
mounted () { // 界面不會有響應,由於單個屬性被凍結 this.list[0].value = 100; // 下面兩種作法,界面都會響應 this.list = [ { value: 100 }, { value: 200 } ]; this.list = Object.freeze([ { value: 100 }, { value: 200 } ]); } }) 複製代碼
32.調試 template
場景:在Vue開發過程當中, 常常會遇到template模板渲染時JavaScript變量出錯的問題, 此時也許你會經過console.log來進行調試 這時能夠在開發環境掛載一個 log 函數
// main.js
Vue.prototype.$log = window.console.log; // 組件內部 <div>{{$log(info)}}</div> 複製代碼
33.vue-loader 小技巧
33.1 preserveWhitespace
場景:開發 vue 代碼通常會有空格,這個時候打包壓縮若是不去掉空格會加大包的體積 配置preserveWhitespace能夠減少包的體積
{
vue: {
preserveWhitespace: false } } 複製代碼
33.2 transformToRequire
場景:之前在寫 Vue 的時候常常會寫到這樣的代碼:把圖片提早 require 傳給一個變量再傳給組件
// page 代碼
<template>
<div>
<avatar :img-src="imgSrc"></avatar> </div> </template> <script> export default { created () { this.imgSrc = require('./assets/default-avatar.png') } } </script> 複製代碼
如今:經過配置 transformToRequire 後,就能夠直接配置,這樣vue-loader會把對應的屬性自動 require 以後傳給組件
// vue-cli 2.x在vue-loader.conf.js 默認配置是
transformToRequire: {
video: ['src', 'poster'], source: 'src', img: 'src', image: 'xlink:href' } // 配置文件,若是是vue-cli2.x 在vue-loader.conf.js裏面修改 avatar: ['default-src'] // vue-cli 3.x 在vue.config.js // vue-cli 3.x 將transformToRequire屬性換爲了transformAssetUrls module.exports = { pages, chainWebpack: config => { config .module .rule('vue') .use('vue-loader') .loader('vue-loader') .tap(options => { options.transformAssetUrls = { avatar: 'img-src', } return options; }); } } // page 代碼能夠簡化爲 <template> <div> <avatar img-src="./assets/default-avatar.png"></avatar> </div> </template> 複製代碼
34.爲路徑設置別名
1.場景:在開發過程當中,咱們常常須要引入各類文件,如圖片、CSS、JS等,爲了不寫很長的相對路徑(../),咱們能夠爲不一樣的目錄配置一個別名
2.vue-cli 2.x 配置
// 在 webpack.base.config.js中的 resolve 配置項,在其 alias 中增長別名 resolve: { extensions: ['.js', '.vue', '.json'], alias: { 'vue$': 'vue/dist/vue.esm.js', '@': resolve('src'), } }, 複製代碼
3.vue-cli 3.x 配置
// 在根目錄下建立vue.config.js
var path = require('path') function resolve (dir) { console.log(__dirname) return path.join(__dirname, dir) } module.exports = { chainWebpack: config => { config.resolve.alias .set(key, value) // key,value自行定義,好比.set('@@', resolve('src/components')) } } 複製代碼
35.img 加載失敗
場景:有些時候後臺返回圖片地址不必定能打開,因此這個時候應該加一張默認圖片
// page 代碼
<img :src="imgUrl" @error="handleError" alt=""> <script> export default{ data(){ return{ imgUrl:'' } }, methods:{ handleError(e){ e.target.src=reqiure('圖片路徑') //固然若是項目配置了transformToRequire,參考上面 27.2 } } } </script> 複製代碼
36.css
36.1 局部樣式
1.Vue中style標籤的scoped屬性表示它的樣式只做用於當前模塊,是樣式私有化.
2.渲染的規則/原理: 給HTML的DOM節點添加一個 不重複的data屬性 來表示 惟一性 在對應的 CSS選擇器 末尾添加一個當前組件的 data屬性選擇器來私有化樣式,如:.demo[data-v-2311c06a]{} 若是引入 less 或 sass 只會在最後一個元素上設置
// 原始代碼
<template>
<div class="demo"> <span class="content"> Vue.js scoped </span> </div> </template> <style lang="less" scoped> .demo{ font-size: 16px; .content{ color: red; } } </style> // 瀏覽器渲染效果 <div data-v-fed36922> Vue.js scoped </div> <style type="text/css"> .demo[data-v-039c5b43] { font-size: 14px; } .demo .content[data-v-039c5b43] { //.demo 上並無加 data 屬性 color: red; } </style> 複製代碼
36.2 deep 屬性
// 上面樣式加一個 /deep/
<style lang="less" scoped> .demo{ font-size: 14px; } .demo /deep/ .content{ color: blue; } </style> // 瀏覽器編譯後 <style type="text/css"> .demo[data-v-039c5b43] { font-size: 14px; } .demo[data-v-039c5b43] .content { color: blue; } </style>