目录
Props
emits
expose / ref
Non-Props
单个根元素的情况
多个元素的情况
v-model
单值的情况
多个 v-model 绑定
v-model 修饰符
插槽 slot
默认插槽
具名插槽
作用域插槽
provide / inject
总线 bus
getCurrentInstance
Vuex
安装
使用
State
Getter
Mutation
Action
Module
Pinia
注册
在组件中使用
啰嗦两句
mitt.js
首页 web前端 Vue.js Vue3组件间怎么通讯?10+种通讯方式分享

Vue3组件间怎么通讯?10+种通讯方式分享

Feb 28, 2022 pm 07:40 PM
vue3 组件通讯

Vue组件间怎么通讯?下面本篇文章给大家分享十多种Vue3组件通讯方式,希望对大家有所帮助!

Vue3组件间怎么通讯?10+种通讯方式分享

本文讲解 Vue 3.2 组件多种通讯方式的基础用法,并且使用了  单文件组件 <script setup>

众所周知,Vue.js 中一个很重要的知识点是组件通信,不管是业务类的开发还是组件库开发,都有各自的通讯方法。【相关推荐:vuejs视频教程

本文适合:

  • Vue 3 基础的读者。

  • 打算开发组件库的读者。

本文会涉及的知识点:

  • Props

  • emits

  • expose / ref

  • Non-Props

  • v-model

  • 插槽 slot

  • provide / inject

  • 总线 bus

  • getCurrentInstance

  • Vuex

  • Pinia

  • mitt.js

我会将上面罗列的知识点都写一个简单的 demo。本文的目的是让大家知道有这些方法可以用,所以并不会深挖每个知识点。

建议读者跟着本文敲一遍代码,然后根据本文给出的链接去深挖各个知识点。

收藏(学到)是自己的!

Props

父组件传值给子组件(简称:父传子)

Props 文档

https://v3.cn.vuejs.org/guide/component-props.html

父组件

// Parent.vue

<template>
  <!-- 使用子组件 -->
  <Child :msg="message" />
</template>

<script setup>
import Child from &#39;./components/Child.vue&#39; // 引入子组件

let message = &#39;雷猴&#39;
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>
    {{ msg }}
  </div>
</template>

<script setup>

const props = defineProps({
  msg: {
    type: String,
    default: &#39;&#39;
  }
})

console.log(props.msg) // 在 js 里需要使用 props.xxx 的方式使用。在 html 中使用不需要 props

</script>
登录后复制

<script setup> 中必须使用 defineProps API 来声明 props,它具备完整的推断并且在 <script setup> 中是直接可用的。

更多细节请看 文档

https://v3.cn.vuejs.org/api/sfc-script-setup.html#defineprops-%E5%92%8C-defineemits

<script setup> 中,defineProps 不需要另外引入。

props 其实还能做很多事情,比如:设置默认值 default ,类型验证 type ,要求必传 required ,自定义验证函数 validator 等等。

大家可以去官网看看,这是必须掌握的知识点!

props 文档

https://v3.cn.vuejs.org/guide/component-props.html

emits

子组件通知父组件触发一个事件,并且可以传值给父组件。(简称:子传父)

emits 文档

https://v3.cn.vuejs.org/guide/migration/emits-option.html

1.gif

父组件

// Parent.vue

<template>
  <div>父组件:{{ message }}</div>
  <!-- 自定义 changeMsg 事件 -->
  <Child @changeMsg="changeMessage" />
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

let message = ref(&#39;雷猴&#39;)

// 更改 message 的值,data是从子组件传过来的
function changeMessage(data) {
  message.value = data
}
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>
    子组件:<button @click="handleClick">子组件的按钮</button>
  </div>
</template>

<script setup>

// 注册一个自定义事件名,向上传递时告诉父组件要触发的事件。
const emit = defineEmits([&#39;changeMsg&#39;])

function handleClick() {
  // 参数1:事件名
  // 参数2:传给父组件的值
  emit(&#39;changeMsg&#39;, &#39;鲨鱼辣椒&#39;)
}

</script>
登录后复制

props 一样,在 <script setup> 中必须使用 defineEmits API 来声明 emits,它具备完整的推断并且在 <script setup> 中是直接可用的。

更多细节请看 文档

https://v3.cn.vuejs.org/api/sfc-script-setup.html#defineprops-%E5%92%8C-defineemits

<script setup> 中,defineEmits 不需要另外引入。

expose / ref

子组件可以通过 expose 暴露自身的方法和数据。

父组件通过 ref 获取到子组件并调用其方法或访问数据。

expose 文档

https://v3.cn.vuejs.org/api/options-data.html#expose

用例子说话

2.gif

父组件

// Parent.vue

<template>
  <div>父组件:拿到子组件的message数据:{{ msg }}</div>
  <button @click="callChildFn">调用子组件的方法</button>

  <hr>

  <Child ref="com" />
</template>

<script setup>
import { ref, onMounted } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const com = ref(null) // 通过 模板ref 绑定子组件

const msg = ref(&#39;&#39;)

onMounted(() => {
  // 在加载完成后,将子组件的 message 赋值给 msg
  msg.value = com.value.message
})

function callChildFn() {
  // 调用子组件的 changeMessage 方法
  com.value.changeMessage(&#39;蒜头王八&#39;)

  // 重新将 子组件的message 赋值给 msg
  msg.value = com.value.message
}
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>子组件:{{ message }}</div>
</template>

<script setup>
import { ref } from &#39;vue&#39;

const message = ref(&#39;蟑螂恶霸&#39;)

function changeMessage(data) {
  message.value = data
}

使用 defineExpose 向外暴露指定的数据和方法
defineExpose({
  message,
  changeMessage
})

</script>
登录后复制

<script setup> 中,defineExpose 不需要另外引入。

  • expose 文档

    https://v3.cn.vuejs.org/api/options-data.html#expose

  • defineExpose 文档

    https://v3.cn.vuejs.org/api/sfc-script-setup.html#defineexpose

Non-Props

所谓的 Non-Props 就是 非 Prop 的 Attribute

意思是在子组件中,没使用 propemits 定义的 attribute,可以通过 $attrs 来访问。

常见的有 classstyleid

还是举个例子会直观点

单个根元素的情况

父组件

// Parent.vue

<template>
  <Child msg="雷猴 世界!" name="鲨鱼辣椒" />
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>子组件:打开控制台看看</div>
</template>
登录后复制

3.gif

打开控制台可以看到,属性被挂到 HTML 元素上了。

多个元素的情况

但在 Vue3 中,组件已经没规定只能有一个根元素了。如果子组件是多个元素时,上面的例子就不生效了。

// Child.vue

<template>
  <div>子组件:打开控制台看看</div>
  <div>子组件:打开控制台看看</div>
</template>
登录后复制

4.gif

此时可以使用 $attrs 的方式进行绑定。

// Child.vue

<template>
  <div :message="$attrs.msg">只绑定指定值</div>
  <div v-bind="$attrs">全绑定</div>
</template>
登录后复制

5.gif

v-model

v-modelVue 的一个语法糖。在 Vue3 中的玩法就更多(晕)了。

单值的情况

组件上的 v-model 使用 modelValue 作为 prop 和 update:modelValue 作为事件。

v-model 参数文档

https://v3.cn.vuejs.org/guide/component-custom-events.html#v-model-%E5%8F%82%E6%95%B0

父组件

// Parent.vue

<template>
  <Child v-model="message" />
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const message = ref(&#39;雷猴&#39;)
</script>
登录后复制

子组件

// Child.vue

<template>
  <div @click="handleClick">{{modelValue}}</div>
</template>

<script setup>
import { ref } from &#39;vue&#39;

// 接收
const props = defineProps([
  &#39;modelValue&#39; // 接收父组件使用 v-model 传进来的值,必须用 modelValue 这个名字来接收
])

const emit = defineEmits([&#39;update:modelValue&#39;]) // 必须用 update:modelValue 这个名字来通知父组件修改值

function handleClick() {
  // 参数1:通知父组件修改值的方法名
  // 参数2:要修改的值
  emit(&#39;update:modelValue&#39;, &#39;喷射河马&#39;)
}

</script>
登录后复制

6.gif

你也可以这样写,更加简单

子组件

// Child.vue

<template>
  <div @click="$emit(&#39;update:modelValue&#39;, &#39;喷射河马&#39;)">{{modelValue}}</div>
</template>

<script setup>
import { ref } from &#39;vue&#39;

// 接收
const props = defineProps([
  &#39;modelValue&#39; // 接收父组件使用 v-model 传进来的值,必须用 modelValue 这个名字来接收
])

</script>
登录后复制

多个 v-model 绑定

多个 v-model 绑定 文档

https://v3.cn.vuejs.org/guide/component-custom-events.html#%E5%A4%9A%E4%B8%AA-v-model-%E7%BB%91%E5%AE%9A

父组件

// Parent.vue

<template>
  <Child v-model:msg1="message1" v-model:msg2="message2" />
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const message1 = ref(&#39;雷猴&#39;)

const message2 = ref(&#39;蟑螂恶霸&#39;)
</script>
登录后复制

子组件

// Child.vue

<template>
  <div><button @click="changeMsg1">修改msg1</button> {{msg1}}</div>

  <div><button @click="changeMsg2">修改msg2</button> {{msg2}}</div>
</template>

<script setup>
import { ref } from &#39;vue&#39;

// 接收
const props = defineProps({
  msg1: String,
  msg2: String
})

const emit = defineEmits([&#39;update:msg1&#39;, &#39;update:msg2&#39;])

function changeMsg1() {
  emit(&#39;update:msg1&#39;, &#39;鲨鱼辣椒&#39;)
}

function changeMsg2() {
  emit(&#39;update:msg2&#39;, &#39;蝎子莱莱&#39;)
}

</script>
登录后复制

7.gif

v-model 修饰符

v-model 还能通过 . 的方式传入修饰。

v-model 修饰符 文档

https://v3.cn.vuejs.org/guide/component-custom-events.html#%E5%A4%84%E7%90%86-v-model-%E4%BF%AE%E9%A5%B0%E7%AC%A6

父组件

// Parent.vue

<template>
  <Child v-model.uppercase="message" />
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const message = ref(&#39;hello&#39;)
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>{{modelValue}}</div>
</template>

<script setup>
import { ref, onMounted } from &#39;vue&#39;

const props = defineProps([
  &#39;modelValue&#39;,
  &#39;modelModifiers&#39;
])

const emit = defineEmits([&#39;update:modelValue&#39;])

onMounted(() => {
  // 判断有没有 uppercase 修饰符,有的话就执行 toUpperCase() 方法
  if (props.modelModifiers.uppercase) {
    emit(&#39;update:modelValue&#39;, props.modelValue.toUpperCase())
  }
})

</script>
登录后复制

8.gif

插槽 slot

插槽可以理解为传一段 HTML 片段给子组件。子组件将 <slot> 元素作为承载分发内容的出口。

插槽 文档

https://v3.cn.vuejs.org/guide/component-slots.html

本文打算讲讲日常用得比较多的3种插槽:默认插槽、具名插槽、作用域插槽。

默认插槽

插槽的基础用法非常简单,只需在 子组件 中使用 <slot> 标签,就会将父组件传进来的 HTML 内容渲染出来。

默认插槽 文档

https://v3.cn.vuejs.org/guide/component-slots.html#%E6%8F%92%E6%A7%BD%E5%86%85%E5%AE%B9

父组件

// Parent.vue

<template>
  <Child>
    <div>雷猴啊</div>
  </Child>
</template>
登录后复制

子组件

// Child.vue

<template>
  <div>
    <slot></slot>
  </div>
</template>
登录后复制

具名插槽

具名插槽 就是在 默认插槽 的基础上进行分类,可以理解为对号入座。

具名插槽 文档

https://v3.cn.vuejs.org/guide/component-slots.html#%E5%85%B7%E5%90%8D%E6%8F%92%E6%A7%BD

9.gif

父组件

// Parent.vue

<template>
  <Child>
    <template v-slot:monkey>
      <div>雷猴啊</div>
    </template>

    <button>鲨鱼辣椒</button>
  </Child>
</template>
登录后复制

子组件

// Child.vue

<template>
  <div>
    <!-- 默认插槽 -->
    <slot></slot>
    <!-- 具名插槽 -->
    <slot name="monkey"></slot>
  </div>
</template>
登录后复制

父组件需要使用 <template> 标签,并在标签上使用 v-solt: + 名称

子组件需要在 <slot> 标签里用 name= 名称 对应接收。

这就是 对号入座

最后需要注意的是,插槽内容的排版顺序,是 以子组件里的排版为准

上面这个例子就是这样,你可以仔细观察子组件传入顺序和子组件的排版顺序。

作用域插槽

如果你用过 Element-Plus 这类 UI框架 的 Table ,应该就能很好的理解什么叫作用域插槽。

作用域插槽 文档

https://v3.cn.vuejs.org/guide/component-slots.html#%E4%BD%9C%E7%94%A8%E5%9F%9F%E6%8F%92%E6%A7%BD

10.gif

父组件

// Parent.vue

<template>
  <!-- v-slot="{scope}" 获取子组件传上来的数据 -->
  <!-- :list="list" 把list传给子组件 -->
  <Child v-slot="{scope}" :list="list">
    <div>
      <div>名字:{{ scope.name }}</div>
      <div>职业:{{ scope.occupation }}</div>
      <hr>
    </div>
  </Child>
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const list = ref([
  { name: &#39;雷猴&#39;, occupation: &#39;打雷&#39;},
  { name: &#39;鲨鱼辣椒&#39;, occupation: &#39;游泳&#39;},
  { name: &#39;蟑螂恶霸&#39;, occupation: &#39;扫地&#39;},
])
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>
    <!-- 用 :scope="item" 返回每一项 -->
    <slot v-for="item in list" :scope="item" />
  </div>
</template>

<script setup>
const props = defineProps({
  list: {
    type: Array,
    default: () => []
  }
})
</script>
登录后复制

我没写样式,所以用 hr 元素让视觉上看上去比较清晰我就是懒

provide / inject

遇到多层传值时,使用 propsemit 的方式会显得比较笨拙。这时就可以用 provideinject 了。

provide 是在父组件里使用的,可以往下传值。

inject 是在子(后代)组件里使用的,可以网上取值。

无论组件层次结构有多深,父组件都可以作为其所有子组件的依赖提供者。

provide / inject 文档

https://v3.cn.vuejs.org/guide/component-provide-inject.html

11.gif

父组件

// Parent.vue

<template>
  <Child></Child>
</template>

<script setup>
import { ref, provide, readonly } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const name = ref(&#39;猛虎下山&#39;)
const msg = ref(&#39;雷猴&#39;)

// 使用readonly可以让子组件无法直接修改,需要调用provide往下传的方法来修改
provide(&#39;name&#39;, readonly(name))

provide(&#39;msg&#39;, msg)

provide(&#39;changeName&#39;, (value) => {
  name.value = value
})
</script>
登录后复制

子组件

// Child.vue

<template>
  <div>
    <div>msg: {{ msg }}</div>
    <div>name: {{name}}</div>
    <button @click="handleClick">修改</button>
  </div>
</template>

<script setup>
import { inject } from &#39;vue&#39;

const name = inject(&#39;name&#39;, &#39;hello&#39;) // 看看有没有值,没值的话就适用默认值(这里默认值是hello)
const msg = inject(&#39;msg&#39;)
const changeName = inject(&#39;changeName&#39;)

function handleClick() {
  // 这样写不合适,因为vue里推荐使用单向数据流,当父级使用readonly后,这行代码是不会生效的。没使用之前才会生效。
  // name.value = &#39;雷猴&#39;

  // 正确的方式
  changeName(&#39;虎躯一震&#39;)

  // 因为 msg 没被 readonly 过,所以可以直接修改值
  msg.value = &#39;世界&#39;
}
</script>
登录后复制

provide 可以配合 readonly 一起使用,详情可以看上面例子和注释。

provideinject 其实主要是用在深层关系中传值,上面的例子只有父子2层,只是为了举例说明我懒

总线 bus

Vue2 有总线传值的方法,我们在 Vue3 中也可以自己模拟。

这个方式其实有点像 Vuex 或者 Pinia 那样,弄一个独立的工具出来专门控制数据。

但和 VuexPinia 相比,我们自己写的这个方法并没有很好的数据跟踪之类的特性。

原理

我们创建一个 Bus.js 文件,用来控制数据和注册事件的。

Bus.js 里有一个 Bus

  • eventList 是必须项,用来存放事件列表的。
  • constructor 里除了 eventList 外,其他都是自定义数据,公共数据就是存在这里的。
  • $on 方法用来注册事件。
  • $emit 方法可以调用 $on 里的事件。
  • $off 方法可以注销 eventList 里的事件。

然后需要用到总线的组件,都导入 Bus.js ,就可以共同操作一份数据了。

Bus.js

import { ref } from &#39;vue&#39;

class Bus {
  constructor() {
    // 收集订阅信息,调度中心
	this.eventList = {}, // 事件列表,这项是必须的
    // 下面的都是自定义值
	this.msg = ref(&#39;这是一条总线的信息&#39;)
  }

  // 订阅
  $on(name, fn) {
	this.eventList[name] = this.eventList[name] || []
	this.eventList[name].push(fn)
  }

  // 发布
  $emit(name, data) {
	if (this.eventList[name]) {
      this.eventList[name].forEach((fn) => {
        fn(data)
      });
	}
  }

  // 取消订阅
  $off(name) {
      if (this.eventList[name]) {
	  delete this.eventList[name]
	}
  }
}

export default new Bus()
登录后复制

父组件

// Parent.vue

<template>
  <div>
    父组件: 
    <span style="margin-right: 30px;">message: {{ message }}</span>
    <span>msg: {{ msg }}</span>
  </div>
  <Child></Child>
</template>

<script setup>
import { ref } from &#39;vue&#39;
import Bus from &#39;./Bus.js&#39;
import Child from &#39;./components/Child.vue&#39;

const msg = ref(Bus.msg)

const message = ref(&#39;hello&#39;)

// 用监听的写法
Bus.$on(&#39;changeMsg&#39;, data => {
  message.value = data
})

</script>
登录后复制

子组件

// Child.vue

<template>
  <div>
    子组件:
    <button @click="handleBusEmit">触发Bus.$emit</button>
    <button @click="changeBusMsg">修改总线里的 msg</button>
  </div>
</template>

<script setup>
import Bus from &#39;../Bus.js&#39;

function handleBusEmit() {
  Bus.$emit(&#39;changeMsg&#39;, &#39;雷猴啊&#39;)
}

function changeBusMsg() {
  // console.log(Bus.msg)
  Bus.msg.value = &#39;在子组件里修改了总线的值&#39;
}
</script>
登录后复制

这个方法其实还挺好用的,但光看可能有点懵,请大家务必亲手敲一下代码实践一下。

getCurrentInstance

getcurrentinstancevue 提供的一个方法,支持访问内部组件实例。

getCurrentInstance 只暴露给高阶使用场景,典型的比如在库中。强烈反对在应用的代码中使用 getCurrentInstance。请不要把它当作在组合式 API 中获取 this 的替代方案来使用。

说白了,这个方法 适合在开发组件库的情况下使用,不适合日常业务开发中使用。

getCurrentInstance 只能setup生命周期钩子中调用。

getcurrentinstance 文档

https://v3.cn.vuejs.org/api/composition-api.html#getcurrentinstance

<script setup> 中,我模拟了类似 $parent$children 的方式。

父组件

// Parent.vue

<template>
  <div>父组件 message 的值: {{ message }}</div>
  <button @click="handleClick">获取子组件</button>
  <Child></Child>
  <Child></Child>
</template>

<script setup>
import { ref, getCurrentInstance, onMounted } from &#39;vue&#39;
import Child from &#39;./components/Child.vue&#39;

const message = ref(&#39;雷猴啊&#39;)

let instance = null

onMounted(() => {
  instance = getCurrentInstance()
})

// 子组件列表
let childrenList = []

// 注册组件
function registrationCom(com) {
  childrenList.push(com)
}

function handleClick() {
  if (childrenList.length > 0) {
    childrenList.forEach(item => {
      console.log(&#39;组件实例:&#39;, item)
      console.log(&#39;组件名(name):&#39;, item.type.name)
      console.log(&#39;组件输入框的值:&#39;, item.devtoolsRawSetupState.inputValue)
      console.log(&#39;---------------------------------------&#39;)
    })
  }
}

</script>
登录后复制

子组件

// Child.vue

<template>
  <div>
    <div>----------------------------</div>
    子组件:<button @click="handleClick">获取父组件的值</button>
    <br>
    <input type="text" v-model="inputValue">
  </div>
</template>

<script>
export default {
  name: &#39;ccccc&#39;
}
</script>

<script setup>
import { getCurrentInstance, onMounted, nextTick, ref } from &#39;vue&#39;

const inputValue = ref(&#39;&#39;)

let instance = null

onMounted(() => {
  instance = getCurrentInstance()
  nextTick(() => {
    instance.parent.devtoolsRawSetupState.registrationCom(instance)
  })

})

function handleClick() {
  let msg = instance.parent.devtoolsRawSetupState.message
  msg.value = &#39;哈哈哈哈哈哈&#39;
}

</script>
登录后复制

可以将代码复制到你的项目中运行试试看,最好还是敲一遍咯。

Vuex

Vuex 主要解决 跨组件通信 的问题。

Vue3 中,需要使用 Vuex v4.x 版本。

安装

npm 或者 Yarn 安装到项目中。

npm install vuex@next --save

# 或

yarn add vuex@next --save
登录后复制

使用

安装成功后,在 src 目录下创建 store 目录,再在 store 下创建 index.js 文件。

// store/index.js

import { createStore } from &#39;vuex&#39;

export default createStore({
  state: {
  },
  getters: {
  },
  mutations: {
  },
  actions: {
  },
  modules: {
  }
})
登录后复制

store/index.js 下输入以上内容。

  • state:数据仓库,用来存数据的。
  • getters:获取数据的,有点像 computed 的用法(个人觉得)。
  • mutations: 更改 state 数据的方法都要写在 mutations 里。
  • actions:异步异步异步,异步的方法都写在这里,但最后还是需要通过 mutations 来修改 state 的数据。
  • modules:分包。如果项目比较大,可以将业务拆散成独立模块,然后分文件管理和存放。

然后在 src/main.js 中引入

import { createApp } from &#39;vue&#39;
import App from &#39;./App.vue&#39;
import store from &#39;./store&#39;

const app = createApp(App)

app
  .use(store)
  .mount(&#39;#app&#39;)
登录后复制
登录后复制

State

store/index.js

// store/index.js

import { createStore } from &#39;vuex&#39;

export default createStore({
  state: {
    msg: &#39;雷猴&#39;
  }
})
登录后复制

组件

// xxx.vue

<script setup>
import { useStore } from &#39;vuex&#39;

const store = useStore()

console.log(store.state.msg) // 雷猴
</script>
登录后复制

Getter

我觉得 Getter 方法和 computed 是有点像的。

比如我们需要过滤一下数据,或者返回时组装一下数据,都可以用 Getter 方法。

store/index.js

// store/index.js

import { createStore } from &#39;vuex&#39;

export default createStore({
  state: {
    msg: &#39;雷猴&#39;
  },
  getters: {
    getMsg(state) {
      return state.msg + &#39; 世界!&#39;
    }
  }
})
登录后复制

组件

// xxx.vue

<script setup>
import { useStore } from &#39;vuex&#39;

const store = useStore()

console.log(store.getters.getMsg) // 雷猴 世界!
</script>
登录后复制

Mutation

Mutation 是修改 State 数据的唯一方法,这样 Vuex 才可以跟踪数据流向。

在组件中通过 commit 调用即可。

store/index.js

// store/index.js

import { createStore } from &#39;vuex&#39;

export default createStore({
  state: {
    msg: &#39;雷猴&#39;
  },
  mutations: {
    changeMsg(state, data) {
      state.msg = data
    }
  }
})
登录后复制

组件

// xxx.vue

<script setup>
import { useStore } from &#39;vuex&#39;

const store = useStore()

store.commit(&#39;changeMsg&#39;, &#39;蒜头王八&#39;)

console.log(store.state.msg) // 蒜头王八
</script>
登录后复制

Action

我习惯将异步的东西放在 Action 方法里写,然后在组件使用 dispatch 方法调用。

store/index.js

// store/index.js

import { createStore } from &#39;vuex&#39;

export default createStore({
  state: {
    msg: &#39;雷猴&#39;
  },
  mutations: {
    changeMsg(state, data) {
      state.msg = data
    }
  },
  actions: {
    fetchMsg(context) {
      // 模拟ajax请求
      setTimeout(() => {
        context.commit(&#39;changeMsg&#39;, &#39;鲨鱼辣椒&#39;)
      }, 1000)
    }
  }
})
登录后复制

组件

// xxx.vue

<script setup>
import { useStore } from &#39;vuex&#39;

const store = useStore()

store.dispatch(&#39;fetchMsg&#39;)
</script>
登录后复制

Module

Module 就是传说中的分包了。这需要你将不同模块的数据拆分成一个个 js 文件。

我举个例子,目录如下

store
|- index.js
|- modules/
  |- user.js
  |- goods.js
登录后复制
  • index.js 对外的出口(主文件)
  • modules/user.js 用户相关模块
  • modules/goods.js 商品模块

index.js

import { createStore } from &#39;vuex&#39;
import user from &#39;./modules/user&#39;
import goods from &#39;./modules/goods&#39;

export default createStore({
  state: {},
  getters: {},
  mutations: {},
  actions: {},
  modules: {
    user,
    goods
  }
})
登录后复制

user.js

const user = {
  state: {
  },
  getters: {
  },
  mutations: {
  },
  actions: {
  }
}

export default user
登录后复制

goods.js

const goods = {
  state: {
  },
  getters: {
  },
  mutations: {
  },
  actions: {
  }
}

export default goods
登录后复制

然后在各个模块里放入相应的数据和方法就行。

在组建中调用方法和访问数据,都和之前的用法差不多的。

以上就是 Vuex 的基础用法。除此之外,Vuex 还有各种语法糖,大家可以自行查阅 官方文档(https://vuex.vuejs.org/zh/)

Pinia

Pinia 是最近比较火热的一个工具,也是用来处理 跨组件通信 的,极大可能成为 Vuex 5

Pinia 文档

https://pinia.vuejs.org/

从我使用 Pinia 一阵后的角度来看,PiniaVuex 相比有以下优点:

  • 调用时代码跟简洁了。
  • TS 更友好。
  • 合并了 VuexMutationAction 。天然的支持异步了。
  • 天然分包。

除此之外,Pinia 官网还说它适用于 Vue2Vue3。但我没试过在 Vue2 中使用我懒得试

Pinia 简化了状态管理模块,只用这3个东西就能应对日常大多任务。

  • state:存储数据的仓库
  • getters:获取和过滤数据(跟 computed 有点像)
  • actions:存放 “修改 state ”的方法

我举个简单的例子

安装

npm install pinia

# 或

yarn add pinia
登录后复制

注册

src 目录下创建 store 目录,再在 store 里创建 index.jsuser.js

目录结构如下

store
|- index.js
|- user.js
登录后复制

index.js

import { createPinia } from &#39;pinia&#39;

const store = createPinia()

export default store
登录后复制

user.js

常见的写法有2种,选其中一种就行。

import { defineStore } from &#39;pinia&#39;

// 写法1
export const useUserStore = defineStore({
  id: &#39;user&#39;, // id必填,且需要唯一
  state: () => {
    return {
      name: &#39;雷猴&#39;
    }
  },
  getters: {
    fullName: (state) => {
      return &#39;我叫 &#39; + state.name
    }
  },
  actions: {
    updateName(name) {
      this.name = name
    }
  }
})


// 写法2
export const useUserStore = defineStore(&#39;user&#39;,{
  state: () => {
    return {
      name: &#39;雷猴&#39;
    }
  },
  getters: {
    fullName: (state) => {
      return &#39;我叫 &#39; + state.name
    }
  },
  actions: {
    updateName(name) {
      this.name = name
    }
  }
})
登录后复制

然后在 src/main.js 中引入 store/index.js

src/main.js

import { createApp } from &#39;vue&#39;
import App from &#39;./App.vue&#39;
import store from &#39;./store&#39;

const app = createApp(App)

app
  .use(store)
  .mount(&#39;#app&#39;)
登录后复制
登录后复制

在组件中使用

组件

// xxx.vue

<template>
  <div>
    <div>name: {{ name }}</div>
    <div>全名:{{ fullName }}</div>
    <button @click="handleClick">修改</button>
  </div>
</template>

<script setup>
import { computed } from &#39;vue&#39;
import { storeToRefs } from &#39;pinia&#39;
import { useUserStore } from &#39;@/store/user&#39;

const userStore = useUserStore()

// const name = computed(() => userStore.name)

// 建议
const { name, fullName } = storeToRefs(userStore)


function handleClick() {
  // 不建议这样改
  // name.value = &#39;蝎子莱莱&#39;

  // 推荐的写法!!!
  userStore.updateName(&#39;李四&#39;)
}
</script>
登录后复制

啰嗦两句

其实 Pinia 的用法和 Vuex 是挺像的,默认就是分包的逻辑,在这方面我支持 菠萝(Pinia)

Pinia 还提供了多种语法糖,强烈建议阅读一下 官方文档(https://pinia.vuejs.org/)。

mitt.js

我们前面用到的 总线 Bus 方法,其实和 mitt.js 有点像,但 mitt.js 提供了更多的方法。

比如:

  • on:添加事件
  • emit:执行事件
  • off:移除事件
  • clear:清除所有事件

mitt.js 不是专门给 Vue 服务的,但 Vue 可以利用 mitt.js 做跨组件通信。

  • github 地址:https://github.com/developit/mitt

  • npm 地址:https://www.npmjs.com/package/mitt

安装

npm i mitt
登录后复制

使用

我模拟一下 总线Bus 的方式。

我在同级目录创建3个文件用作模拟。

Parent.vue
Child.vue
Bus.js
登录后复制

Bus.js

// Bus.js

import mitt from &#39;mitt&#39;
export default mitt()
登录后复制

Parent.vue

// Parent.vue

<template>
  <div>
    Mitt
    <Child />
  </div>
</template>

<script setup>
import Child from &#39;./Child.vue&#39;
import Bus from &#39;./Bus.js&#39;

Bus.on(&#39;sayHello&#39;, () => console.log(&#39;雷猴啊&#39;))
</script>
登录后复制

Child.vue

// Child.vue

<template>
  <div>
    Child:<button @click="handleClick">打声招呼</button>
  </div>
</template>

<script setup>
import Bus from &#39;./Bus.js&#39;

function handleClick() {
  Bus.emit(&#39;sayHello&#39;)
}
</script>
登录后复制

此时,点击 Child.vue 上的按钮,在控制台就会执行在 Parent.vue 里定义的方法。

mitt.js 的用法其实很简单,建议跟着 官方示例 敲一下代码,几分钟就上手了。

(学习视频分享:vuejs教程web前端

以上是Vue3组件间怎么通讯?10+种通讯方式分享的详细内容。更多信息请关注PHP中文网其他相关文章!

本站声明
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系admin@php.cn

热AI工具

Undresser.AI Undress

Undresser.AI Undress

人工智能驱动的应用程序,用于创建逼真的裸体照片

AI Clothes Remover

AI Clothes Remover

用于从照片中去除衣服的在线人工智能工具。

Undress AI Tool

Undress AI Tool

免费脱衣服图片

Clothoff.io

Clothoff.io

AI脱衣机

AI Hentai Generator

AI Hentai Generator

免费生成ai无尽的。

热门文章

R.E.P.O.能量晶体解释及其做什么(黄色晶体)
4 周前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.最佳图形设置
4 周前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.如果您听不到任何人,如何修复音频
4 周前 By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O.聊天命令以及如何使用它们
4 周前 By 尊渡假赌尊渡假赌尊渡假赌

热工具

记事本++7.3.1

记事本++7.3.1

好用且免费的代码编辑器

SublimeText3汉化版

SublimeText3汉化版

中文版,非常好用

禅工作室 13.0.1

禅工作室 13.0.1

功能强大的PHP集成开发环境

Dreamweaver CS6

Dreamweaver CS6

视觉化网页开发工具

SublimeText3 Mac版

SublimeText3 Mac版

神级代码编辑软件(SublimeText3)

vue3+vite:src使用require动态导入图片报错怎么解决 vue3+vite:src使用require动态导入图片报错怎么解决 May 21, 2023 pm 03:16 PM

vue3+vite:src使用require动态导入图片报错和解决方法vue3+vite动态的导入多张图片vue3如果使用的是typescript开发,就会出现require引入图片报错,requireisnotdefined不能像使用vue2这样imgUrl:require(’…/assets/test.png’)导入,是因为typescript不支持require所以用import导入,下面介绍如何解决:使用awaitimport

vue3项目中怎么使用tinymce vue3项目中怎么使用tinymce May 19, 2023 pm 08:40 PM

tinymce是一个功能齐全的富文本编辑器插件,但在vue中引入tinymce并不像别的Vue富文本插件一样那么顺利,tinymce本身并不适配Vue,还需要引入@tinymce/tinymce-vue,并且它是国外的富文本插件,没有通过中文版本,需要在其官网下载翻译包(可能需要翻墙)。1、安装相关依赖npminstalltinymce-Snpminstall@tinymce/tinymce-vue-S2、下载中文包3.引入皮肤和汉化包在项目public文件夹下新建tinymce文件夹,将下载的

Vue3如何实现刷新页面局部内容 Vue3如何实现刷新页面局部内容 May 26, 2023 pm 05:31 PM

想要实现页面的局部刷新,我们只需要实现局部组件(dom)的重新渲染。在Vue中,想要实现这一效果最简便的方式方法就是使用v-if指令。在Vue2中我们除了使用v-if指令让局部dom的重新渲染,也可以新建一个空白组件,需要刷新局部页面时跳转至这个空白组件页面,然后在空白组件内的beforeRouteEnter守卫中又跳转回原来的页面。如下图所示,如何在Vue3.X中实现点击刷新按钮实现红框范围内的dom重新加载,并展示对应的加载状态。由于Vue3.X中scriptsetup语法中组件内守卫只有o

Vue3怎么解析markdown并实现代码高亮显示 Vue3怎么解析markdown并实现代码高亮显示 May 20, 2023 pm 04:16 PM

Vue实现博客前端,需要实现markdown的解析,如果有代码则需要实现代码的高亮。Vue的markdown解析库有很多,如markdown-it、vue-markdown-loader、marked、vue-markdown等。这些库都大同小异。这里选用的是marked,代码高亮的库选用的是highlight.js。具体实现步骤如下:一、安装依赖库在vue项目下打开命令窗口,并输入以下命令npminstallmarked-save//marked用于将markdown转换成htmlnpmins

Vue3中怎么实现选取头像并裁剪 Vue3中怎么实现选取头像并裁剪 May 29, 2023 am 10:22 AM

最终效果安装VueCropper组件yarnaddvue-cropper@next上面的安装值针对Vue3的,如果时Vue2或者想使用其他的方式引用,请访问它的npm官方地址:官方教程。在组件中引用使用时也很简单,只需要引入对应的组件和它的样式文件,我这里没有在全局引用,只在我的组件文件中引入import{userInfoByRequest}from'../js/api'import{VueCropper}from'vue-cropper&

Vue3复用组件怎么使用 Vue3复用组件怎么使用 May 20, 2023 pm 07:25 PM

前言无论是vue还是react,当遇到多处重复代码的时候,我们都会想着如何复用这些代码,而不是一个文件里充斥着一堆冗余代码。实际上,vue和react都可以通过抽组件的方式来达到复用,但如果遇到一些很小的代码片段,你又不想抽到另外一个文件的情况下,相比而言,react可以在相同文件里面声明对应的小组件,或者通过renderfunction来实现,如:constDemo:FC=({msg})=>{returndemomsgis{msg}}constApp:FC=()=>{return(

怎么使用vue3+ts+axios+pinia实现无感刷新 怎么使用vue3+ts+axios+pinia实现无感刷新 May 25, 2023 pm 03:37 PM

vue3+ts+axios+pinia实现无感刷新1.先在项目中下载aiXos和pinianpmipinia--savenpminstallaxios--save2.封装axios请求-----下载js-cookienpmiJS-cookie-s//引入aixosimporttype{AxiosRequestConfig,AxiosResponse}from"axios";importaxiosfrom'axios';import{ElMess

Vue3中如何使用defineCustomElement定义组件 Vue3中如何使用defineCustomElement定义组件 May 28, 2023 am 11:29 AM

使用Vue构建自定义元素WebComponents是一组web原生API的统称,允许开发者创建可复用的自定义元素(customelements)。自定义元素的主要好处是,它们可以在使用任何框架,甚至是在不使用框架的场景下使用。当你面向的最终用户可能使用了不同的前端技术栈,或是当你希望将最终的应用与它使用的组件实现细节解耦时,它们会是理想的选择。Vue和WebComponents是互补的技术,Vue为使用和创建自定义元素提供了出色的支持。你可以将自定义元素集成到现有的Vue应用中,或使用Vue来构

See all articles