vue的使用及工作原理源码分析

Vuex作为Vue的核心无人不知无人不晓,都知道Vuex 是一个专为 Vue.js 应用程序开发的状态管理模式,也知道当我们的应用遇到多个组件共享状态时,单向数据流的简洁性很容易被破坏,多个视图依赖于同一状态,来自不同视图的行为需要变更同一状态的时候要用到vuex,可是vuex实现的原理是什么啊?一直都见到的是遮着面纱的vuex好奇心让我今天想要揭开她神秘的面纱。

第一部分复习一下vuex基本的用法以及她的API,第二部分学习Vuex原理及其源码分析。

 一.Vuex的使用

  1.先介绍一下官方的这张经典图

 vue的使用及工作原理源码分析

  ①state:里面就是存放的状态

  ②mutations:更改 Vuex 的 store 中的状态的唯一方法是提交 mutation。Vuex 中的 mutation 非常类似于事件:每个 mutation 都有一个字符串的 事件类型 (type) 和 一个 回调函数 (handler)。需要通过commit触发mutation方法,同时mutation必须是同步函数

  ③actions:这个类似于mutation,不过actions定义的是异步函数。Action提交的是mutation,而不是直接变更状态

  ④getter:通过Getters可以派生出一些新的状态,相当于vuex的计算属性

  ⑤modules:模块化每个模块拥有自己的 state、mutation、action、getter、甚至是嵌套子模块

  ⑥mutation的辅助函数mapMutations把mutations里面的方法映射到methods中。映射的名称一定要相同,然后就可以通过this调用mutaition的方法

  ⑦mapAcions:把actions里面的方法映射到methods中

  ⑧mapGetters:把getters属性映射到computed身上

  2.新建store文件夹,然后建立如下文件,接下来慢慢看看他们有什么用

          vue的使用及工作原理源码分析

   ①在index.js文件引入一些文件,这里我们把方法和数据单独抽离出来方便管理,在index.js中统一引入

import Vue from "vue";
import Vuex from "vuex";
import * as actions from "./actions";
import * as getters from "./getters";
import state from "./state";
import mutations from "./mutations";
Vue.use(Vuex);
export default new Vuex.Store({
  actions,
  getters,
  state,
  mutations,
});

  ②在state.js保存所有数据,以对象的方式导出

const state = {
  singer: {},
  playing: false,
  fullScreen: false,
  playlist: [],
  sequenceList: [],
};
export default state;

  ③mutations.js :保存所有方法,用来改变state的数据

import * as types from "./mutation-types";
const mutations = {
  [types.SET_SINGER](state, singer) {
    state.singer = singer;
  },
  [types.SET_PLAYING_STATE](state, flag) {
    state.playing = flag;
  },
  [types.SET_FULL_SCREEN](state, flag) {
    state.fullScreen = flag;
  },
  [types.SET_PLAYLIST](state, list) {
    state.playlist = list;
  },
  [types.SET_SEQUENCE_LIST](state, list) {
    state.sequenceList = list;
  }
};

export default mutations;

  ④actions.js :暴露给用户使用,借此触发mutations中的方法,保存数据(执行异步操作)

import * as types from "./mutation-types";
export const randomPlay = function({ commit }, { list }) {
  commit(types.SET_PLAY_MODE, playMode.random);
  commit(types.SET_SEQUENCE_LIST, list);
  let randomList = shuffle(list);
  commit(types.SET_PLAYLIST, randomList);
  commit(types.SET_CURRENT_INDEX, 0);
  commit(types.SET_FULL_SCREEN, true);
  commit(types.SET_PLAYING_STATE, true);
};

  ⑤完整简单的使用

/ 存储数据的对象,我们可以将你需要存储的数据在这个state中定义
const state = {
  // 当前登陆的用户名
  username: ‘‘
}
const mutations = {
  // 提供一个方法,为state中的username赋值
//   这些方法有一个默认的参数,这个参数就是当前store中的State
  setUserName (state, username) {
    //存入一个值
    state.username = username
    localStorage.setItem(‘myname‘, username)
  },
  getUserName (state) {
    //输出一个值
    return state.username
  }
}

//使用的时候---> 通过commit调用mutations中定义的函数,这个函数就是操作state中定义的成员的函数
   // this.$store.commit(‘setUserName‘, res.data.username(请求返回的值))


const actions = {
  setUserNameAction: ({commit}, username) => {
    commit(‘setUserName‘, username)
  },
  getUserNameAction: ({commit}) => {
    commit(‘getUserName‘)
  }
}

// 通过action来触发mutations中的函数,这种触发方式是异步方式--->使用
//存入  this.$store.dispatch(‘setUserNameAction‘, res.data.username + ‘aa‘)
//取出  this.currentUserName = this.$store.dispatch(‘getUserNameAction‘)


//Getters是从 store 中的 state 中派生出一些状态,即当出现多处需要导入某个状态时,结果不是很理想,所以getters的返回值会根据它的依赖被缓存起来,且只有当它的依赖值发生了改变才会被重新计算。
const getters = {
  getUserName: (state) => {
    return localStorage.getItem(‘myname‘)
  }
}

  二.Vuex的原理

 我曾经粗浅的认为:vuex原理是相当于军营大本营统一管理许多状态数据,普通的组件传参需要一级一级的传达,而vuex无论在多么偏远的地方也不需要一级一级的去传达而是直接传到需要用到数据的地方。现在我们通过源码来学习一下他的原理。

 Vuex是通过全局注入store对象,来实现组件间的状态共享。在大型复杂的项目中(多级组件嵌套),需要实现一个组件更改某个数据,多个组件自动获取更改后的数据进行业务逻辑处理,这时候使用vuex比较合适。假如只是多个组件间传递数据,使用vuex未免有点大材小用,其实只用使用组件间常用的通信方法即可。

vue的使用及工作原理源码分析

 

注意:下边的分析是从树形图的左侧到右侧深度遍历介绍

   1.store是怎么挂载到全局的 

1 import Vuex from ‘vuex‘;
2 Vue.use(vuex);// vue的插件机制

利用vue的插件机制,使用Vue.use(vuex)时,会调用vuex的install方法,装载vuex,install方法的代码如下:

export function install (_Vue) {
  if (Vue && _Vue === Vue) {
    if (process.env.NODE_ENV !== ‘production‘) {
      console.error(
        ‘[vuex] already installed. Vue.use(Vuex) should be called only once.‘
      )
    }
    return
  }
  Vue = _Vue
  applyMixin(Vue)
}

  applyMixin方法使用vue混入机制,vue的生命周期beforeCreate钩子函数前混入vuexInit方法,核心代码如下:

Vue.mixin({ beforeCreate: vuexInit });

function vuexInit () {
    const options = this.$options
    // store injection
    if (options.store) {
      this.$store = typeof options.store === ‘function‘
        ? options.store()
        : options.store
    } else if (options.parent && options.parent.$store) {
      this.$store = options.parent.$store
    }
}

通过源码我们知道了vuex是利用vue的mixin混入机制,在beforeCreate钩子前混入vuexInit方法,vuexInit方法实现了store注入vue组件实例,并注册了vuex store的引用属性$store。即 每个vue组件实例化过程中,会在 beforeCreate 钩子前调用 vuexInit 方法。

  2.vuex中的数据状态是怎么维护的,为啥就是响应式的

function resetStoreVM (store, state, hot) {
  // 省略无关代码
  Vue.config.silent = true
  store._vm = new Vue({
    data: {
      $$state: state
    },
    computed
  })
}

上边的代码我们发现,vuex的state本质就是作为一个隐藏的vue组件的data,换句话说当执行commit操作其实是修改这个组件的data值,我们知道组件中只有在data中定义的变量才是响应式的,这样就能解释了为什么vuex中的state的对象属性必须提前定义好,如果该state中途增加一个属性,因为该属性没有被defineReactive,所以其依赖系统没有检测到,自然不能更新。所以不难知道store._vm.$data.$$state === store.state。

   3.commit提交mutation

Store.prototype.commit = function commit(_type, _payload, _options) {
  var this$1 = this;
  var mutation = { type: type, payload: payload };
  var entry = this._mutations[type];
  
  this._withCommit(function() {
    entry.forEach(function commitIterator(handler) {
      handler(payload);
    });
  });

  // ...
};

// _withCommit 执行它所传入的 fn,它遍历 entry,执行用户自定义的 handler 处理函数,
// 这个 handler 就是我们定义的 commit 里的函数 increment (state, n = 1) { state.count += n; },总之要变动 state.count,就会进入 state 的拦截器, 

prototypeAccessors$1.state.get = function () {
  return this._vm._data.$$state
};

// 一旦触发去 vue 的 _data 上有 vue 自己的拦截器 get,而动作做 state.count += n 后,就触发了 vue 自己拦截器里的 set。最后这样就开始vue自身的渲染逻辑。

  4.dispatch提交action

 dispatch其实和commit同理,只不过是他会使用 Promise.all 来保证 handler 函数的异步触发。

Store.prototype.dispatch = function dispatch(_type, _payload) {
  var this$1 = this;

  // check object-style dispatch
  var ref = unifyObjectStyle(_type, _payload);
  var type = ref.type;
  var payload = ref.payload;

  var action = { type: type, payload: payload };
  var entry = this._actions[type];

    entry.length > 1
      ? Promise.all(
          entry.map(function(handler) {
            return handler(payload);
          })
        )
      : entry[0](payload);

  return result.then(function(res) {
    return res;
  });
};

拓展:

 我们发现vuex中其实好多东西和vue是相通的,所以最后我们把vuex映射到vue做一下对比。

 ①数据:state---> data

 ②获取数据:getter--->computed

 ③修改数据:mutation--->methods

相关推荐