Details of 7 kinds of component communication in Vue3

Details of 7 kinds of component communication in Vue3

1. Vue3 component communication method

  • props
  • $emit
  • expose / ref
  • $attrs
  • v-model
  • provide / inject
  • Vuex

2. How to use Vue3 communication

2.1 props

There are two ways to pass data to child components using props , as follows

Method 1: Mixed writing

// Parent.vue transmits <child :msg1="msg1" :msg2="msg2"></child>
<script>
import child from "./child.vue"
import { ref, reactive } from "vue"
export default {
    data(){
        return {
            msg1: "This is the information of the sub-component 1"
        }
    },
    setup(){
        // Create a responsive data // Writing method 1 is applicable to the basic type ref and has other uses. The following chapter introduces const msg2 = ref("This is the information of the subcomponent 2")
        
        // Method 2 is suitable for complex types, such as arrays and objects const msg2 = reactive(["This is the information of the subcomponent 2"])
        
        return {
            msg2
        }
    }
}
</script>

// Child.vue receives <script>
export default {
  props: ["msg1", "msg2"], // If this line is not written, the following will not receive setup(props) {
    console.log(props) // { msg1: "This is information 1 passed to the child component", msg2: "This is information 2 passed to the child component" }
  },
}
</script>

Method 2: Pure Vue3 writing

// Parent.vue transmits <child :msg2="msg2"></child>
<script setup>
    import child from "./child.vue"
    import { ref, reactive } from "vue"
    const msg2 = ref("This is the information passed to the child component 2")
    // or complex type const msg2 = reactive(["This is the information of the subcomponent 2"])
</script>

// Child.vue receives <script setup>
    // No need to import directly // import { defineProps } from "vue"
    const props = defineProps({
        //Writing method 1 msg2: String
        //Writing method 2 msg2:{
            type:String,
            default:""
        }
    })
    console.log(props) // { msg2: "This is the information of the subcomponent 2" }
</script>

Notice:

If the parent component is written in mixed style and the child component is written in pure Vue3 style, it cannot receive the attributes of data in the parent component, but can only receive the attributes passed in the setup function in the parent component.

If the parent component is written in pure Vue3 and the child component is written in mixed style, the properties in data and setup functions can be received through props . However, if the child component receives it in setup, it can only receive the properties in the setup function of the parent component and cannot receive the properties in data.

The official also said that since 3 is used, don’t write 2, so mixed writing is not recommended. In the following examples, only pure Vue3 is used, and no mixed writing is used.

2.2 $emit

// Child.vue dispatch
<template>
//Writing method 1
<button @click="emit('myClick')">button</buttom>
//Writing method 2
<button @click="handleClick">Button</buttom>
</template>
<script setup>

// Method 1 is applicable to Vue 3.2 version and does not need to be introduced
// import { defineEmits } from "vue"
// Corresponding writing method 1
const emit = defineEmits(["myClick","myClick2"])
// Corresponding writing method 2
const handleClick = ()=>{
emit("myClick", "This is the information sent to the parent component")
}

// Method 2 is not applicable to Vue 3.2, where useContext() is deprecated
import { useContext } from "vue"
const { emit } = useContext()
const handleClick = ()=>{
emit("myClick", "This is the information sent to the parent component")
}
</script>

// Parent.vue responds to <template>
    <child @myClick="onMyClick"></child>
</template>
<script setup>
    import child from "./child.vue"
    const onMyClick = (msg) => {
        console.log(msg) // This is the information received by the parent component}
</script>

2.3 expose / ref

The parent component obtains the properties of the child component or calls the child component method

// Child.vue
<script setup>
    // Method 1 is not applicable to Vue 3.2, in which useContext() is deprecated import { useContext } from "vue"
    const ctx = useContext()
    // Externally exposed properties and methods can be ctx.expose({
        childName: "This is a property of the child component",
        someMethod(){
            console.log("This is the method of the child component")
        }
    })
    
    // Method 2 is applicable to Vue 3.2 version, no need to import // import { defineExpose } from "vue"
    defineExpose({
        childName: "This is a property of the child component",
        someMethod(){
            console.log("This is the method of the child component")
        }
    })
</script>

// Parent.vue Note ref="comp"
<template>
    <child ref="comp"></child>
    <button @click="handlerClick">Button</button>
</template>
<script setup>
    import child from "./child.vue"
    import { ref } from "vue"
    const comp = ref(null)
    const handlerClick = () => {
        console.log(comp.value.childName) // Get the properties exposed by the child component comp.value.someMethod() // Call the method exposed by the child component }
</script>

2.4 attrs

attrs : contains a collection of non- props attributes in the parent scope except class and style

// Parent.vue transmits <child :msg1="msg1" :msg2="msg2" title="3333"></child>
<script setup>
    import child from "./child.vue"
    import { ref, reactive } from "vue"
    const msg1 = ref("1111")
    const msg2 = ref("2222")
</script>

// Child.vue receives <script setup>
    import { defineProps, useContext, useAttrs } from "vue"
    // Version 3.2 does not need to introduce defineProps, just use const props = defineProps({
        msg1: String
    })
    // Method 1 is not applicable to Vue 3.2, where useContext() is deprecated const ctx = useContext()
    // If msg1 is not received using props, it will be { msg1: "1111", msg2: "2222", title: "3333" }
    console.log(ctx.attrs) // { msg2:"2222", title: "3333" }
    
    // Method 2 is applicable to Vue 3.2 version const attrs = useAttrs()
    console.log(attrs) // { msg2:"2222", title: "3333" }
</script>

2.5 v-model

Can support multiple data two-way binding

// Parent.vue
<child v-model:key="key" v-model:value="value"></child>
<script setup>
    import child from "./child.vue"
    import { ref, reactive } from "vue"
    const key = ref("1111")
    const value = ref("2222")
</script>

// Child.vue
<template>
    <button @click="handlerClick">Button</button>
</template>
<script setup>
    
    // Method 1 is not applicable to Vue 3.2, in which useContext() is deprecated import { useContext } from "vue"
    const { emit } = useContext()
    
    // Method 2 is applicable to Vue 3.2 version and does not need to be introduced // import { defineEmits } from "vue"
    const emit = defineEmits(["key","value"])
    
    // Usage const handlerClick = () => {
        emit("update:key", "new key")
        emit("update:value", "new value")
    }
</script>

2.6 provide / inject

provide / inject for dependency injection

  • provide : allows us to specify the data we want to provide to descendant components or
  • inject : Receive the data you want to add to this component in any descendant component, no matter how deeply the component is nested, it can be used directly
// Parent.vue
<script setup>
    import { provide } from "vue"
    provide("name", "Muhua")
</script>

// Child.vue
<script setup>
    import { inject } from "vue"
    const name = inject("name")
    console.log(name) // Mu Hua</script>

2.7 Vuex

// store/index.js
import { createStore } from "vuex"
export default createStore({
    state:{ count: 1 },
    getters:{
        getCount: state => state.count
    },
    mutations:
        add(state){
            state.count++
        }
    }
})

// main.js
import { createApp } from "vue"
import App from "./App.vue"
import store from "./store"
createApp(App).use(store).mount("#app")

// Page.vue
// Method 1: Use <template> directly
    <div>{{ $store.state.count }}</div>
    <button @click="$store.commit('add')">Button</button>
</template>

// Method 2 to get <script setup>
    import { useStore, computed } from "vuex"
    const store = useStore()
    console.log(store.state.count) // 1

    const count = computed(()=>store.state.count) // Responsive, will change as vuex data changes console.log(count) // 1 
</script>

This is the end of this article about the details of 7 kinds of component communication in Vue3 . For more information about the 7 kinds of component communication in Vue3 , please search for previous articles on 123WORDPRESS.COM or continue to browse the related articles below. I hope you will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Vue.js must learn the communication between components every day
  • Vuejs Chapter 10: Vuejs parent-child component communication
  • Eight ways of component communication in Vue (worth collecting!)
  • Communication between Vue components: how child components pass values ​​to parent components
  • Implementation of Vue grandchild component communicating with grandparent component
  • Detailed explanation of several methods of Vue cross-component communication
  • A deep dive into Vue.js components and component communication
  • Detailed explanation of three ways of Vue component communication
  • Let's talk in detail about how Vue components realize component communication

<<:  How to install Docker on Windows 10 Home Edition

>>:  How to Communicate with Other Users on the Linux Command Line

Recommend

Solve the problem of inconsistent MySQL storage time

After obtaining the system time using Java and st...

...

How to enable Flash in Windows Server 2016

I recently deployed and tested VMware Horizon, an...

How to control the proportion of Flex child elements on the main axis

background Flex layout achieves alignment and spa...

Docker implements cross-host container communication based on macvlan

Find two test machines: [root@docker1 centos_zabb...

Debian virtual machine created by VirtualBox shares files with Windows host

the term: 1. VM: Virtual Machine step: 1. Downloa...

Detailed explanation of as, question mark and exclamation mark in Typescript

1. The as keyword indicates an assertion In Types...

WeChat applet example of using functions directly in {{ }}

Preface In WeChat applet development (native wxml...

Detailed explanation of the six common constraint types in MySQL

Table of contents Preface 1.notnull 2. unique 3. ...

Implementation steps for installing RocketMQ in docker

Table of contents 1. Retrieve the image 2. Create...

Troubleshooting and solutions for MySQL auto-increment ID oversize problem

introduction Xiao A was writing code, and DBA Xia...

MySQL installation tutorial under Centos7

MySQL installation tutorial, for your reference, ...

JavaScript to achieve magnifying glass effect

This article shares the specific code for JavaScr...

How to implement Linux automatic shutdown when the battery is low

Preface The electricity in my residence has been ...