我正在提取API调用的ApiService()。我想
来自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);
  });
};

最佳答案

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

在Vue实例中使用动作时,在Vuex 1中完成动作的方式如下:

import { setAppMode } from './actions'

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


现在,您可以使用this.setAppMode()并将存储自动用作第一个参数。

注意:您还需要设置虚拟机的store属性

import store from `./store`

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


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

this.setAppMode(store);

关于javascript - 从服务文件发送突变,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39835451/

10-13 01:47