自定义指令
1.效果实现
定义全局指令:v-focus
==> document.getElementById(‘search’).focus()
// 定义全局的指令 v-focus
Vue.directive("focus",{
bind:function(el){
},
inserted:function(el){
el.focus()
},
updated:function(el){
}
})
使用:
搜索关键字:<input type="text" class="form-control" v-model="keywords" v-focus v-color="'red'">
我们可以看到刷新后搜索框获取到了焦点,说明我们创建的v-focus生效了
2.注意点说明
2.1 参数方法
然后就是我们在定义v-focus指令的时候的第二个参数是一个对象,这个对象身上,有一些指令相关的函数,这些函数可以在特定的阶段,执行相关的操作,那么这几个方法分别是什么含义呢?如下
钩子方法 | 说明 |
bind | 每当指令绑定到元素上的时候,会立即执行这个 bind 函数,只执行一次 |
inserted | 表示元素 插入到DOM中的时候,会执行 inserted 函数【触发1次】 |
updated | 当VNode更新的时候,会执行 updated, 可能会触发多次 |
2.2 方法的参数值
我们调用的bind方法或者inserted方法的参数值是怎么设置的。
第一个参数,永远是el ,表示被绑定了指令的那个元素,这个el参数,是一个原生的JS对象
第二个参数,binding:一个对象,包含以下属性
参数 | 说明 |
name | 指令名,不包括 v- 前缀。 |
value | 指令的绑定值 |
oldValue | 指令绑定的前一个值,仅在 update 和 componentUpdated 钩子中可用。无论值是否改变都可用。 |
expression | 字符串形式的指令表达式。例如 v-my-directive=“1 + 1” 中,表达式为 “1 + 1”。 |
arg | 传给指令的参数,可选。例如:v-my-directive:foo 中,参数为 “foo”。 |
modifiers | 一个包含修饰符的对象。例如:v-my-directive.foo.bar 中,修饰符对象为 { foo: true, bar:true }。 |
2.3 什么场景下调用什么方法
上面介绍的各个方法在什么场景下调用呢?记住如下原则即可。
- 和样式相关的操作,一般都可以在 bind 执行
- 和JS行为有关的操作,最好在 inserted 中去执行
3.小案例
添加一个设置颜色属性的指令v-color, 我们系统指令能够动态的接收数据来改变
Vue.directive("color", {
bind: function(el, binding) {
// el.style.color = 'red';
el.style.color = binding.value;
}
});
自定义私有指令
和前面介绍的过滤器一样,全局指令其他的vm对象都可以共享,我们也可以为每个vm对象创建私有的指令,如下
<h3 class="panel-title" v-fontweight="900" v-fontsize="35">品牌管理</h3>
directives: {
"fontweight": {
bind: function(el, binding) {
el.style.fontWeight = binding.value;
}
},
// 这个 function 等于 把代码写到了 bind 和 update 中去
"fontsize": function(el, binding) {
el.style.fontSize = parseInt(binding.value) + "px";
}
}
函数简写
在很多时候,你可能想在 bind 和 update 时触发相同行为,而不关心其它的钩子。