返回介绍

Composing Stores

发布于 2024-04-14 00:17:41 字数 2432 浏览 0 评论 0 收藏 0

组合商店是关于让商店相互使用,这在 Pinia 中得到了支持。 有一条规则要遵循:

如果两个或多个商店相互使用,它们就无法通过 gettersactions 创建无限循环。 他们不能两者在他们的设置函数中直接读取彼此的状态:

js
const useX = defineStore('x', () => {
  const y = useY()

  // ❌ 这是不可能的,因为 y 也尝试读取 x.name
  y.name

  function doSomething() {
    // ✅ 在计算或动作中读取 y 属性
    const yName = y.name
    // ...
  }

  return {
    name: ref('I am X'),
  }
})

const useY = defineStore('y', () => {
  const x = useX()

  // ❌ 这是不可能的,因为 x 也尝试读取 y.name
  x.name

  function doSomething() {
    // ✅ 在计算或动作中读取 x 属性
    const xName = x.name
    // ...
  }

  return {
    name: ref('I am Y'),
  }
})

Nested Stores

请注意,如果一个商店使用另一个商店,您可以直接导入并调用_actions_和_getters_中的useStore()函数。 然后,您可以像在 Vue 组件中一样与商店进行交互。 请参阅 共享获取器共享操作

当涉及到 setup stores 时,您可以简单地使用 store 函数的 **at top ** 之一:

ts
import { useUserStore } from './user'

export const useCartStore = defineStore('cart', () => {
  const user = useUserStore()

  const summary = computed(() => {
    return `Hi ${user.name}, you have ${state.list.length} items in your cart. It costs ${state.price}.`
  })

  function purchase() {
    return apiPurchase(user.id, this.list)
  }

  return { summary, purchase }
})

Shared Getters

You can simply call useOtherStore() inside a getter:

js
import { defineStore } from 'pinia'
import { useUserStore } from './user'

export const useCartStore = defineStore('cart', {
  getters: {
    summary(state) {
      const user = useUserStore()

      return `Hi ${user.name}, you have ${state.list.length} items in your cart. It costs ${state.price}.`
    },
  },
})

Shared Actions

这同样适用于 actions

js
import { defineStore } from 'pinia'
import { useUserStore } from './user'

export const useCartStore = defineStore('cart', {
  actions: {
    async orderCart() {
      const user = useUserStore()

      try {
        await apiOrderCart(user.token, this.items)
        // another action
        this.emptyCart()
      } catch (err) {
        displayError(err)
      }
    },
  },
})

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。
列表为空,暂无数据
    我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
    原文