使用 vue3 和 webpack 模块联合进行状态管理

State management with vue3 and webpack module federation

我正在使用 MFE 与 Vuejs3 和 webpack 5 模块联合创建一个应用程序。使用 Vue 制作的一个主要应用程序将使用其他应用程序(应该与框架无关),我需要从我的 Vue shell 向其他应用程序共享状态。

我尝试使用 Composition api 创建商店,但该值仅在调用该事件的应用程序中更新。

这是我从 vue 公开的商店 shell:

import { reactive, toRefs } from 'vue'

const state = reactive({
  data: {
    quantity: 1,
  },
})

export default function useStoreData() {
  const updateQuantity = (quantity) => {
    state.data.quantity += quantity
  }

  return {
    ...toRefs(state),
    updateQuantity,
  }
}

在 vue 中 shell :

<template>
    <div>
      <button @click="updateQuantity(1)">FOO +1</button>
      <div>Quantity = {{ data.quantity }} </div>
    </div>
</template>

<script setup>
import useStoreData from '../store/storeData'
const { updateQuantity, data } = useStoreData()
</script>

当我点击“FOO +1”按钮时,值更新为 +1。

在我的远程应用程序中:

<template>
  <div>
    <button @click="updateQuantity(5)">BAR +5</button>
    <div>Quantity = {{ data.quantity }}</div>
  </div>
</template>

<script setup>
import store from 'store/storeData'

const useStoreData = store
const { data, updateQuantity } = useStoreData()
</script>

当我点击按钮“BAR +5”时,值更新 +5

但是每次我点击其中一个按钮时,另一个应用程序中的值都不会更新。

我错过了什么?

需要将 shell 应用程序添加为自身的远程应用程序,然后将商店导入 shell 应用程序,就像我在远程应用程序中所做的那样。

这是 shell 的 vue.config.js,我需要在其中公开和远程存储。

const { ModuleFederationPlugin } = require('webpack').container
const deps = require('./package.json').dependencies

module.exports = {
  publicPath: '/',
  configureWebpack: {
    plugins: [
      new ModuleFederationPlugin({
        name: 'shell',
        filename: 'remoteEntry.js',
        remotes: {
          test: 'test@http://localhost:8081/remoteEntry.js',
          test2: 'test2@http://localhost:8082/remoteEntry.js',
          store: 'shell@http://localhost:8080/remoteEntry.js', <= ADDED HERE the remote of itself
        },
        exposes: {
          './storeData': './src/store/storeData.js',
        },
        shared: [
          {
            ...deps,
          },
        ],
      }),
    ],
  },
  devServer: {
    port: 8080,
    headers: {
      'Access-Control-Allow-Origin': '*',
      'Access-Control-Allow-Methods': 'GET, POST, PUT, DELETE, PATCH, OPTIONS',
      'Access-Control-Allow-Headers': 'X-Requested-With, content-type, Authorization',
    },
  },
}

在 Vue shell 应用中:

<script setup>
// import useStoreData from '../store/storeData' <= wrong
import store from 'store/storeData' <= good
</script>