我对 toRaw() 有反应性困惑。
应用程序.vue
<template>
<img alt="Vue logo" src="./assets/logo.png" />
<TheForm @newThing="addNewThing" />
<TheList :allTheThings="allTheThings" />
</template>
<script setup>
import TheForm from "./components/TheForm.vue";
import TheList from "./components/TheList.vue";
import { ref } from "vue";
const allTheThings = ref([]);
const addNewThing = (thing) => allTheThings.value.push(thing);
</script>
TheForm.vue
<template>
<h3>Add New Thing</h3>
<form @submit.prevent="addNewThing">
<input type="text" placeholder="description" v-model="thing.desc" />
<input type="number" placeholder="number" v-model="thing.number" />
<button type="submit">Add New Thing</button>
</form>
</template>
<script setup>
import { reactive, defineEmit, toRaw } from "vue";
const emit = defineEmit(["newThing"]);
const thing = reactive({
desc: "",
number: 0,
});
const addNewThing = () => emit("newThing", thing);
</script>
列表.vue
<template>
<h3>The List</h3>
<ol>
<li v-for="(thing, idx) in allTheThings" :key="idx">
{{ thing.desc }} || {{ thing.number }}
</li>
</ol>
</template>
<script setup>
import { defineProps } from "vue";
defineProps({
allTheThings: Array,
});
</script>
由于代码将代理传递给数据,因此它的行为很可疑:提交表单后,如果您重新编辑表单字段中的数据,它也会编辑列表的输出。美好的。
thing
所以我想传递in的非反应性副本addNewThing
:
const addNewThing = () => {
const clone = { ...thing };
emit("newThing", clone);
};
它按预期工作。
如果我改用它,那是行不通的const clone = toRaw(thing);
。如果我记录每个的输出,{ …thing}
那么toRaw(thing)
为什么似乎toRaw()
没有失去它的反应性?
任何光照都会,嗯……很有启发性。