3

嗨,我无法理解如何在 vue js 中改变道具值。我正在使用 vue-chartjs 使用 chartjs 动态重新渲染图表。该行为有效,但是当我启动 updateValues() 函数时,我收到控制台消息警告。

Vue warn]:避免直接改变 prop,因为每当父组件重新渲染时,该值都会被覆盖。相反,使用基于道具值的数据或计算属性。正在变异的道具:“myData”

我如何正确地改变道具?

// Parent Component
<bar-graph :myData="dataCollection" :height="250"></bar-graph>

data () {
  return {
    dataCollection: {
      labels: [2009, 2010, 2011, 2012, 2013, 2014, 2015, 2016, 2017],
      datasets: [
        {
          label: 'Sample Lables',
          backgroundColor: 'red',
          data: [5000, 5000, 5000, 5000, 5500, 5500, 10000, 5500, 5500]
        }
      ]
    }
  }
},
methods: {

  updateValues () {
    this.dataCollection = {
      labels: [5000, 5000, 5000, 5000, 5500, 5500, 10000, 5500, 5500],

      datasets: [
        {
          label: 'Sample Lables',
          backgroundColor: 'red',
          data: [5000, 5000, 5000, 5000, 5500, 5500, 10000, 5500, 5500]
        }
      ]
    }
  }
}
      
      
//Child component bar graph

import { Bar } from 'vue-chartjs'

export default Bar.extend({

  props: ['myData'],

  mounted () {
    this.renderChart(this.myData, {responsive: true, maintainAspectRatio: false})
  },
  watch: {
    myData: function () {
      console.log('destroy')
      this._chart.destroy()
      this.renderChart(this.myData, {responsive: true, maintainAspectRatio: false})
    }
  }
})

4

2 回答 2

2

没有办法“正确地”改变一个 prop,因为它是一个组件的输入。

我建议将通过 prop 传递的数据导入组件的状态,然后相应地使用。通过使用这个本地副本,您可以避免改变 prop 并收到警告。

export default Bar.extend({

  props: ['myData'],

  data() {
    return {
      passedData: null
    }
  }

  mounted() {
    // Import data from prop into component's state
    this.passedData == this.myData;
    // Use as desired
    this.renderChart(this.myData, {
      responsive: true,
      maintainAspectRatio: false
    })
  },
  watch: {
    myData: function() {
      console.log('destroy')
      this._chart.destroy()
      this.renderChart(this.myData, {
        responsive: true,
        maintainAspectRatio: false
      })
    }
  }
})

于 2019-04-12T21:44:49.320 回答
0

对@TheCascadian 的回答的评论/补充: If myDatais an Object, thenthis.passedData将是对同一对象的引用,因此您仍然会收到该警告。您可能会考虑使用cloneDeepfromlodash来拥有该属性的真实内部副本并相应地在内部使用它。

于 2020-11-11T08:49:29.533 回答