基础
混入 (mixins) 是一种分发 Vue 组件中可复用功能的非常灵活的方式。混入对象可以包含任意组件选项。当组件使用混入对象时,所有混入对象的选项将被混入该组件本身的选项。
例子:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18
| var myMixin = { created: function() { this.hello(); }, methods: { hello: function() { console.log('hello from mixin!'); } } };
var Component = Vue.extend({ mixins: [myMixin] });
var component = new Component();
|
选项合并
当组件和混入对象含有同名选项时,这些选项将以恰当的方式混合。
比如,数据对象在内部会进行浅合并 (一层属性深度),在和组件的数据发生冲突时以组件数据优先。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22
| var mixin = { data: function() { return { message: 'hello', foo: 'abc' }; } };
new Vue({ mixins: [mixin], data: function() { return { message: 'goodbye', bar: 'def' }; }, created: function() { console.log(this.$data); } });
|
同名钩子函数将混合为一个数组,因此都将被调用。另外,混入对象的钩子将在组件自身钩子之前调用。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
| var mixin = { created: function() { console.log('混入对象的钩子被调用'); } };
new Vue({ mixins: [mixin], created: function() { console.log('组件钩子被调用'); } });
|
值为对象的选项,例如 methods
, components
和 directives
,将被混合为同一个对象。两个对象键名冲突时,取组件对象的键值对。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26
| var mixin = { methods: { foo: function() { console.log('foo'); }, conflicting: function() { console.log('from mixin'); } } };
var vm = new Vue({ mixins: [mixin], methods: { bar: function() { console.log('bar'); }, conflicting: function() { console.log('from self'); } } });
vm.foo(); vm.bar(); vm.conflicting();
|
注意:Vue.extend()
也使用同样的策略进行合并。
全局混入
也可以全局注册混入对象。注意使用! 一旦使用全局混入对象,将会影响到 所有 之后创建的 Vue 实例。使用恰当时,可以为自定义对象注入处理逻辑。
1 2 3 4 5 6 7 8 9 10 11 12 13 14
| Vue.mixin({ created: function() { var myOption = this.$options.myOption; if (myOption) { console.log(myOption); } } });
new Vue({ myOption: 'hello!' });
|