Vue 实现双向绑定的四种方法
1. v-model 指令
<input v-model="text" />
上例不过是一个语法糖,展开来是:
<input :value="text" @input="e => text = e.target.value" />
2. .sync 修饰符
<my-dialog :visible.sync="dialogvisible" />
这也是一个语法糖,剥开来是:
<my-dialog :visible="dialogvisible" @update:visible="newvisible => dialogvisible = newvisible" />
my-dialog 组件在 visible 变化时 this.$emit('update:visible', newvisible)
即可。
3. model 属性 (jsx/渲染函数中)
vue 在 2.2.0 版本以后,允许自定义组件的 v-model ,这就导致在 jsx / 渲染函数中实现 v-model 时得考虑组件的不同配置,不能一律如此(假使 my-dialog 组件的 model 为 { prop: 'visible', event: 'change' } ):
{ render(h) { return h('my-dialog', { props: { value: this.dialogvisible }, on: { input: newvisible => this.dialogvisible = newvisible } }) } }
而应如此:
{ render(h) { return h('my-dialog', { props: { visible: this.dialogvisible }, on: { change: newvisible => this.dialogvisible = newvisible } }) } }
然而,利用 model 属性,完全可以做到不用管它 prop 、 event 的目的:
{ render(h) { return h('my-dialog', { model: { value: this.dialogvisible, callback: newvisible => this.dialogvisible = newvisible } }) } }
jsx 中这样使用:
{ render() { return ( <my-dialog {...{ model: { value: this.dialogvisible, callback: newvisible => this.dialogvisible = newvisible } }} /> ) } }
4. vue-better-sync 插件
有需求如此:开发一个 prompt 组件,要求同步用户的输入,点击按钮可关闭弹窗。
一般我们会这样做:
<template> <div v-show="_visible"> <div>完善个人信息</div> <div> <div>尊姓大名?</div> <input v-model="_answer" /> </div> <div> <button @click="_visible = !_visible">确认</button> <button @click="_visible = !_visible">取消</button> </div> </div> </template> <script> export default { name: 'prompt', props: { answer: string, visible: boolean }, computed: { _answer: { get() { return this.answer }, set(value) { this.$emit('input', value) } }, _visible: { get() { return this.visible }, set(value) { this.$emit('update:visible', value) } } } } </script>
写一两个组件还好,组件规模一旦扩大,写双向绑定真能写出毛病来。于是,为了解放生产力,有了 vue-better-sync 这个*,且看用它如何改造我们的 prompt 组件:
<template> <div v-show="actualvisible"> <div>完善个人信息</div> <div> <div>尊姓大名?</div> <input v-model="actualanswer" /> </div> <div> <button @click="syncvisible(!actualvisible)">确认</button> <button @click="syncvisible(!actualvisible)">取消</button> </div> </div> </template> <script> import vuebettersync from 'vue-better-sync' export default { name: 'prompt', mixins: [ vuebettersync({ prop: 'answer', // 设置 v-model 的 prop event: 'input' // 设置 v-model 的 event }) ], props: { answer: string, visible: { type: boolean, sync: true // visible 属性可用 .sync 双向绑定 } } } </script>
vue-better-sync 统一了 v-model 和 .sync 传递数据的方式,你只需 this.actual${propname} = newvalue
或者 this.sync${propname}(newvalue)
即可将新数据传递给父组件。
github:
总结
以上所述是小编给大家介绍的vue 实现双向绑定的四种方法,希望对大家有所帮助
上一篇: vue实现a标签点击高亮方法
下一篇: 紫薯和红薯的区别有哪些,你想知道吗