注意:
一般不要混合使用: methods 中可以访问 setup 提供的属性和方法, 但在 setup 方法中不能访问 data 和 methods
setup 不能是一个 async 函数: 因为返回值不再是 return 的对象, 而是 promise, 模板看不到 return 对象中的属性数据
<template>
<h2>App</h2>
<p>msg: {{msg}}</p>
<button @click="fn('--')">更新</button>
<child :msg="msg" msg2="cba" @fn="fn" />
</template>
<script lang="ts">
import { reactive, ref } from "vue";
import child from "./child.vue";
export default {
components: {
child,
},
setup() {
const msg = ref("abc");
function fn(content: string) {
msg.value += content;
}
return {
msg,
fn,
};
},
};
</script>
<template>
<div>
<h3>{{n}}</h3>
<h3>{{m}}</h3>
<h3>msg: {{msg}}</h3>
<h3>msg2: {{$attrs.msg2}}</h3>
<slot name="xxx"></slot>
<button @click="update">更新</button>
</div>
</template>
<script lang="ts">
import { ref, defineComponent } from "vue";
export default defineComponent({
name: "child",
props: ["msg"],
emits: ["fn"], // 可选的, 声明了更利于程序员阅读, 且可以对分发的事件数据进行校验
data() {
console.log("data", this);
return {
// n: 1
};
},
beforeCreate() {
console.log("beforeCreate", this);
},
methods: {
// update () {
// this.n++
// this.m++
// }
},
// setup (props, context) {
setup(props, { attrs, emit, slots }) {
console.log("setup", this);
console.log(props.msg, attrs.msg2, slots, emit);
const m = ref(2);
const n = ref(3);
function update() {
// console.log('--', this)
// this.n += 2
// this.m += 2
m.value += 2;
n.value += 2;
// 分发自定义事件
emit("fn", "++");
}
return {
m,
n,
update,
};
},
});
</script>