How do I update an array when the model is in a loop for that array:
eg I have an array const numbers = ref([1,2,3]);
and I have a component that loops through the array using the values as the model:
<test v-for="(number, index) in numbers" :key="`${index}-${number}`" :number="number" @update:number="updateNumbers"></test>
If I update the number in that component:
emit('update:number', 5);
Why does it not update my original array?
Full code:
//Main page
<script>
  import {
    defineComponent,
    ref
  } from 'vue'
  import Test from './Test.vue'
  export default defineComponent({
    name: 'app',
    components: {
      Test,
    },
    setup() {
      const numbers = ref([1, 2, 3]);
      const updateNumbers = () => {
        console.log(numbers.value);
      };
      return {
        numbers,
        updateNumbers
      };
    },
  });
</script>
<template>
  <test v-for="(number, index) in numbers" :key="`${index}-${number}`" :number="number" @update:number="updateNumbers"></test>
</template> 
// Child Compnent
<script>
  import {
    defineComponent,
    ref
  } from 'vue'
  export default defineComponent({
    name: 'test',
    props: {
      number: {
        default: () => 0,
        required: true,
        type: Number,
      },
    },
    emits: [
      'update:number',
    ],
    setup(props, {
      emit
    }) {
      const updateNumber = () => {
        emit('update:number', 5);
      };
      return {
        updateNumber
      };
    },
  });
</script>
<template>
  <div @click="updateNumber">click {{ number }}</div>
</template>Working example on vue playground
If you click the text, I would expect the original array to have it's value replaced by 5 in the console.log?
 
                        
It looks like you cannot use the a
v-forandv-modeltogether on the same element.If I use a
v-forwith an index on a parent element, I can then pass the indexed property of the array in to the child as thev-model:Updated vue playground