首先,Vue.directive要在實例初始化以前,否則會報錯,還有,定義的指令不支持駝峯式寫法,也會報下面一樣的錯,雖然在源碼中沒有找到在哪裏統一處理大小寫,可是在有關directive的方法中捕捉到的指令命名統一變爲小寫,因此,仍是用'-'或者'_'分割吧。javascript
vue.js:491 [Vue warn]: Failed to resolve directive: xxx
而後,其定義方式有兩種,一種是Vue.directive('xxx', function(el, bind, vNode){}),其中el爲dom,vNode爲vue的虛擬dom,bind爲一較複雜對象,詳情可見Vue-directive鉤子函數中的參數的參數,還有一種,爲html
Vue.directive('my-directive', { bind: function () {}, inserted: function () {}, update: function () {}, componentUpdated: function () {}, unbind: function () {} })
參數表明的含義,參見鉤子函數描述vue
最後,要使用自定義的指令,只需在對用的元素中,加上'v-'的前綴造成相似於內部指令'v-if','v-text'的形式。java
// Vue.directive Vue.directive('test_directive', function(el, bind, vNode){ el.style.color = bind.value; }); var app = new Vue({ el: '#app', data: { num: 10, color: 'red' }, methods: { add: function(){ this.num++; } } });
固然,也能夠將method中的方法加入,bind.value即爲methods中的方法。app
<div id="app"> <div v-test_directive="changeColor">{{num}}</div> <button @click="add">增長</button> </div> <script type="text/javascript"> // Vue.directive Vue.directive('test_directive', function(el, bind, vNode){ el.style.color = bind.value(); }); var app = new Vue({ el: '#app', data: { num: 10, color: 'red' }, methods: { add: function(){ this.num++; }, changeColor: function(){ return this.color; } } });
這種形式,能夠模仿'v-once',並進行必定的複雜邏輯,可是想要徹底達到'v-once',可能須要考慮Vue-directive的鉤子函數各個週期。下面是固定num的值,使得add的方法無效。dom
<div id="app"> <div v-test_directive="changeColor">{{num}}</div> <button @click="add">增長</button> </div> <script type="text/javascript"> // Vue.directive Vue.directive('test_directive', function(el, bind, vNode){ el.style.color = bind.value(); }); var app = new Vue({ el: '#app', data: { num: 10, color: 'red' }, methods: { add: function(){ this.num++; }, changeColor: function(){ this.num = 20; return this.color; } } });