• 【精品】vue3中setup语法糖下的组件之间的通信


    准备工作

    在router文件夹中创建index.ts文件:

    import {createRouter, createWebHashHistory} from 'vue-router'
    import Father from '../views/Father.vue'
    
    const routes = [
        {
            path: '/',
            name: "Father",
            component: Father
        },
        {
            path: '/Son',
            name: 'Son',
            component: () => import('../views/Son.vue')
        }
    ]
    const router = createRouter({
        history: createWebHashHistory(),
        routes
    })
    export default router
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20

    父传子:

    • 第一步:Father.vue
    <template>
      <h2>父组件</h2>
      <hr>
      <Son :num="num" :arr="array" ></Son>
    </template>
    
    <script lang="ts" setup>
    import {ref} from 'vue'
    import Son from "./Son.vue";
    
    let num = ref(6688)
    let array = ref([11, 22, 33, 44])
    </script>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 第二步:Sun.vue
    <template>
      <h2>子组件</h2>
      {{props.num}}--{{props.arr}}
    </template>
    
    <script lang="ts" setup>
    let props = defineProps({
      num: Number,
      arr: {
        type: Array,
        default: () => [1, 2, 3, 4]
      }
    })
    </script>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14

    子传父:

    • 第一步:Sun.vue
    <template>
      <h2>子组件</h2>
      <button @click="sendMsg">向父组件传递数据</button>
    </template>
    
    <script lang="ts" setup>
    import {ref} from 'vue'
    
    const emit = defineEmits(["son_sendMsg"]);
    const msg = ref("子组件传递给父组件的数据")
    
    function sendMsg() {
      emit("son_sendMsg", msg.value)
    }
    </script>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 第二步:Father.vue:
    <template>
      <h2>父组件</h2>
      {{ message }}
      <hr>
      <Son @son_sendMsg="fun"></Son>
    </template>
    
    <script lang="ts" setup>
    import {ref} from 'vue'
    import Son from "./Son.vue"
    
    let message = ref("")
    function fun(msg) {
      message.value = msg
    }
    </script>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
  • 相关阅读:
    【Java】线程池、Lambda表达式
    selenium--获取页面信息和截图
    【MySQL | 运维篇】05、MySQL 分库分表之 使用 MyCat 分片
    第七章(2):深度学习在自然语言处理NLP中的应用
    【Linux】yum/git/gdb
    Vue3 JS 与 SCSS 变量相互使用
    运算符,switch
    基于SpringBoot的中小企业设备管理系统
    freeswitch
    yolov5 create_dataloader原码及解析
  • 原文地址:https://blog.csdn.net/lianghecai52171314/article/details/125481743