为什么 "this" 在 Vue Composition API 设置函数中未定义?
Why is "this" undefined in Vue Composition API setup function?
我有一个使用 v3 组合的 Vue 组件 API:
<template>
<input type="checkbox" v-model="playing" id="playing" @input="$emit('play', $event.target.value)" />
<label for="playing" >{{ playing ? 'Pause' : 'Play' }}</label>
</template>
<script>
export default {
props: {
done: Boolean
},
setup(props) {
const playing = ref(true)
watchEvent(() => {
if (props.done) {
playing.value = false
this.$emit('play', playing.value)
}
}
return { playing }
}
}
</script>
当 watchEvent 运行时,我收到错误 Cannot read property "$emit" of undefined
。看起来我没有使用错误类型的函数(箭头与普通函数)。
似乎 this
在整个 setup()
中都未定义,无论它是函数还是箭头函数。
setup function in the Vue Composition API 接收两个参数:props 和 context。
The second argument provides a context object which exposes a selective list of properties that were previously exposed on this in 2.x APIs:
const MyComponent = {
setup(props, context) {
context.attrs // Previously this.$attrs
context.slots // Previously this.$slots
context.emit // Previously this.$emit
}
}
重要的是要注意,解构 props 是不行的(你会失去反应性),但解构上下文是可以的。
所以问题中的代码示例,使用setup(props, { emit })
然后将this.$emit
替换为emit
。
我有一个使用 v3 组合的 Vue 组件 API:
<template>
<input type="checkbox" v-model="playing" id="playing" @input="$emit('play', $event.target.value)" />
<label for="playing" >{{ playing ? 'Pause' : 'Play' }}</label>
</template>
<script>
export default {
props: {
done: Boolean
},
setup(props) {
const playing = ref(true)
watchEvent(() => {
if (props.done) {
playing.value = false
this.$emit('play', playing.value)
}
}
return { playing }
}
}
</script>
当 watchEvent 运行时,我收到错误 Cannot read property "$emit" of undefined
。看起来我没有使用错误类型的函数(箭头与普通函数)。
似乎 this
在整个 setup()
中都未定义,无论它是函数还是箭头函数。
setup function in the Vue Composition API 接收两个参数:props 和 context。
The second argument provides a context object which exposes a selective list of properties that were previously exposed on this in 2.x APIs:
const MyComponent = {
setup(props, context) {
context.attrs // Previously this.$attrs
context.slots // Previously this.$slots
context.emit // Previously this.$emit
}
}
重要的是要注意,解构 props 是不行的(你会失去反应性),但解构上下文是可以的。
所以问题中的代码示例,使用setup(props, { emit })
然后将this.$emit
替换为emit
。