0

我对 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()没有失去它的反应性?

任何光照都会,嗯……很有启发性。

4

1 回答 1

1

我认为问题在于对做什么有误解toRaw

reactive返回 a或readonly代理的原始原始对象。这是一个逃生舱口,可用于临时读取而不会产生代理访问/跟踪开销或写入而不触发更改。不建议持有对原始对象的持久引用。谨慎使用。

toRaw将返回原始代理,而不是代理内容的副本,因此您使用的解决方案const clone = { ...thing };是恕我直言,希望这个解释就足够了。

有关更多详细信息vue3 反应性意外行为,请参阅类似问题

于 2021-02-06T06:11:45.630 回答