我是Vue的新手,所以我尝试使用Input Date Picker
创建一个Vuetify
。
这是我的代码:
问题是,当我在选择器中选择一个日期时,在控制台中出现错误:
[Vue warn]: Avoid mutating a prop directly since the value will be overwritten whenever the parent component re-renders. Instead, use a data or computed property based on the prop's value. Prop being mutated: '$value'
这是创建该组件的正确方法吗?
答案 0 :(得分:2)
由于错误状态,您不能从孩子那里改变道具。这是因为Vue使用此父子流程:
通过这种结构,您可以确保父母的数据是唯一的事实来源。
为了更改数据,您需要将其发送给父级。您的示例中几乎包含了它。除了发送change
事件,您还需要为input
发出v-model
来同步更改。
当您从docs看示例时,这一点更加清楚:
<input v-model="searchText">
确实与:
<input
v-bind:value="searchText"
v-on:input="searchText = $event.target.value"
>
但是,从vue 2.3.0开始,您现在可以通过.sync
modifier
Vue.component('date-picker', {
props: ['label'],
data: () => ({
date: null,
dateFormatted: null,
open: false
}),
created() {
this.date = this.$value;
},
methods: {
formatDate (date) {
if (!date) return null
const [year, month, day] = date.split('-')
return `${day}/${month}/${year}`
},
parseDate (date) {
if (!date) return null
const [day, month, year] = date.split('/')
return `${year}-${month.padStart(2, '0')}-${day.padStart(2, '0')}`
},
update() {
this.$emit('input', this.dateFormatted);
}
},
watch: {
date (val) {
this.dateFormatted = this.formatDate(this.date)
},
dateFormatted(val) {
this.update();
}
},
template:`
<v-menu
ref="open"
:close-on-content-click="false"
v-model="open"
:nudge-right="40"
lazy
transition="scale-transition"
offset-y
full-width
>
<v-text-field
slot="activator"
v-model="dateFormatted"
:label="label"
placeholder="dia/mês/ano"
@blur="date = parseDate(dateFormatted)"
></v-text-field>
<v-date-picker v-model="date" no-title @input="open = false"></v-date-picker>
</v-menu>
`
});
Vue.config.productionTip = false;
Vue.config.devtools=false
new Vue({
el: '#app',
data: () => ({
myDate: '2018-09-01'
})
});
<link href="https://cdn.jsdelivr.net/npm/vuetify@1.1.4/dist/vuetify.min.css" rel="stylesheet"/>
<script src="https://cdn.jsdelivr.net/npm/vue/dist/vue.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/vuetify/1.2.0/vuetify.min.js"></script>
<div id="app">
<v-app>
<v-flex xs24>
<date-picker label="Select a date" v-model="myDate"></date-picker>
<br>
Current date: {{myDate}}
</v-flex>
</v-app>
</div>