Vuex:使用promise API调用异步操作

时间:2018-04-16 04:35:40

标签: typescript asynchronous vue.js action vuex

我使用TypeScript和Vue / Vuex创建一个玩具应用程序,我需要在渲染组件时从远程API加载项目列表。在下面的操作中,我使用库axios来发出http请求,并将其作为承诺返回:

const actions = {    
  getCurrentSession(context: Context) {
    return axios.get("http://localhost:3000/sessions/current")
      .then((res) => {
        commitSharedFiles(context, res.data.shared_files);
      })
      .catch((e: string) => {
        console.error(e);
      });
  }
};

// export action
export const dispatchGetSharedFiles = dispatch(actions.getCurrentSession);

// commit
export const commitSharedFiles = commit(mutations.setSharedFileList);

// mutations to the state tree
const mutations = {
  setSharedFileList(state: State, sharedFiles: StoreState.DirFile[]) {
    state.sharedFileList = sharedFiles;
  }
};

由于操作的异步性质,我必须在从商店/状态树中检索提取的文件列表之前解决这个问题:

// this is called in the mounted() life cycle method:
Store.dispatchGetSharedFiles(this.$store).then(res => {
            this.sharedFiles = Store.readSharedFilesList(this.$store);
});

这有效,但我认为解决这个承诺然后获取数据是非常复杂的。有没有更好的方法在Vuex中使用异步操作?感谢

1 个答案:

答案 0 :(得分:3)

使用async/await进行操作,使用映射getter检索商店中的商品(也可以映射操作)。

// store.ts
const actions = {    
  async FetchSharedFiles(context: Context) {
    // omitted error handling for brevity
    let {res} = await axios.get("http://localhost:3000/sessions/current")
    commitSharedFiles(context, res.data.shared_files);
  }
};

// component.ts
import { mapGetters } from 'vuex'
...
mounted () {
  // again, do any necessary error handling
  this.$store.dispatch('FetchSharedFiles')
},
computed: {
  ...mapGetters({
    sharedFiles: 'namespace/getSharedFiles'
  })
}

使用此模式可以从vuex的反应性中获益,因此组件中的sharedFiles将在操作完成并提交响应数据时触发更新。您的模板可能如下所示:

<template>
  <div v-for="(file, i) in sharedFiles" :key="i">
    // layout for each item...
  </div>
</template>