使用vue时,我们经常会碰到method互相调用的情况,那么有什么实现的方式呢
方法一:直接使用this调用
methods: {
methodA() {
console.log("I'm A");
},
methodB() {
console.log("I'm B");
this.methodA();
},
},
测试结果 data:image/s3,"s3://crabby-images/74a0d/74a0de23f4c2facad6690a14b1a654b639a4d679" alt="在这里插入图片描述" 解释 可以这样使用的原因是,methods会被混入到vue实例中,而此处this指向的是vue实例,因此可以直接从vue实例中获取。打印this就可以看到这些方法。 data:image/s3,"s3://crabby-images/bede2/bede2964f6c65a349f3d102fee7df10f8cda5be7" alt="在这里插入图片描述"
方法二:使用 this.$options.methods
methods: {
methodA() {
console.log("I'm A");
},
methodB() {
console.log("I'm B");
this.$options.methods.methodA();
},
},
结果 data:image/s3,"s3://crabby-images/71031/710314fb2b2a642f802252fa07da53205546d2cf" alt="在这里插入图片描述" 解释 vm.$options用于当前 Vue 实例的初始化选项。通常可以用来获取自定义的option。当然也可以使用它获取到其他的option,比如methods、data等等,这些option是通过原型链得到的。 data:image/s3,"s3://crabby-images/efb93/efb93e818006fab1c539de25e2a7ffc451a1bc87" alt="在这里插入图片描述"
特别注意 使用this.$options.methods 来调用方法时,被调用的方法中this的指向实际已经改变,不再指向vm 而是指向vm.$options.methods 。因此,如果被调用函数想要获取vue实例中的某些内容,比如data中的变量,这种情况就需要使用bind来改变被调用函数this的指向。
data() {
return {
msg: "Welcome",
};
},
methods: {
methodA() {
console.log("I'm A");
console.log(this.msg);
},
methodB() {
console.log("I'm B");
this.$options.methods.methodA();
this.$options.methods.methodA.bind(this)();
},
},
data:image/s3,"s3://crabby-images/e145a/e145a248117e8f996563a52155b07b35115cc675" alt="在这里插入图片描述"
|