4

Mixins是一种分发Vue组件中可复用功能的非常灵活的一种方式
什么时候使用Mixins?

页面的风格不用,但是执行的方法和需要的数据类似,此时应该提取出公共部分
// mixin.js

export const toggle = {
    data () {
        isshowing: false
    },
    methods: {
        toggleShow() {
            this.isshowing = !this.isshowing
        }
    }
}

// modal.vue
// 将mixin引入该组件,就可以直接使用 toggleShow() 了

import {mixin} from '../mixin.js'

export default {
    mixins: [mixin],
    mounted () {
        
    }
}

合并
当组件和混入对象含有同名选项时,这些选项将以恰当的方式混合

一、数据对象内
mixin的数据对象和组件的数据发生冲突时以组件数据优先

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)
    // => { message: "goodbye", foo: "abc", bar: "def" }
  }
})

二、钩子函数
同名钩子函数将会混合为一个数组,都将被调用到,但是混入对象的钩子将在组件自身钩子之前调用

var mixin = {
  created: function () {
    console.log('混入对象的钩子被调用')
  }
}

new Vue({
  mixins: [mixin],
  created: function () {
    console.log('组件钩子被调用')
  }
})

// => "混入对象的钩子被调用"
// => "组件钩子被调用"
三、值为对象的选项

值为对象的选项,例如 methods, components 和 directives,将被混合为同一个对象。两个对象键名冲突时,取组件对象的键值对

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() // => "foo"
vm.bar() // => "bar"
vm.conflicting() // => "from self"

全局混入
全局混合被注册到了每个单一组件上。因此,它们的使用场景极其有限并且要非常的小心

Vue.mixin({
    mounted() {
        console.log("我是mixin");
    }
})

new Vue({
    ...
})

再次提醒,小心使用! console.log将会出现在每个组件上


漫姐贼6
26 声望1 粉丝