资讯专栏INFORMATION COLUMN

从0开始写一个自己的Vuex

tinysun1234 / 2874人阅读

摘要:从开始学习源码前言尝试从开始,写一个主要是的源代码,从中学习下的源代码先来看下列子中是怎么使用的。开始第一步作为一个插件先得实现方法。先定义一个变量。一是为了注入到各个组件,二是后续要用到的双向绑定的功能依赖双向绑定构造下。

Vuex从0开始学习源码 前言

尝试从0开始,写一个Vuex(主要是copy vuex的源代码),从中学习下vuex的源代码.先来看下列子中是怎么使用store的。

</>复制代码

  1. import Vue from "vue"
  2. import Vuex from "../../src"
  3. Vue.use(Vuex)
  4. // mutation types
  5. // optional if you don"t like constants.
  6. const INCREMENT = "INCREMENT"
  7. const DECREMENT = "DECREMENT"
  8. // root state object.
  9. // each Vuex instance is just a single state tree.
  10. const state = {
  11. count: 0
  12. }
  13. // actions are what components will be able to
  14. // call as store.actions.xxx
  15. // note these are not the final functions the
  16. // components will be calling.
  17. const actions = {
  18. // for simple actions that just dispatches a single mutation,
  19. // we can just provide the mutation type.
  20. increment: INCREMENT,
  21. decrement: DECREMENT,
  22. // for a normal action function, it always recieves the store
  23. // instance as the first argument, from which we can get the
  24. // dispatch function and the state object. Any additional
  25. // arguments will follow the store argument.
  26. incrementIfOdd: ({ dispatch, state }) => {
  27. if ((state.count + 1) % 2 === 0) {
  28. dispatch(INCREMENT)
  29. }
  30. },
  31. // Same thing for async actions.
  32. incrementAsync: ({ dispatch }) => {
  33. setTimeout(() => {
  34. dispatch(INCREMENT)
  35. }, 1000)
  36. }
  37. }
  38. // mutations are operations that actually mutates the state.
  39. // each mutation handler gets the entire state tree as the
  40. // first argument, followed by additional payload arguments.
  41. // mutations must be synchronous and can be recorded by middlewares
  42. // for debugging purposes.
  43. const mutations = {
  44. [INCREMENT] (state) {
  45. state.count++
  46. },
  47. [DECREMENT] (state) {
  48. state.count--
  49. }
  50. }
  51. // A Vuex instance is created by combining the state, the actions,
  52. // and the mutations. Because the actions and mutations are just
  53. // functions that do not depend on the instance itself, they can
  54. // be easily tested or even hot-reloaded (see counter-hot example).
  55. //
  56. // You can also provide middlewares, which is just an array of
  57. // objects containing some hooks to be called at initialization
  58. // and after each mutation.
  59. export default new Vuex.Store({
  60. state,
  61. actions,
  62. mutations
  63. })
开始 第一步

Vuex作为一个插件 先得实现install方法。同时我们在install方法里面在Vue组件注入$store,也就是为什么vue中各个子组件为什么能够通过this.$store访问到store这个对象

</>复制代码

  1. let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
  2. export class Store{
  3. }
  4. export function install (_Vue){
  5. Vue = _Vue
  6. const _init = Vue.prototype._init;
  7. Vue.prototype._init = function(options){
  8. options = options || {}
  9. if(options.store){
  10. this.$store = options.store
  11. }else if(options.parent && options.parent.$store){
  12. this.$store = options.parent.$store
  13. }
  14. _init.call(this,options)
  15. }
  16. }
  17. export default {
  18. Store,install
  19. }

上述代码中。
先定义一个Vue变量。有两个作用
第一个作用就是给Vue各个组件注入$store变量,另外一个功能后面会说到

第二步 暴露state

我们使用vuex的时候,会传入state给页面访问,同时支持当页面中用到state里面的变量的时候。及时更新状态。这里就会Vue的另外一个功能,双向绑定。

</>复制代码

  1. let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
  2. export class Store{
  3. constructor ({
  4. state = {},
  5. actions = {},
  6. mutations = {}
  7. }){
  8. //依赖vue双向绑定
  9. this._vm = new Vue({
  10. data : state
  11. })
  12. }
  13. get state (){
  14. //页面中通过此方法获取state
  15. return this._vm._data;
  16. }
  17. set state (v){
  18. throw new Error("[Vuex] vuex root state is read only.")
  19. }
  20. }
  21. export function install (_Vue){
  22. Vue = _Vue
  23. const _init = Vue.prototype._init;
  24. Vue.prototype._init = function(options){
  25. options = options || {}
  26. if(options.store){
  27. this.$store = options.store
  28. }else if(options.parent && options.parent.$store){
  29. this.$store = options.parent.$store
  30. }
  31. _init.call(this,options)
  32. }
  33. }
  34. export default {
  35. Store,install
  36. }


可以看到页面中count的数值已经可以显示了

第三步实现actions

Vuex中的action是用来干嘛?是用来dispatch事件,从而来执行mutations的,中间可以穿插一些逻辑,所以我们封装下actions

</>复制代码

  1. import { createAction, mergeObjects } from "./util"
  2. let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
  3. export class Store{
  4. constructor ({
  5. state = {},
  6. actions = {},
  7. mutations = {}
  8. }){
  9. //依赖vue双向绑定
  10. this._vm = new Vue({
  11. data : state
  12. })
  13. this.actions = Object.create(null)
  14. //构造下action。兼容字符串和function两种模式
  15. this._setupActions(actions);
  16. }
  17. get state (){
  18. //页面中通过此方法获取state
  19. return this._vm._data;
  20. }
  21. set state (v){
  22. throw new Error("[Vuex] vuex root state is read only.")
  23. }
  24. _setupActions (actions){
  25. this._actions = Object.create(null);
  26. actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
  27. Object.keys(actions).forEach(name =>{
  28. this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
  29. if(!this.actions[name]){
  30. this.actions[name] = (...args) =>this._actions[name](...args)
  31. }
  32. })
  33. }
  34. }
  35. export function install (_Vue){
  36. Vue = _Vue
  37. const _init = Vue.prototype._init;
  38. Vue.prototype._init = function(options){
  39. options = options || {}
  40. if(options.store){
  41. this.$store = options.store
  42. }else if(options.parent && options.parent.$store){
  43. this.$store = options.parent.$store
  44. }
  45. _init.call(this,options)
  46. }
  47. }
  48. export default {
  49. Store,install
  50. }

utils.js中的代码

</>复制代码

  1. export function createAction (action, store) {
  2. if (typeof action === "string") {
  3. // simple action string shorthand
  4. return (...payload) => store.dispatch(action, ...payload)
  5. } else if (typeof action === "function") {
  6. // normal action
  7. return (...payload) => action(store, ...payload)
  8. }
  9. }
第四步 构造下mutations

这步比较简单,直接看代码

</>复制代码

  1. import { createAction, mergeObjects } from "./util"
  2. let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
  3. export class Store{
  4. constructor ({
  5. state = {},
  6. actions = {},
  7. mutations = {}
  8. }){
  9. //依赖vue双向绑定
  10. this._vm = new Vue({
  11. data : state
  12. })
  13. this.actions = Object.create(null)
  14. //构造下action。兼容字符串和function两种模式
  15. this._setupActions(actions);
  16. //构造mutations
  17. this._setupMutations(mutations);
  18. }
  19. get state (){
  20. //页面中通过此方法获取state
  21. return this._vm._data;
  22. }
  23. set state (v){
  24. throw new Error("[Vuex] vuex root state is read only.")
  25. }
  26. _setupActions (actions){
  27. this._actions = Object.create(null);
  28. actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
  29. Object.keys(actions).forEach(name =>{
  30. this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
  31. if(!this.actions[name]){
  32. this.actions[name] = (...args) =>this._actions[name](...args)
  33. }
  34. })
  35. }
  36. _setupMutations(mutations){
  37. this._mutations = Array.isArray(mutations) ? mergeObjects(mutations,true) : mutations
  38. }
  39. }
  40. export function install (_Vue){
  41. Vue = _Vue
  42. const _init = Vue.prototype._init;
  43. Vue.prototype._init = function(options){
  44. options = options || {}
  45. if(options.store){
  46. this.$store = options.store
  47. }else if(options.parent && options.parent.$store){
  48. this.$store = options.parent.$store
  49. }
  50. _init.call(this,options)
  51. }
  52. }
  53. export default {
  54. Store,install
  55. }
第五步,实现dispatch方法

我们知道我们在action里面dispatch事件了。这个就类似现在的commit。dispatch事件,是要执行mutations的

</>复制代码

  1. import { createAction, mergeObjects } from "./util"
  2. let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
  3. export class Store{
  4. constructor ({
  5. state = {},
  6. actions = {},
  7. mutations = {}
  8. }){
  9. //依赖vue双向绑定
  10. this._vm = new Vue({
  11. data : state
  12. })
  13. this.actions = Object.create(null)
  14. //构造下action。兼容字符串和function两种模式
  15. this._setupActions(actions);
  16. //构造mutations
  17. this._setupMutations(mutations);
  18. }
  19. get state (){
  20. //页面中通过此方法获取state
  21. return this._vm._data;
  22. }
  23. set state (v){
  24. throw new Error("[Vuex] vuex root state is read only.")
  25. }
  26. _setupActions (actions){
  27. this._actions = Object.create(null);
  28. actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
  29. Object.keys(actions).forEach(name =>{
  30. this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
  31. if(!this.actions[name]){
  32. this.actions[name] = (...args) =>this._actions[name](...args)
  33. }
  34. })
  35. }
  36. _setupMutations(mutations){
  37. this._mutations = Array.isArray(mutations) ? mergeObjects(mutations,true) : mutations
  38. }
  39. /**
  40. * 执行mutation
  41. */
  42. dispatch (type,...payload) {
  43. const mutation = this._mutations[type];
  44. const state = this.state;
  45. if(mutation){
  46. this._dispatching = true
  47. if(Array.isArray(mutation)){
  48. //遍历执行
  49. mutation.forEach(m =>m(state,...payload))
  50. }else{
  51. mutation(state,...payload)
  52. }
  53. this._dispatching = false
  54. }else{
  55. console.warn("[vuex] unknown mutation:${type}")
  56. }
  57. }
  58. }
  59. export function install (_Vue){
  60. Vue = _Vue
  61. const _init = Vue.prototype._init;
  62. Vue.prototype._init = function(options){
  63. options = options || {}
  64. if(options.store){
  65. this.$store = options.store
  66. }else if(options.parent && options.parent.$store){
  67. this.$store = options.parent.$store
  68. }
  69. _init.call(this,options)
  70. }
  71. }
  72. export default {
  73. Store,install
  74. }

到此为止 测试页面的+ -count功能应该是没有问题了

当点击后面两个方法,发现会有报错

这个什么原因呢? 调试也可以发现,作用域的问题,调用不了vuex里面的对象

</>复制代码

  1. const dispatch = this.dispatch
  2. this.dispatch = (...args) =>{
  3. dispatch.apply(this,args)
  4. }

完整代码

</>复制代码

  1. import { createAction, mergeObjects } from "./util"
  2. let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
  3. export class Store{
  4. constructor ({
  5. state = {},
  6. actions = {},
  7. mutations = {}
  8. }){
  9. //加上这个,解决在外面调用dispatch的问题
  10. const dispatch = this.dispatch
  11. this.dispatch = (...args) =>{
  12. dispatch.apply(this,args)
  13. }
  14. //依赖vue双向绑定
  15. this._vm = new Vue({
  16. data : state
  17. })
  18. this.actions = Object.create(null)
  19. //构造下action。兼容字符串和function两种模式
  20. this._setupActions(actions);
  21. //构造mutations
  22. this._setupMutations(mutations);
  23. }
  24. get state (){
  25. //页面中通过此方法获取state
  26. return this._vm._data;
  27. }
  28. set state (v){
  29. throw new Error("[Vuex] vuex root state is read only.")
  30. }
  31. _setupActions (actions){
  32. this._actions = Object.create(null);
  33. actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
  34. Object.keys(actions).forEach(name =>{
  35. this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
  36. if(!this.actions[name]){
  37. this.actions[name] = (...args) =>this._actions[name](...args)
  38. }
  39. })
  40. }
  41. _setupMutations(mutations){
  42. this._mutations = Array.isArray(mutations) ? mergeObjects(mutations,true) : mutations
  43. }
  44. /**
  45. * 执行mutation
  46. */
  47. dispatch (type,...payload) {
  48. const mutation = this._mutations[type];
  49. const state = this.state;
  50. if(mutation){
  51. this._dispatching = true
  52. if(Array.isArray(mutation)){
  53. //遍历执行
  54. mutation.forEach(m =>m(state,...payload))
  55. }else{
  56. mutation(state,...payload)
  57. }
  58. this._dispatching = false
  59. }else{
  60. console.warn("[vuex] unknown mutation:${type}")
  61. }
  62. }
  63. }
  64. export function install (_Vue){
  65. Vue = _Vue
  66. const _init = Vue.prototype._init;
  67. Vue.prototype._init = function(options){
  68. options = options || {}
  69. if(options.store){
  70. this.$store = options.store
  71. }else if(options.parent && options.parent.$store){
  72. this.$store = options.parent.$store
  73. }
  74. _init.call(this,options)
  75. }
  76. }
  77. export default {
  78. Store,install
  79. }

只此。VUEX的基本功能已完成了

以上代码都来至vuex 0.3
我不生成代码,只做代码的搬运工
测试代码在这里
https://github.com/denditang/...

文章版权归作者所有,未经允许请勿转载,若此文章存在违规行为,您可以联系管理员删除。

转载请注明本文地址:https://www.ucloud.cn/yun/85004.html

相关文章

  • 一个JAVA WEB伪全栈VUE入坑随笔:登录开始VUEX

    摘要:此文章用于记录本人学习历程,有共同爱好者可加好友一起分享。从上周天,由于本周有公司篮球比赛,所以耽误两天晚上,耗时三个晚上勉强做了一个登录功能。这里的用户信息和登录状态都是直接取的中的用户信息进行属性值初始化。 此文章用于记录本人VUE学习历程,有共同爱好者可加好友一起分享。从上周天,由于本周有公司篮球比赛,所以耽误两天晚上,耗时三个晚上勉强做了一个登录功能。中间的曲折只有自己知道,有...

    Zack 评论0 收藏0
  • 关于Vue2一些值得推荐文章 -- 五、六月份

    摘要:五六月份推荐集合查看最新的请点击集前端最近很火的框架资源定时更新,欢迎一下。苏幕遮燎沈香宋周邦彦燎沈香,消溽暑。鸟雀呼晴,侵晓窥檐语。叶上初阳乾宿雨,水面清圆,一一风荷举。家住吴门,久作长安旅。五月渔郎相忆否。小楫轻舟,梦入芙蓉浦。 五、六月份推荐集合 查看github最新的Vue weekly;请::点击::集web前端最近很火的vue2框架资源;定时更新,欢迎 Star 一下。 苏...

    sutaking 评论0 收藏0
  • 关于Vue2一些值得推荐文章 -- 五、六月份

    摘要:五六月份推荐集合查看最新的请点击集前端最近很火的框架资源定时更新,欢迎一下。苏幕遮燎沈香宋周邦彦燎沈香,消溽暑。鸟雀呼晴,侵晓窥檐语。叶上初阳乾宿雨,水面清圆,一一风荷举。家住吴门,久作长安旅。五月渔郎相忆否。小楫轻舟,梦入芙蓉浦。 五、六月份推荐集合 查看github最新的Vue weekly;请::点击::集web前端最近很火的vue2框架资源;定时更新,欢迎 Star 一下。 苏...

    khs1994 评论0 收藏0
  • 开始做Vue前端架构(9)

    摘要:那该怎么管理这两个不同的项目呢解决子模块用的的同学肯定一下子就想到子模块的知识了。最后,也希望有想法的同学还有大佬多多留言,给点建议原文地址从零开始做前端架构脚手架参考资料官方文档使用定制前端脚手架别人写的脚手架文件操作相关文档子模块 前言 相信很多人都用过vue-cli或create-react-app或者类似的脚手架。脚手架方便我们复制,粘贴,或者clone代码库,而且还可以更具用...

    Vicky 评论0 收藏0

发表评论

0条评论

tinysun1234

|高级讲师

TA的文章

阅读更多
最新活动
阅读需要支付1元查看
<