Vue3 在ts文件中引用store
时间: 2023-09-09 18:08:16 浏览: 258
vuex中的store
当你在 Vue 3 中使用 TypeScript时,在你的组件中引用 store,你需要先定义一个新的类型,表示 store 中的状态。假设你的 store 包含一个名为`count`的状态,你可以像这样定义一个类型:
```typescript
interface RootState {
count: number;
}
```
接下来,你需要导入 Vuex 中的 `useStore` 函数,并在你的组件中使用它来获取 store 实例。你可以在组件中使用 `computed` 属性来创建一个计算属性,从而获得 store 中的状态。
```vue
<template>
<div>
<p>{{ count }}</p>
<button @click="increment">Increment</button>
</div>
</template>
<script lang="ts">
import { defineComponent, computed } from 'vue';
import { useStore } from 'vuex';
import { RootState } from './store';
export default defineComponent({
setup() {
const store = useStore<RootState>();
const count = computed(() => store.state.count);
const increment = () => {
store.commit('increment');
}
return {
count,
increment,
}
}
})
</script>
```
在上面的代码中,我们首先导入了 `defineComponent`、`computed` 和 `useStore`。然后,我们定义了一个 `setup()` 函数,在这个函数中,我们调用了 `useStore()` 函数,并将 `RootState` 作为泛型参数传递给它,以获取 store 实例。接下来,我们使用 `computed()` 函数来创建一个计算属性,表示 store 中的 `count` 状态。最后,我们定义了一个 `increment()` 方法,用于调用 store 的 `increment` mutation。
需要注意的是,在使用 `useStore()` 函数时,我们需要将 `RootState` 作为泛型参数传递给它,以便 TypeScript 可以正确地推断 store 中的状态类型。
阅读全文