vue的sync语法糖的使用(父子组件双向绑定)

sync的使用场景

有些时候子组件需要修改父组件传递过来的prop,要去改变父组件的状态的时候就需要使用aync,sync修饰符可以双向绑定父子组件中的数据。
使用:
父组件

<template>
  <div>
    请问
    <el-button @click="fatherHander">切换-父按钮</el-button>
    <test-com :ishow.sync="flag"></test-com>
  </div>
</template>
 
<script>
import testcom from "../components/test-com.vue"
  export default {
    data(){
      return{
        flag:true
      }
    },
    components:{
      'test-com':testcom
    },
    methods:{
      fatherHander(){
        this.flag=!this.flag
      }
    },
  }
</script>

子组件

<template>
    <div v-if="ishow" class="demo">
        <h2>我是子组件</h2>
        <h3>我是子组件中的信息</h3>
        <h3>我是子组件中的信息</h3>
        <el-button @click="sonHander">切换-子组件按钮</el-button>
    </div>
</template>
 
<script>
    export default {
        props:{ 
            ishow:{
                type:Boolean
            }
        },
        methods:{
            sonHander(){
                // 注意单词不要写错了,update是人家规定的,不能写成其他值。
                // ishow表示你跟新哪一个值,
                // 将ishow的是跟新为false
                this.$emit('update:ishow',false);//子组件直接修改父组件的值
            }
        }
    }
</script>

我不使用sync可以更改吗?可以的

<template>
  <div>
    请问
    <el-button @click="fatherHander">切换-父按钮</el-button>
    <!-- 缩写的版本 -->
    <!-- <test-com :ishow.sync="flag"></test-com> -->
 
    <!-- 没有被缩写的 -->
    <!-- value 子组件传递过来的参数 -->
    <!-- <test-com :ishow="flag" @update:ishow="value=>flag=value"></test-com> -->
 
    <!-- 与上面的等价哈 -->
    <test-com :ishow="flag" @update:ishow="function(value){  flag=value  }"></test-com>
    <!--  -->
  </div>
</template>
 
<script>
import testcom from "../components/test-com.vue"
  export default {
    data(){
      return{
        flag:true
      }
    },
    components:{
      'test-com':testcom
    },
    methods:{
      fatherHander(){
        this.flag=!this.flag
      }
    },
  }
</script>

注:sync这个语法糖只有在2.3.0这个版本以及上才会有这个方法。

你可能感兴趣的:(vue.js,前端,javascript)