方式一:通过监听事件实现
父组件将数据传递给子组件通过 props 实现;而子组件将数据传递给父组件通过事件来实现,在子组件中定义一个事件,在该事件中传递值,由父组件中监听这个事件。通过这种方式实现父子组件双向绑定的效果最常见。
子组件案例代码:
<template>
<el-select v-model="value" placeholder="请选择" @change="change">
<el-option v-for="item in options" :key="item.value" :label="item.label" :value="item.value"></el-option>
</el-select>
</template>
<script>
export default {
name: 'sonTest',
props: {
options: {
type: Array,
default: []
}
},
data() {
return {
value: ''
}
},
methods: {
change() {
console.log('子组件下拉框值发生改变:', this.value)
this.$emit('update', this.value)
}
}
}
</script>
<style scoped>
</style>
父组件案例代码:
<template>
<son-test :options="options" @update="update"></son-test>
</template>
<script>
import SonTest from './sonTest'
export default {
name: 'fatherTest',
components: { SonTest },
data() {
return {
value: '',
options: [
{ value: '选项1', label: '黄金糕' },
{ value: '选项2', label: '双皮奶' },
{ value: '选项3', label: '蚵仔煎' },
{ value: '选项4', label: '龙须面' },
{ value: '选项5', label: '北京烤鸭' }
],
}
},
methods: {
update(newValue) {
this.value = newValue
console.log('子组件通过事件传递过来的值:', newValue)
},
}
}
</script>
<style scoped>
</style>
优点:可以实现父子组件多个值的双向绑定效果。
缺点:父组件需要编写监听子组件事件的代码。
方式二:通过 v-model 实现
在子组件中指定 model 变量,父组件中通过 v-model 指令来实现双向绑定,通过这种方式父组件无需监听子组件的事件。
子组件案例代码:
<template>
<el-select v-model="sonValue" placeholder="请选择">
<el-option v-for="item in options" :key="item.value" :label="item.label" :value="item.value"></el-option>
</el-select>
</template>
<script>
export default {
name: 'sonTest',
props: {
options: {
type: Array,
default: []
},
value: {
type: String,
default: ''
}
},
model: {
prop: 'value',
event: 'newValue'
},
data() {
return {
sonValue: this.value
}
},
watch: {
sonValue(value) {
console.log('子组件下拉框值发生改变:', this.sonValue)
this.$emit('newValue', this.sonValue)
}
}
}
</script>
<style scoped>
</style>
父组件案例代码:
<template>
<son-test :options="options" v-model="value"></son-test>
</template>
<script>
import SonTest from './sonTest'
export default {
name: 'fatherTest',
components: { SonTest },
data() {
return {
value: '选项1',
options: [
{ value: '选项1', label: '黄金糕' },
{ value: '选项2', label: '双皮奶' },
{ value: '选项3', label: '蚵仔煎' },
{ value: '选项4', label: '龙须面' },
{ value: '选项5', label: '北京烤鸭' }
],
}
},
watch:{
value(newValue){
console.log('value 值发生改变:', newValue)
}
}
}
</script>
<style scoped>
</style>
优点:父组件无需编写额外的代码,直接通过 v-model 实现双向绑定。
缺点:这种方式只能双向绑定一个值。
|