“外部”数组的Vue3React性

sxissh06  于 2023-06-24  发布在  Vue.js
关注(0)|答案(1)|浏览(96)

在将现有应用程序从Vue 2移植到Vue 3时,我遇到了一个令人惊讶的问题。
如何让Vue 3监视“外部”数组的更改?

这在Vue 2中工作得很好,但在Vue 3中停止工作:

<ul id="list">
    <li v-for="t in dataArray"> {{t}} </li>
</ul>

<script>
    var numbers = [1,2,3]; //this is my external array

    var app = Vue.createApp({
        data() { return { dataArray : numbers } } //bind Vue to my external array
    }).mount("#list");

    numbers.push(4); //UI not updating, but worked fine in Vue2

</script>

我知道我可以调用app.dataArray.push,或者调用$forceUpdate,等等。但是有没有办法强制Vue只监视现有的数组呢?
我想更广泛的问题是:如何将Vue 3绑定到任意plain-JS对象?对象可能太复杂而无法重写,也可能来自我无法控制的外部API。这在Vue 2或Angular中是微不足道的(与任何普通对象的双向绑定,无论它是否是示例/组件的一部分)
P.S.这看起来像是Vue 3中一个巨大的突破性变化,在任何地方都没有提到。

更新:

根据@Dimava的回答,看起来修复上述代码的最不痛苦的方法是:

var numbers = [1,2,3]; //this is my external array
numbers = Vue.shallowReactive(numbers); //convert to a reactive proxy
fykwrbwg

fykwrbwg1#

您需要将阵列设置为Reactive ¹

import { reactive, ref } from 'vue'   
const numbers = [1,2,3];
const reactiveNumbers = reactive(numbers)
reactiveNumbers.push(4)

// or, if you will need to reassign the whole array
const numbersRef = ref(numbers)
numbersRef.value.push(4)
numbersRef.value = [3, 2, 1]

// or, in the old style, if you are old
const data = reactive({
  numbers: [1, 2, 3]
})
data.numbers.push(4)
data.numbers = [3, 2, 1]

¹(或者ShallowReactive,如果它包含很多大对象,出于性能原因不应该是响应式的)

相关问题