摘要:从开始学习源码前言尝试从开始,写一个主要是的源代码,从中学习下的源代码先来看下列子中是怎么使用的。开始第一步作为一个插件先得实现方法。先定义一个变量。一是为了注入到各个组件,二是后续要用到的双向绑定的功能依赖双向绑定构造下。
Vuex从0开始学习源码 前言
尝试从0开始,写一个Vuex(主要是copy vuex的源代码),从中学习下vuex的源代码.先来看下列子中是怎么使用store的。
</>复制代码
import Vue from "vue"
import Vuex from "../../src"
Vue.use(Vuex)
// mutation types
// optional if you don"t like constants.
const INCREMENT = "INCREMENT"
const DECREMENT = "DECREMENT"
// root state object.
// each Vuex instance is just a single state tree.
const state = {
count: 0
}
// actions are what components will be able to
// call as store.actions.xxx
// note these are not the final functions the
// components will be calling.
const actions = {
// for simple actions that just dispatches a single mutation,
// we can just provide the mutation type.
increment: INCREMENT,
decrement: DECREMENT,
// for a normal action function, it always recieves the store
// instance as the first argument, from which we can get the
// dispatch function and the state object. Any additional
// arguments will follow the store argument.
incrementIfOdd: ({ dispatch, state }) => {
if ((state.count + 1) % 2 === 0) {
dispatch(INCREMENT)
}
},
// Same thing for async actions.
incrementAsync: ({ dispatch }) => {
setTimeout(() => {
dispatch(INCREMENT)
}, 1000)
}
}
// mutations are operations that actually mutates the state.
// each mutation handler gets the entire state tree as the
// first argument, followed by additional payload arguments.
// mutations must be synchronous and can be recorded by middlewares
// for debugging purposes.
const mutations = {
[INCREMENT] (state) {
state.count++
},
[DECREMENT] (state) {
state.count--
}
}
// A Vuex instance is created by combining the state, the actions,
// and the mutations. Because the actions and mutations are just
// functions that do not depend on the instance itself, they can
// be easily tested or even hot-reloaded (see counter-hot example).
//
// You can also provide middlewares, which is just an array of
// objects containing some hooks to be called at initialization
// and after each mutation.
export default new Vuex.Store({
state,
actions,
mutations
})
开始 第一步
Vuex作为一个插件 先得实现install方法。同时我们在install方法里面在Vue组件注入$store,也就是为什么vue中各个子组件为什么能够通过this.$store访问到store这个对象
</>复制代码
let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
export class Store{
}
export function install (_Vue){
Vue = _Vue
const _init = Vue.prototype._init;
Vue.prototype._init = function(options){
options = options || {}
if(options.store){
this.$store = options.store
}else if(options.parent && options.parent.$store){
this.$store = options.parent.$store
}
_init.call(this,options)
}
}
export default {
Store,install
}
上述代码中。
先定义一个Vue变量。有两个作用
第一个作用就是给Vue各个组件注入$store变量,另外一个功能后面会说到
我们使用vuex的时候,会传入state给页面访问,同时支持当页面中用到state里面的变量的时候。及时更新状态。这里就会Vue的另外一个功能,双向绑定。
</>复制代码
let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
export class Store{
constructor ({
state = {},
actions = {},
mutations = {}
}){
//依赖vue双向绑定
this._vm = new Vue({
data : state
})
}
get state (){
//页面中通过此方法获取state
return this._vm._data;
}
set state (v){
throw new Error("[Vuex] vuex root state is read only.")
}
}
export function install (_Vue){
Vue = _Vue
const _init = Vue.prototype._init;
Vue.prototype._init = function(options){
options = options || {}
if(options.store){
this.$store = options.store
}else if(options.parent && options.parent.$store){
this.$store = options.parent.$store
}
_init.call(this,options)
}
}
export default {
Store,install
}
可以看到页面中count的数值已经可以显示了
Vuex中的action是用来干嘛?是用来dispatch事件,从而来执行mutations的,中间可以穿插一些逻辑,所以我们封装下actions
</>复制代码
import { createAction, mergeObjects } from "./util"
let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
export class Store{
constructor ({
state = {},
actions = {},
mutations = {}
}){
//依赖vue双向绑定
this._vm = new Vue({
data : state
})
this.actions = Object.create(null)
//构造下action。兼容字符串和function两种模式
this._setupActions(actions);
}
get state (){
//页面中通过此方法获取state
return this._vm._data;
}
set state (v){
throw new Error("[Vuex] vuex root state is read only.")
}
_setupActions (actions){
this._actions = Object.create(null);
actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
Object.keys(actions).forEach(name =>{
this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
if(!this.actions[name]){
this.actions[name] = (...args) =>this._actions[name](...args)
}
})
}
}
export function install (_Vue){
Vue = _Vue
const _init = Vue.prototype._init;
Vue.prototype._init = function(options){
options = options || {}
if(options.store){
this.$store = options.store
}else if(options.parent && options.parent.$store){
this.$store = options.parent.$store
}
_init.call(this,options)
}
}
export default {
Store,install
}
utils.js中的代码
</>复制代码
export function createAction (action, store) {
if (typeof action === "string") {
// simple action string shorthand
return (...payload) => store.dispatch(action, ...payload)
} else if (typeof action === "function") {
// normal action
return (...payload) => action(store, ...payload)
}
}
第四步 构造下mutations
这步比较简单,直接看代码
</>复制代码
import { createAction, mergeObjects } from "./util"
let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
export class Store{
constructor ({
state = {},
actions = {},
mutations = {}
}){
//依赖vue双向绑定
this._vm = new Vue({
data : state
})
this.actions = Object.create(null)
//构造下action。兼容字符串和function两种模式
this._setupActions(actions);
//构造mutations
this._setupMutations(mutations);
}
get state (){
//页面中通过此方法获取state
return this._vm._data;
}
set state (v){
throw new Error("[Vuex] vuex root state is read only.")
}
_setupActions (actions){
this._actions = Object.create(null);
actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
Object.keys(actions).forEach(name =>{
this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
if(!this.actions[name]){
this.actions[name] = (...args) =>this._actions[name](...args)
}
})
}
_setupMutations(mutations){
this._mutations = Array.isArray(mutations) ? mergeObjects(mutations,true) : mutations
}
}
export function install (_Vue){
Vue = _Vue
const _init = Vue.prototype._init;
Vue.prototype._init = function(options){
options = options || {}
if(options.store){
this.$store = options.store
}else if(options.parent && options.parent.$store){
this.$store = options.parent.$store
}
_init.call(this,options)
}
}
export default {
Store,install
}
第五步,实现dispatch方法
我们知道我们在action里面dispatch事件了。这个就类似现在的commit。dispatch事件,是要执行mutations的
</>复制代码
import { createAction, mergeObjects } from "./util"
let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
export class Store{
constructor ({
state = {},
actions = {},
mutations = {}
}){
//依赖vue双向绑定
this._vm = new Vue({
data : state
})
this.actions = Object.create(null)
//构造下action。兼容字符串和function两种模式
this._setupActions(actions);
//构造mutations
this._setupMutations(mutations);
}
get state (){
//页面中通过此方法获取state
return this._vm._data;
}
set state (v){
throw new Error("[Vuex] vuex root state is read only.")
}
_setupActions (actions){
this._actions = Object.create(null);
actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
Object.keys(actions).forEach(name =>{
this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
if(!this.actions[name]){
this.actions[name] = (...args) =>this._actions[name](...args)
}
})
}
_setupMutations(mutations){
this._mutations = Array.isArray(mutations) ? mergeObjects(mutations,true) : mutations
}
/**
* 执行mutation
*/
dispatch (type,...payload) {
const mutation = this._mutations[type];
const state = this.state;
if(mutation){
this._dispatching = true
if(Array.isArray(mutation)){
//遍历执行
mutation.forEach(m =>m(state,...payload))
}else{
mutation(state,...payload)
}
this._dispatching = false
}else{
console.warn("[vuex] unknown mutation:${type}")
}
}
}
export function install (_Vue){
Vue = _Vue
const _init = Vue.prototype._init;
Vue.prototype._init = function(options){
options = options || {}
if(options.store){
this.$store = options.store
}else if(options.parent && options.parent.$store){
this.$store = options.parent.$store
}
_init.call(this,options)
}
}
export default {
Store,install
}
到此为止 测试页面的+ -count功能应该是没有问题了
当点击后面两个方法,发现会有报错
这个什么原因呢? 调试也可以发现,作用域的问题,调用不了vuex里面的对象
</>复制代码
const dispatch = this.dispatch
this.dispatch = (...args) =>{
dispatch.apply(this,args)
}
完整代码
</>复制代码
import { createAction, mergeObjects } from "./util"
let Vue //存储Vue变量。一是为了注入$store到各个Vue组件,二是后续要用到Vue的双向绑定的功能
export class Store{
constructor ({
state = {},
actions = {},
mutations = {}
}){
//加上这个,解决在外面调用dispatch的问题
const dispatch = this.dispatch
this.dispatch = (...args) =>{
dispatch.apply(this,args)
}
//依赖vue双向绑定
this._vm = new Vue({
data : state
})
this.actions = Object.create(null)
//构造下action。兼容字符串和function两种模式
this._setupActions(actions);
//构造mutations
this._setupMutations(mutations);
}
get state (){
//页面中通过此方法获取state
return this._vm._data;
}
set state (v){
throw new Error("[Vuex] vuex root state is read only.")
}
_setupActions (actions){
this._actions = Object.create(null);
actions = Array.isArray(actions) ? mergeObjects(actions) : actions;
Object.keys(actions).forEach(name =>{
this._actions[name] = createAction(actions[name],this); //兼容string 和function的写法
if(!this.actions[name]){
this.actions[name] = (...args) =>this._actions[name](...args)
}
})
}
_setupMutations(mutations){
this._mutations = Array.isArray(mutations) ? mergeObjects(mutations,true) : mutations
}
/**
* 执行mutation
*/
dispatch (type,...payload) {
const mutation = this._mutations[type];
const state = this.state;
if(mutation){
this._dispatching = true
if(Array.isArray(mutation)){
//遍历执行
mutation.forEach(m =>m(state,...payload))
}else{
mutation(state,...payload)
}
this._dispatching = false
}else{
console.warn("[vuex] unknown mutation:${type}")
}
}
}
export function install (_Vue){
Vue = _Vue
const _init = Vue.prototype._init;
Vue.prototype._init = function(options){
options = options || {}
if(options.store){
this.$store = options.store
}else if(options.parent && options.parent.$store){
this.$store = options.parent.$store
}
_init.call(this,options)
}
}
export default {
Store,install
}
只此。VUEX的基本功能已完成了
以上代码都来至vuex 0.3
我不生成代码,只做代码的搬运工
测试代码在这里
https://github.com/denditang/...
文章版权归作者所有,未经允许请勿转载,若此文章存在违规行为,您可以联系管理员删除。
转载请注明本文地址:https://www.ucloud.cn/yun/85004.html
摘要:此文章用于记录本人学习历程,有共同爱好者可加好友一起分享。从上周天,由于本周有公司篮球比赛,所以耽误两天晚上,耗时三个晚上勉强做了一个登录功能。这里的用户信息和登录状态都是直接取的中的用户信息进行属性值初始化。 此文章用于记录本人VUE学习历程,有共同爱好者可加好友一起分享。从上周天,由于本周有公司篮球比赛,所以耽误两天晚上,耗时三个晚上勉强做了一个登录功能。中间的曲折只有自己知道,有...
摘要:五六月份推荐集合查看最新的请点击集前端最近很火的框架资源定时更新,欢迎一下。苏幕遮燎沈香宋周邦彦燎沈香,消溽暑。鸟雀呼晴,侵晓窥檐语。叶上初阳乾宿雨,水面清圆,一一风荷举。家住吴门,久作长安旅。五月渔郎相忆否。小楫轻舟,梦入芙蓉浦。 五、六月份推荐集合 查看github最新的Vue weekly;请::点击::集web前端最近很火的vue2框架资源;定时更新,欢迎 Star 一下。 苏...
摘要:五六月份推荐集合查看最新的请点击集前端最近很火的框架资源定时更新,欢迎一下。苏幕遮燎沈香宋周邦彦燎沈香,消溽暑。鸟雀呼晴,侵晓窥檐语。叶上初阳乾宿雨,水面清圆,一一风荷举。家住吴门,久作长安旅。五月渔郎相忆否。小楫轻舟,梦入芙蓉浦。 五、六月份推荐集合 查看github最新的Vue weekly;请::点击::集web前端最近很火的vue2框架资源;定时更新,欢迎 Star 一下。 苏...
摘要:那该怎么管理这两个不同的项目呢解决子模块用的的同学肯定一下子就想到子模块的知识了。最后,也希望有想法的同学还有大佬多多留言,给点建议原文地址从零开始做前端架构脚手架参考资料官方文档使用定制前端脚手架别人写的脚手架文件操作相关文档子模块 前言 相信很多人都用过vue-cli或create-react-app或者类似的脚手架。脚手架方便我们复制,粘贴,或者clone代码库,而且还可以更具用...
阅读 2153·2023-04-25 17:48
阅读 3626·2021-09-22 15:37
阅读 2971·2021-09-22 15:36
阅读 6077·2021-09-22 15:06
阅读 1675·2019-08-30 15:53
阅读 1467·2019-08-30 15:52
阅读 747·2019-08-30 13:48
阅读 1154·2019-08-30 12:44
极致性价比!云服务器续费无忧!
Tesla A100/A800、Tesla V100S等多种GPU云主机特惠2折起,不限台数,续费同价。
NVIDIA RTX 40系,高性价比推理显卡,满足AI应用场景需要。
乌兰察布+上海青浦,满足东推西训AI场景需要