vue+vuex+axios从后台获取数据存入vuex,组件之间共享数据

 

vue+vuex+axios从后台获取数据存入vuex,组件之间共享数据

 

在vue项目中组件间相互传值或者后台获取的数据需要供多个组件使用的情况很多的话,有必要考虑引入vuex来管理这些凌乱的状态,今天这边博文用来记录这一整个的过程,后台api接口是使用webpack-server模拟的接口,这个前面的文章中有提到,需要的可以去翻阅。

整个的流程是在组件的created中提交dispatch,然后通过action调用一个封装好的axios然后再触发mutation来提交状态改变state中的数据,然后在组件的计算属性中获取state的数据并渲染在页面上

首先新需要在项目中安装vuex:

运行命令 npm install vuex --save-dev

在项目的入口js文件main.js中

import store from './store/index'

并将store挂载到vue上

复制代码
new Vue({
  el: '#app',
  router,
  store,
  template: '<App/>',
  render: (createElement) => createElement(App)
})
复制代码

然后看下整个store的目录结构,modules文件夹用来将不同功能也面的状态分成模块,index.js文件夹是store的入口文件,types文件夹是定义常量mutation的文件夹

整个vuex的目录结构如下:

这里我新建了文件夹fetch用来编写所有的axios处理和axios封装

在fetch文件夹下新建api.js文件:

复制代码
import axios from 'axios'

export function fetch(url, params) {
    return new Promise((resolve, reject) => {
        axios.post(url, params)
            .then(response => {
                 alert('Api--ok');
                resolve(response.data);
            })
            .catch((error) => {
              console.log(error)
               reject(error)
            })
    })
}

export default {
  // 获取我的页面的后台数据
  mineBaseMsgApi() {
     alert('进入api.js')
    return fetch('/api/getBoardList');
  }
}
复制代码

在store的入口文件index.js中:

复制代码
import Vue from 'vue'
import Vuex from 'vuex'

import mine from './modules/mine';

Vue.use(Vuex);

export default new Vuex.Store({
  modules: {
    mine
  }
});
复制代码

在你需要请求后台数据并想使用vuex的组件中的created分发第一个dispatch:

created() {
    this.$store.dispatch('getMineBaseApi');
  }

然后在store/modules下的对应模块js文件中,这里我使用的mine.js文件中编写state、action和mutation

复制代码
import api from './../../fetch/api';
import * as types from './../types.js';

const state = {
  getMineBaseMsg: {
    errno: 1,
    msg: {}
  }
}

const actions = {
  getMineBaseApi({commit}) {
    alert('进入action');
    api.mineBaseMsgApi()
    .then(res => {
        alert('action中调用封装后的axios成功');
        console.log('action中调用封装后的axios成功')
        commit(types.GET_BASE_API, res)
    })
  }
}

const getters = {
  getMineBaseMsg: state => state.getMineBaseMsg
}

const mutations = {
  [types.GET_BASE_API](state, res) {
    alert('进入mutation');
    state.getMineBaseMsg = { ...state.getMineBaseMsg, msg: res.data.msg }
    alert('进入mutations修改state成功');
  }
}

export default {
  state,
  actions,
  getters,
  mutations
}
复制代码

然后在想取回state的组件中使用mapGetters获取state:

复制代码
import { mapGetters } from 'vuex';

export default {
  ...
  computed: {
    ...mapGetters([
      'getMineBaseMsg'
    ])
  },
  ...      
}
复制代码

然后在控制台查看把:

getter和mutation都已经成功了,同时我在提交state的整个过程都添加了alert,大家可以看看整个流程是如何走的;

 
 
标签: vue
好文要顶 关注我 收藏该文  
4
2
 
 
 
« 上一篇:cookie详解(含vue-cookie)
» 下一篇:ES6学习随笔--字符串模板、解构赋值、对象、循环、函数、Promise、Generrator
posted @ 2017-03-23 19:26 Jason齐齐 阅读(30779) 评论(3) 编辑 收藏
 

 
#1楼 2017-03-31 15:13 | vuex  
写的不错
#2楼 2017-04-12 10:46 | 越来越好888  
简洁易懂,谢谢~~~
#3楼 2017-10-10 10:48 | 总是套路得人心  
 
 
 
原文地址:https://www.cnblogs.com/leigepython/p/9405935.html