前言

chapter1 store构造函数

1.constructor

2.get state和set state

3.commit

4.dispatch

5.subscribe和subscribeAction

6.watch和replaceState

7.registerModule和unregisterModule

8.hotUpdate和_withCommit

chapter2 export install

Q:Vuex如何实现装载的?

chapter3 辅助函数

1.registerMutation、registerAction、registerGetter

2.enableStrictMode、getNestedState

3.unifyObjectStyle(type, payload, options)

1.store构造函数 /part1

1.constructor

源码分析

  1. constructor (options = {}) {
  2. //安装Vue对象
  3. if (!Vue && typeof window !== 'undefined' && window.Vue) {
  4. console.log("window.vue");
  5. install(window.Vue)
  6. }
  7. //开发环境对Vue、Promise和Store的判断
  8. if (process.env.NODE_ENV !== 'production') {
  9. assert(Vue, `must call Vue.use(Vuex) before creating a store instance.`)
  10. assert(typeof Promise !== 'undefined', `vuex requires a Promise polyfill in this browser.`)
  11. assert(this instanceof Store, `store must be called with the new operator.`)
  12. }
  13. //options包括插件选项、严格模式选项
  14. const {
  15. plugins = [],
  16. strict = false
  17. } = options
  18.  
  19. // 存储内部的状态
  20. this._committing = false
  21. this._actions = Object.create(null)
  22. this._actionSubscribers = []
  23. this._mutations = Object.create(null)
  24. this._wrappedGetters = Object.create(null)
  25. this._modules = new ModuleCollection(options)
  26. this._modulesNamespaceMap = Object.create(null)
  27. this._subscribers = []
  28. this._watcherVM = new Vue()
  29.  
  30. // 绑定commit和dispatch
  31. const store = this
  32. const { dispatch, commit } = this
  33. this.dispatch = function boundDispatch (type, payload) {
  34. return dispatch.call(store, type, payload)
  35. }
  36. this.commit = function boundCommit (type, payload, options) {
  37. return commit.call(store, type, payload, options)
  38. }
  39.  
  40. // 严格模式
  41. this.strict = strict
  42.  
  43. const state = this._modules.root.state
  44.  
  45. // 初始化根模块,或者安装子模块
  46. installModule(this, state, [], this._modules.root)
  47.  
  48. //初始化vm
  49. resetStoreVM(this, state)
  50.  
  51. // 应用插件
  52. plugins.forEach(plugin => plugin(this))
  53.  
  54. if (Vue.config.devtools) {
  55. devtoolPlugin(this)
  56. }
  57. }

2.get state和set state

ES6的get和set是取值和存值的函数,这是是对属性state拦截存取行为。

示例1

  1. E:\vuex>node
  2. //类的声明,属性prop进行存取拦截
  3. > class MyClass {
  4. ... constructor() {
  5. ..... // ...
  6. ..... }
  7. ... get prop() {
  8. ..... return 'getter';
  9. ..... }
  10. ... set prop(value) {
  11. ..... console.log('setter: ' + value);
  12. ..... }
  13. ... }
  14. undefined
  15. > let inst = new MyClass();
  16. undefined
  17. //设置prop时,根据程序逻辑会console.log
  18. > inst.prop = ;
  19. setter:
  20.  
  21. //获取prop,根据return返回"getter"字符串
  22. > inst.prop
  23. 'getter'

源码1

  1. //取值返回的是this属性
  2. get state () {
  3. return this._vm._data.$$state
  4. }
  5. //如果在非生产环境,那么修改state就会使用assert打印错误信息
  6. set state (v) {
  7. if (process.env.NODE_ENV !== 'production') {
  8. assert(false, `use store.replaceState() to explicit replace store state.`)
  9. }
  10. }

3.commit

  1. commit (_type, _payload, _options) {
  2. // check object-style commit检查对象风格提交
  3. const {
  4. type,
  5. payload,
  6. options
  7. } = unifyObjectStyle(_type, _payload, _options)
  8. //mutation的type判断,也就是entry,如果不存在,那么打印错误信息“不存在的mutation type”
  9. const mutation = { type, payload }
  10. const entry = this._mutations[type]
  11. if (!entry) {
  12. if (process.env.NODE_ENV !== 'production') {
  13. console.error(`[vuex] unknown mutation type: ${type}`)
  14. }
  15. return;
  16. }
  17. //处理entry并订阅它
  18. this._withCommit(() => {
  19. entry.forEach(function commitIterator (handler) {
  20. handler(payload)
  21. })
  22. })
  23. this._subscribers.forEach(sub => sub(mutation, this.state))
  24. //开发模式下的silent判断
  25. if (
  26. process.env.NODE_ENV !== 'production' &&
  27. options && options.silent
  28. ) {
  29. console.warn(
  30. `[vuex] mutation type: ${type}. Silent option has been removed. ` +
  31. 'Use the filter functionality in the vue-devtools'
  32. )
  33. }
  34. }

(1)const { type, payload,options}=unify..........这是ES6的解构赋值。(node环境执行的哦)

示例2

  1. E:\vuex>node
  2. > const person = {
  3. ... name: 'little bear',
  4. ... age: ,
  5. ... sex: '男'
  6. ... }
  7. undefined
  8. > let { name,age,sex } = person
  9. undefined
  10. > name
  11. 'little bear'

(2)this._withCommit(...)小括号内的部分总体上说是_withCommit的fn参数。

this._withCommit()中有对this._committing进行设置,首先this._committing = false赋值给中间变量,接下来提交前设为true,fn调用结束后再通过中间变量设为初始值。

接下来说说entry。entry就是mutations的type也就是某个函数。可是明明forEach方法是数组啊。其实通过this._mutations[type]获取到就是一个数组。那么对数组的元素handler进行调用。entry

类似如下内容:

(3)this._subscribers.forEach(sub => sub(mutation, this.state))是_subscribers遍历收集来的actions并执行。我们要注意到actions的使用也有commit提交,不过是异步的。所以这里的actions执行是为了补充刚刚同步提交的方式。

图示1

(4)process.env.NODE_ENV !== 'production' &&options && options.silent

检查选项,silent是静默选项,如果使用了silent,那么告知"silent已经被移除,请在dev-tool中使用过滤器功能。

4,dispatch

  1. dispatch (_type, _payload) {
  2. // 检查数组风格的分发
  3. const {
  4. type,
  5. payload
  6. } = unifyObjectStyle(_type, _payload)
  7.  
  8. const action = { type, payload }
  9. //从this._actions拿到type对应的事件类型
  10. const entry = this._actions[type]
  11. //如果entry也就是事件类型不存在,那么打印信息"vuex不知道的action类型"
  12. if (!entry) {
  13. if (process.env.NODE_ENV !== 'production') {
  14. console.error(`[vuex] unknown action type: ${type}`)
  15. }
  16. return
  17. }
  18.  
  19. //_actionSubscribers遍历每个订阅
  20. this._actionSubscribers.forEach(sub => sub(action, this.state))
  21. //如果entry.length大于1,那么返回promise
  22. return entry.length >
  23. ? Promise.all(entry.map(handler => handler(payload)))
  24. : entry[](payload)
  25. }

5.subscribe和subscribeAction

subscribe订阅store的mutation。回调函数会在每个mutaion完成时触发。

示例

  1. const myPlugin = store => {
  2. // 当 store 初始化后订阅
  3. store.subscribe((mutation, state) => {
  4. //回调函数在每次mutation完成之后调用
  5. state.count++;
  6. })
  7. }
  8. const store = new Vuex.Store({
  9. state:{
  10. count:
  11. },
  12. mutations:{
  13. increment(state,payload){
  14. state.count=state.count*payload;
  15. }
  16. },
  17. plugins: [myPlugin]
  18. })
  19. //提交"increment"事件
  20. store.commit("increment",)
  21. //最终store.state.count等于5*20+1=101。

subscribeAction订阅action。回调函数会在每个action完成时触发。

  1. const myPlugin2 = store => {
  2. // 当 store 初始化后订阅
  3. store.subscribeAction((action, state) => {
  4. //每次action完成后回调函数都会被触发
  5. state.huge--;
  6. })
  7. }
  8. const store = new Vuex.Store({
  9. state:{
  10. huge:
  11. },
  12. mutations:{
  13. REDUCE(state,payload){
  14. state.huge=state.huge-payload
  15. }
  16. },
  17. actions:{
  18. reduce({commit,state},payload){
  19. commit("REDUCE",payload)
  20. }
  21. },
  22. plugins: [myPlugin2]
  23. })
  24. store.dispatch("reduce",)
  25. //store.state.huge结果2000-500-1等于1499

源码分析

  1. subscribe (fn) {
  2. //fn即刚才说的每次mutation之后的回调函数
  3. return genericSubscribe(fn, this._subscribers)
  4. }
  5.  
  6. subscribeAction (fn) {
  7. return genericSubscribe(fn, this._actionSubscribers)
  8. }
  9. //subscribe和subscribeAction返回的是一个箭头函数
  10. function genericSubscribe (fn, subs) {
  11. //订阅fn,那么会push到this._subscribers或者this._actionSubscribers数组
  12. if (subs.indexOf(fn) < ) {
  13. subs.push(fn)
  14. }
  15. return () => {
  16. //箭头函数在需要回调的时候再从数组里裁剪出fn元素
  17. const i = subs.indexOf(fn)
  18. if (i > -) {
  19. subs.splice(i, )
  20. }
  21. }
  22. }

可以看出,genericSubscribe功能是对订阅数组的处理,先存进数组,需要的时候再取出来。

6.watch和replaceState

源码分析

  1. watch (getter, cb, options) {
  2. //如果传入的getter不是function,那么打印信息"store.watch只接受一个函数"
  3. if (process.env.NODE_ENV !== 'production') {
  4. assert(typeof getter === 'function', `store.watch only accepts a function.`)
  5. }
  6. //返回Vue.$watch方法,响应式监听() => getter(this.state, this.getters)返回的值
  7. //如果发生变化,那么cb回调函数触发
  8. //options包括选项:deep,选项:immediate
  9. return this._watcherVM.$watch(() => getter(this.state, this.getters), cb, options)
  10. }

示例

  1. <!--Vue API中$watch的用法-->
  2. <div id="app">
  3. <button @click="addOne">加一</button>
  4. </div>
  5. <script>
  6. let vm= new Vue({
  7. el:"#app",
  8. data:{
  9. a:0
  10. },
  11. created:function(){
  12. //$watch监听第一个函数返回的只,一旦发生变化,那么执行回调函数
  13. this.$watch(function(){
  14. return this.a;
  15. },function(newValue,oldValue){
  16. console.log(newValue)
  17. })
  18. },
  19. methods:{
  20. addOne(){
  21. this.a=1;
  22. }
  23. }
  24. })
  25.  
  26. </script>

示例

  1. //replaceState整体替换state,变化引起回调发生
  2. const store=new Vuex.Store({
  3. state:{
  4. count:0
  5. }
  6. })
  7.  
  8. store.watch(function(){
  9. return store.state;
  10. },function(){
  11. console.log(store.state.count)//
  12. })
  13. store.replaceState({count:20})

示例

  1. //通过mutation改变state,触发watch回调
  2. const store2=new Vuex.Store({
  3. state:{
  4. count:100
  5. },
  6. mutations:{
  7. ADDONE(state){
  8. state.count++;
  9. }
  10. }
  11.  
  12. })
  13. store2.watch(function(){
  14. return store2.state.count
  15. },function(){
  16. console.log(store2.state.count)
  17. //
  18. }
  19. )
  20. store2.commit("ADDONE");

源码分析

  1. replaceState (state) {
  2. this._withCommit(() => {
  3. this._vm._data.$$state = state
  4. })
  5. }

通过传入一个新state对象,替换旧state。

示例

  1. const store=new Vuex.Store({
  2. state:{
  3. count:,
  4. num:
  5. }
  6. })
  7. store.replaceState({count:});
  8. //通过替换,旧的state不存在,只有更新后的state
  9. store.state.count//等于0
  10. store.state.num//undefined

7.registerModule和unregisterModule

示例

源码分析

  1. registerModule (path, rawModule, options = {}) {
  2. //传入的第一个参数要么是数组,要么是字符串,字符串会转化为字符串为元素的数组
  3. if (typeof path === 'string') path = [path]
  4. //开发环境下的调试信息
  5. if (process.env.NODE_ENV !== 'production') {
  6. //如果path不能转为数组或者不是数组,那么打印"模块path必须是字符串或者数组"
  7. assert(Array.isArray(path), `module path must be a string or an Array.`)
  8. //如果传入的path为[]空数组,那么打印"不能使用registerModule来注册根模块"
  9. assert(path.length > , 'cannot register the root module by using registerModule.')
  10. }
  11. //在store._modules上注册模块
  12. this._modules.register(path, rawModule)
  13. //安装模块
  14. installModule(this, this.state, path, this._modules.get(path), options.preserveState)
  15. // reset store to update getters...
  16. //以当前state更新store.getters
  17. resetStoreVM(this, this.state)
  18. }

源码分析

  1. function installModule (store, rootState, path, module, hot) {
  2. const isRoot = !path.length
  3. const namespace = store._modules.getNamespace(path)
  4.  
  5. // 注册命名空间的映射数组_modulesNamespaceMap
  6. if (module.namespaced) {
  7. store._modulesNamespaceMap[namespace] = module
  8. }
  9.  
  10. //hot,即options 可以包含 preserveState: true 以允许保留之前的 state。用于服务端渲染。
  11. if (!isRoot && !hot) {
  12. const parentState = getNestedState(rootState, path.slice(, -))
  13. const moduleName = path[path.length - ]
  14. store._withCommit(() => {
  15. Vue.set(parentState, moduleName, module.state)
  16. })
  17. }
  18.  
  19. const local = module.context = makeLocalContext(store, namespace, path)
  20. //遍历mutation并注册mutation,会因为namespaced而不同
  21. module.forEachMutation((mutation, key) => {
  22. const namespacedType = namespace + key
  23. registerMutation(store, namespacedType, mutation, local)
  24. })
  25. //遍历action并注册action
  26. module.forEachAction((action, key) => {
  27. //如果action.root为true,那么type等于key索引值,
  28. //即全局action,无论是子模块还是子模块的子模块都如此
  29.  
  30. //如果action.root为false,那么type直接取namespacType
  31. const type = action.root ? key : namespace + key
  32. const handler = action.handler || action
  33. registerAction(store, type, handler, local)
  34. })
  35. //遍历getter并注册getterts,会因为namespaced而不同
  36. module.forEachGetter((getter, key) => {
  37. const namespacedType = namespace + key
  38. registerGetter(store, namespacedType, getter, local)
  39. })
  40. //遍历子模块,并递归调用installModule
  41. module.forEachChild((child, key) => {
  42. installModule(store, rootState, path.concat(key), child, hot)
  43. })
  44. }

源码分析

  1. unregisterModule (path) {
  2. if (typeof path === 'string') path = [path]
  3. //如果传入参数不能转为数组,那么打印"模块路径必须是字符串或者数组"
  4. if (process.env.NODE_ENV !== 'production') {
  5. assert(Array.isArray(path), `module path must be a string or an Array.`)
  6. }
  7. //取消注册,那么store._modules.root._children就不会定义myModule属性了
  8. this._modules.unregister(path)
  9. this._withCommit(() => {
  10. //getNestedState获取到父级state
  11. const parentState = getNestedState(this.state, path.slice(0, -1))
  12. //Vue删除相应的module内容
  13. Vue.delete(parentState, path[path.length - 1])
  14. })
  15. //以当前的this重置store
  16. resetStore(this)
  17. }

8.hotUpdate和_withCommit

源码分析

  1. //热重载
  2. hotUpdate (newOptions) {
  3. this._modules.update(newOptions)
  4. resetStore(this, true)
  5. }

Vuex 支持在开发过程中热重载 mutation、module、action 和 getter。

  1. _withCommit (fn) {
  2. //每次提交的时候,内部代码都会传进来一个箭头函数
  3. const committing = this._committing
  4. this._committing = true
  5. fn()
  6. this._committing = committing
  7. }

2.export install

示例

  1. <script src="js/vue.js"></script>
  2. <!--这行语句安装了window.Vue-->
  3. <script>
  4. let Vue;
  5. if (!Vue && typeof window !== 'undefined' && window.Vue) {
  6. console.log("window.vue");
  7. install(window.Vue)
  8. }
  9. function install (_Vue) {
  10. Vue = _Vue
  11. console.log(Vue);
  12. //applyMixin(Vue)是为了在Vue初始化之前(beforeCreate)来完成vuex的初始化
  13. //因为2版本才提供了beforeCreate这个钩子函数
  14. //applyMixin主要逻辑:if (version >= 2) {Vue.mixin({ beforeCreate: vuexInit })} else {}
  15. }
  16. </script>

从中可以看出vuex的初始化过程,以Vue2版本为为例:

源码分析

  1. export function install (_Vue) {
  2. //那么问题来了,为什么要使用let Vue这个文件一个全局变量呢?主要是为了避免重复安装
  3. if (Vue && _Vue === Vue) {
  4. if (process.env.NODE_ENV !== 'production') {
  5. //如果已经安装过,那么Vue就等于window.Vue为什么呢?
  6. //Vue.use(plugin)方法会调用export的install方法,那么调用中使用Vue=_Vue赋值语句
  7. console.error(
  8. '[vuex] already installed. Vue.use(Vuex) should be called only once.'
  9. )
  10. }
  11. return
  12. }
  13. Vue = _Vue
  14. applyMixin(Vue)
  15. }

install调用逻辑分析:

3.辅助函数

1.registerMutation、registerAction、registerGetter

  1. function registerMutation (store, type, handler, local) {
  2. //将type属性添加到_mutations对象,其初始值为空数组[]
  3. const entry = store._mutations[type] || (store._mutations[type] = [])
  4. //我们应该记得mutation是一个函数,那么function.call做一个继承,local.state和payload都应用于store对象
  5. entry.push(function wrappedMutationHandler (payload) {
  6. handler.call(store, local.state, payload)
  7. })
  8. }
  9. ........
  10. registerMutation(store, namespacedType, mutation, local)
  1. function registerAction (stobre, type, handler, local) {
  2. //_actions具有type属性,其初始值为一个数组
  3. const entry = store._actions[type] || (store._actions[type] = [])
  4. entry.push(function wrappedActionHandler (payload, cb) {
  5. //继承于store对象
  6. let res = handler.call(store, {
  7. dispatch: local.dispatch,
  8. commit: local.commit,
  9. getters: local.getters,
  10. state: local.state,
  11. rootGetters: store.getters,
  12. rootState: store.state
  13. }, payload, cb)
  14. //如果res不是一个promise,那么相当于直接返回含有res内容的promise对象
  15. if (!isPromise(res)) {
  16. res = Promise.resolve(res)
  17. }
  18. //_devtoolHook判断
  19. if (store._devtoolHook) {
  20. //拦截promise错误
  21. return res.catch(err => {
  22. store._devtoolHook.emit('vuex:error', err)
  23. throw err
  24. })
  25. } else {
  26. //返回res
  27. return res
  28. }
  29. })
  30. }
  31. .........
  32. registerAction(store, type, handler, local)

我们应该还记得action是可以写异步操作的。

  1. function registerGetter (store, type, rawGetter, local) {
  2. //如果对应已getter存在,进入分支,打印说"vuex重复的getter键"
  3. if (store._wrappedGetters[type]) {
  4. if (process.env.NODE_ENV !== 'production') {
  5. console.error(`[vuex] duplicate getter key: ${type}`)
  6. }
  7. return
  8. }
  9. store._wrappedGetters[type] = function wrappedGetter (store) {
  10. //通过当前local和store返回rawGetter对象
  11. return rawGetter(
  12. local.state, // local state
  13. local.getters, // local getters
  14. store.state, // root state
  15. store.getters // root getters
  16. )
  17. }
  18. }

2.enableStrictMode、getNestedState

  1. if (store.strict) {
  2. enableStrictMode(store)
  3. }
  4. //enableStrictMode功能是允许new vm的严格模式
  1. function enableStrictMode (store) {
  2. //侦听this._data.$$state也就是state
  3. store._vm.$watch(function () { return this._data.$$state }, () => {
  4. //state变化,回调函数触发
  5. //store._committing为False,那么打印"不要在mutation处理器外部提交state
  6. if (process.env.NODE_ENV !== 'production') {
  7. assert(store._committing, `do not mutate vuex store state outside mutation handlers.`)
  8. }
  9. //deep:true,跟踪对象内部属性的变化,sync:true,同步
  10. }, { deep: true, sync: true })
  11. }

首先,getNestedState的功能是父级state对象。

  1. function getNestedState (state, path) {
  2. return path.length
  3. //state为初始值,接下来遍历path数组,并以state[key]取得state对象
  4. ? path.reduce((state, key) => state[key], state)
  5. : state
  6. }

那么为什么这个key比如state["myModule"]的索引就能拿到对应的state呢?这是因为state对象长这个样子。

示例

  1. let vm= new Vue({
  2. el:"#app",
  3. })
  4. const store=new Vuex.Store({
  5. state:{
  6. count:
  7. }
  8. })
  9. function getNestedState (state, path) {
  10. return path.length
  11. ? path.reduce((state, key) => state[key], state)
  12. : state
  13. }
  14. let myModule={
  15. state:{
  16. count:
  17. }
  18. }
  19. store.registerModule("myModule",myModule)
  20. //找到父级state对象
  21. //["myModule"].slice(0,-1)等于[]
  22. let parentState=getNestedState(store.state,["myModule"].slice(,-))
  23. console.log(parentState)

结果如下:

3.unifyObjectStyle(type, payload, options)

首先运行一下这个函数,它可以传入3个参数(payload)。由于process是nodejs环境的变量,那么在nodejs环境中运行。

它的功能是把提交数据对象风格化。

  1. //nodejs环境输入function代码
  2. E:\vuex>node
  3. > function isObject (obj) {
  4. ... return obj !== null && typeof obj === 'object'
  5. ... }function unifyObjectStyle (type, payload, options) {
  6. ... if (isObject(type) && type.type) {
  7. ..... options = payload
  8. ..... payload = type
  9. ..... type = type.type
  10. ..... }
  11. ...
  12. ... if (process.env.NODE_ENV !== 'production') {
  13. ... assert(typeof type === 'string', `expects string as the type, but found ${typeof type}.`)
  14. ...
  15. ... }
  16. ...
  17. ... return { type, payload, options }
  18. ... }
  19. undefined
  20. //nodejs环境中调用刚刚定义的unifyObjectStyle。
  21. > unifyObjectStyle("login",{name:"vicky",password:""})
  22. { type: 'login',
  23. payload: { name: 'vicky', password: '' },
  24. options: undefined }
  1. > unifyObjectStyle({type:"login",payload:{name:"vicky",password:""}})
  2. { type: 'login',
  3. payload: { type: 'login', payload: { name: 'vicky', password: '' } },
  4. options: undefined }

它讨论了两种情况。(1)如果type.type不存在,那么就是以参数风格的提交,按照最终的对象格式return。(2)如果type.type存在,也就是对象风格的提交,那么就让对象的type和payload重新赋值。然后return。以最终实现对象风格的统一。

而process的部分是对type的值进行判断,如果不是string,那么assert一个报错信息。

写作不易,欢迎打赏!微信哦。

vuex源码分析3.0.1(原创)的更多相关文章

  1. VueX源码分析(5)

    VueX源码分析(5) 最终也是最重要的store.js,该文件主要涉及的内容如下: Store类 genericSubscribe函数 resetStore函数 resetStoreVM函数 ins ...

  2. VueX源码分析(3)

    VueX源码分析(3) 还剩余 /module /plugins store.js /plugins/devtool.js const devtoolHook = typeof window !== ...

  3. VueX源码分析(4)

    VueX源码分析(4) /module store.js /module/module.js import { forEachValue } from '../util' // Base data s ...

  4. VueX源码分析(1)

    VueX源码分析(1) 文件架构如下 /module /plugins helpers.js index.esm.js index.js store.js util.js util.js 先从最简单的 ...

  5. 逐行粒度的vuex源码分析

    vuex源码分析 了解vuex 什么是vuex vuex是一个为vue进行统一状态管理的状态管理器,主要分为state, getters, mutations, actions几个部分,vue组件基于 ...

  6. VueX源码分析(2)

    VueX源码分析(2) 剩余内容 /module /plugins helpers.js store.js helpers要从底部开始分析比较好.也即先从辅助函数开始再分析那4个map函数mapSta ...

  7. vuex 源码分析(七) module和namespaced 详解

    当项目非常大时,如果所有的状态都集中放到一个对象中,store 对象就有可能变得相当臃肿. 为了解决这个问题,Vuex允许我们将 store 分割成模块(module).每个模块拥有自己的 state ...

  8. vuex 源码分析(六) 辅助函数 详解

    对于state.getter.mutation.action来说,如果每次使用的时候都用this.$store.state.this.$store.getter等引用,会比较麻烦,代码也重复和冗余,我 ...

  9. vuex 源码分析(五) action 详解

    action类似于mutation,不同的是Action提交的是mutation,而不是直接变更状态,而且action里可以包含任意异步操作,每个mutation的参数1是一个对象,可以包含如下六个属 ...

随机推荐

  1. 初步理解IOC和DI和AOP模式

    初步理解IOC和DI和AOP模式 控制反转(IOC) 控制反转(IOC,Inversion of Control)是一种转主动为被动关系的一种编程模式,有点类似于工厂模式,举个栗子, 下面这个这不是I ...

  2. Volo.Abp.EntityFrameworkCore.MySQL 使用

    创建新项目 打开 https://cn.abp.io/Templates ,任意选择一个项目类型,然后创建项目,我这里创建了一个Web Api 解压项目,还原Nuget,项目目录如下: 首先我们来查看 ...

  3. NETCore 同步AD域组织和用户

    BitAdminCore为没有自主开发框架的小团队,提供快速项目搭建及开发能力. 框架演示:http://bit.bitdao.cn 框架源码:https://github.com/chenyinxi ...

  4. Web Api 内部数据思考 和 利用http缓存优化 Api

    在上篇<Web Api 端点设计 与 Oauth>后,接着我们思考Web Api 的内部数据: 其他文章:<API接口安全加强设计方法> 第一  实际使用应该返回怎样的数据 ? ...

  5. 百度地图API鼠标获取坐标

    var map = new BMap.Map('map'); var poi = new BMap.Point(112.53, 37.87); map.enableScrollWheelZoom(); ...

  6. acedSSSetFirst选择集夹点亮显实例

    ads_name ss; //执行预选 好像可以无视PICKSTYLE变量 if (RTNORM != acedSSGet(_T("I"),NULL,NULL,NULL,ss)) ...

  7. [Objective-C语言教程]扩展(30)

    类扩展与类别有一些相似之处,但它只能添加到编译时具有源代码的类中(类与类扩展同时编译). 类扩展声明的方法是在原始类的实现块中实现的,因此不能在框架类上声明类扩展,例如Cocoa或Cocoa Touc ...

  8. Eureka客户端注册过程源码解析

    微服务中注册中心是其重要的组成部分,那么客户端是如何注册到注册中心的呢,下面我们进入源码查看. 客户端的注册标志是@EnableDiscoveryClient,我们点进入注解查看 注解介绍这是开启Di ...

  9. 校验 CentOS 7 镜像文件

    验证镜像文件的原因 CentOS Vault(http://vault.centos.org/)页脚的镜像站链接上有段英文,指出页脚的镜像站链接不受 CentOS 团队的监控,除此之外还有一个原因就是 ...

  10. Java8内存结构—永久代(PermGen)和元空间(Metaspace)

    本文转载 作者:liuxiaopeng 博客地址:https://www.cnblogs.com/paddix/p/5309550.html 一.JVM 内存结构 根据 JVM 规范,JVM 内存共分 ...