我有一个带Vuex的Vue Webpack应用程序(我是两个新手,来自Ember世界)。我目前已经设置了使用vue-resource和两个这样的文件:
/src/store/api.js
import Vue from 'vue';
import { store } from './store';
export default {
get(url, request) {
return Vue.http
.get(store.state.apiBaseUrl + url, request)
.then(response => Promise.resolve(response.body))
.catch(error => Promise.reject(error));
},
post(url, request) {
return Vue.http
.post(store.state.apiBaseUrl + url, request)
.then(response => Promise.resolve(response))
.catch(error => Promise.reject(error));
},
// Other HTTP methods removed for simplicity
};
然后我将上面的api.js文件导入到 /src/store/store.js 文件中,如下所示:
import Vue from 'vue';
import Vuex from 'vuex';
import Api from './api';
Vue.use(Vuex);
// eslint-disable-next-line
export const store = new Vuex.Store({
state: {
apiBaseUrl: 'https://apis.myapp.com/v1',
authenticatedUser: null,
},
mutations: {
/**
* Updates a specific property in the store
* @param {object} state The store's state
* @param {object} data An object containing the property and value
*/
updateProperty: (state, data) => {
state[data.property] = data.value;
},
},
actions: {
usersCreate: (context, data) => {
Api.post('/users', data)
.then(response => context.commit('updateProperty', { property: 'authenticatedUser', value: response.body }))
// eslint-disable-next-line
.catch(error => console.error(error));
},
},
});
当我需要创建新用户时,我只需在我的组件中this.$store.dispatch('usersCreate', { // my data });
。这很好用,但我有一些问题:
正确的方法是什么?如何在发送操作的组件中检查AJAX失败/成功状态?使用Vuex时进行API调用的最佳做法是什么?
答案 0 :(得分:7)
你的行动应该返回一个承诺。您当前的代码只调用Api.post
而不返回它,因此Vuex不在循环中。请参阅Vuex文档中Composing Actions的示例。
当你返回一个Promise时,动作调用者可以跟随then()
链:
this.$store.dispatch('usersCreate').then(() => {
// API success
}).catch(() => {
// API fail
});
至于组织您的操作,您不会 将它们全部放在您的store.js
文件中。 Vuex支持模块/命名空间。 https://vuex.vuejs.org/en/modules.html