Vue删除动态组件列表中的错误HTML节点

时间:2017-09-12 07:59:02

标签: javascript vue.js vuejs2 vue-component

我正在尝试使用Vue.JS并动态组合组件。

这是一个奇怪的问题,虽然它似乎正在更新数据,如果我通过调用splice()删除其中一个框,它总是删除呈现的HTML中的最后一项。

这是一个小例子。我在Chrome中测试。

https://jsfiddle.net/afz6jjn0/

仅供后人使用,这里是Vue组件代码:

Vue.component('content-longtext', {
  template: '#content-longtext',
  props: {
    model: { type: String, required: true },
    update: { type: Function, required: true }
  },
  data() {
    return {
      inputData: this.model
    }
  },
  methods: {
    updateContent(event) {
      this.update(event.target.value)
    }
  },
})

Vue.component('content-image', {
  template: '#content-image',
})

Vue.component('content-list', {
  template: '#content-list-template',
  props: {
    remove: { type: Function, required: true },
    update: { type: Function, required: true },
    views: { type: Array, required: true }
  },
  methods: {
    removeContent(index) {
      this.remove(index)
    },
    updateContent(index) {
      return (content) => this.update(index, content)
    },
  },
})

Vue.component('content-editor', {
  template: '#content-editor',
  data() {
    return {
      views: [
        {type: 'content-longtext', model: 'test1'},
        {type: 'content-longtext', model: 'test2'},
        {type: 'content-longtext', model: 'test3'},
        {type: 'content-longtext', model: 'test4'},
        {type: 'content-longtext', model: 'test5'},
      ],
    }
  },
  methods: {
    newContentBlock(type) {
      this.views.push({type: 'content-longtext', model: ''})
    },
    updateContentBlock(index, model) {
      this.views[index].model = model
    },
    removeContentBlock(index) {
      this.views.splice(index, 1)
    },
  },
})

let app = new Vue({
  el: '#app'
})

1 个答案:

答案 0 :(得分:3)

由于this文档,我已成功解决了这个问题。

它的关键是如果你已经没有唯一的键,你需要将对象的数组索引存储在对象本身中,这是因为当你改变源数组时,你也会改变它的键和就呈现Vue而言,最后一项是缺失的,而不是删除的项目。

views: [
  {index: 0, type: 'content-longtext', model: 'test1'},
  {index: 1, type: 'content-longtext', model: 'test2'},
  {index: 2, type: 'content-longtext', model: 'test3'},
  {index: 3, type: 'content-longtext', model: 'test4'},
  {index: 4, type: 'content-longtext', model: 'test5'},
],

...

newContentBlock(type) {
  this.views.push({index: this.views.length, type: 'content-longtext', model: ''})
},

存储数组索引后,需要将:key绑定添加到模板中的迭代器,并绑定该存储的值。

<div v-for="(currentView, index) in views" :key="currentView.index">
  <component :is="currentView.type" :model="currentView.model" :update="updateContent(index)"></component>
  <a v-on:click="removeContent(index)">Remove</a>
</div>

最后,在变异数组时,必须确保保留索引的完整性。

removeContentBlock(index) {
  this.views
    .splice(index, 1)
    .map((view, index) => view.index = index)
},

https://jsfiddle.net/afz6jjn0/5/