1

我有一个ApiService()我正在抽象我的 API 调用。我想 从服务中dispatch('SET_BUSY')进行dispatch('SET_NOT_BUSY')应用级突变,但出现以下错误:

TypeError: dispatch is not a function. (In 'dispatch('SET_BUSY')', 'dispatch' is undefined)

/vuex/actions.js

import { ApiService } from './services';

export const setAppMode = function ({ dispatch }) {
  ApiService({
    noun: 'Application',
    verb: 'GetMode'
  }, response => {
    dispatch('SET_APP_MODE', response.Data.mode);
  },
  dispatch);
};

/vuex/services.js

import Vue from 'vue';

export const ApiService = (options = {}, callback, dispatch) => {
  let endpoint = 'localhost/api/index.php';
  let parameters = options.data;

  dispatch('SET_BUSY');

  Vue.http.post(endpoint, parameters, []).then((promise) => {
    return promise.text();
  }, (promise) => {
    return promise.text();
  }).then(response => {
    response = JSON.parse(response);

    dispatch('SET_NOT_BUSY');

    if (response.Result === 'ERROR') {
      console.log('ERROR: ' + response.Error.Message);
    }

    callback(response);
  });
};
4

1 回答 1

1

动作函数期望商店实例作为第一个参数。这通常由 Vuex 自动完成。

在 Vue 实例中使用动作时,在 Vuex 1 中实现的方法如下:

import { setAppMode } from './actions'

new Vue({
  vuex: {
    actions: {
      setAppMode
    }
  }
})

现在您可以使用this.setAppMode()并让商店作为第一个参数自动可用。

注意:还需要设置storeVM的属性

import store from `./store`

// and inside the VM options:
{ 
    store: store
}

如果store尚未设置为 vm 实例,您仍然可以将其作为参数手动传递:

this.setAppMode(store);
于 2016-10-03T18:53:36.187 回答