vuex工作原理詳解

前言

vuex作為vue官方出品的狀態管理框架,以及其簡單API設計、便捷的開發工具支持,在中大型的vue項目中得到很好的應用。作為flux架構的后起之秀,吸收了前輩redux的各種優點,完美的結合了vue響應式數據,個人認為開發體驗已經超過了React + Redux這對基友。

在項目啟動vue開發后的這幾個月中,越發對vuex的原理感到好奇,今天將這幾日的所學總結成文,希望能幫到對vuex好奇的童鞋們。

理解computed

使用vuex中store中的數據,基本上離不開vue中一個常用的屬性computed。官方一個最簡單的例子如下

var vm = new Vue({
  el: '#example',
  data: {
    message: 'Hello'
  },
  computed: {
    // 計算屬性的 getter
    reversedMessage: function () {
      // `this` 指向 vm 實例
      return this.message.split('').reverse().join()
    }
  }
})

不知大家有沒有思考過,vue的computed是如何更新的,為什么當vm.message發生變化時,vm.reversedMessage也會自動發生變化?

我們來看看vue中data屬性和computed相關的源代碼。

// src/core/instance/state.js
// 初始化組件的state
export function initState (vm: Component) {
  vm._watchers = []
  const opts = vm.$options
  if (opts.props) initProps(vm, opts.props)
  if (opts.methods) initMethods(vm, opts.methods)
  // 當組件存在data屬性
  if (opts.data) {
    initData(vm)
  } else {
    observe(vm._data = {}, true /* asRootData */)
  }
  // 當組件存在 computed屬性
  if (opts.computed) initComputed(vm, opts.computed)
  if (opts.watch && opts.watch !== nativeWatch) {
    initWatch(vm, opts.watch)
  }
}

initState方法當組件實例化時會自動觸發,該方法主要完成了初始化data,methods,props,computed,watch這些我們常用的屬性,我們來看看我們需要關注的initDatainitComputed(為了節省時間,去除了不太相關的代碼)

先看看initData這條線

// src/core/instance/state.js
function initData (vm: Component) {
  let data = vm.$options.data
  data = vm._data = typeof data === 'function'
    ? getData(data, vm)
    : data || {}
  // .....省略無關代碼
  
  // 將vue的data傳入observe方法
  observe(data, true /* asRootData */)
}

// src/core/observer/index.js
export function observe (value: any, asRootData: ?boolean): Observer | void {
  if (!isObject(value)) {
    return
  }
  let ob: Observer | void
  // ...省略無關代碼
  ob = new Observer(value)
  if (asRootData && ob) {
    ob.vmCount++
  }
  return ob
}


在初始化的時候observe方法本質上是實例化了一個Observer對象,這個對象的類是這樣的

// src/core/observer/index.js
export class Observer {
  value: any;
  dep: Dep;
  vmCount: number; // number of vms that has this object as root $data

  constructor (value: any) {
    this.value = value
    // 關鍵代碼 new Dep對象
    this.dep = new Dep()
    this.vmCount = 0
    def(value, '__ob__', this)
    // ...省略無關代碼
    this.walk(value)
  }

  walk (obj: Object) {
    const keys = Object.keys(obj)
    for (let i = 0; i < keys.length; i++) {
      // 給data的所有屬性調用defineReactive
      defineReactive(obj, keys[i], obj[keys[i]])
    }
  }
}

在對象的構造函數中,最后調用了walk方法,該方法即遍歷data中的所有屬性,并調用defineReactive方法,defineReactive方法是vue實現 MDV(Model-Driven-View)的基礎,本質上就是代理了數據的set,get方法,當數據修改或獲取的時候,能夠感知(當然vue還要考慮數組,Object中嵌套Object等各種情況,本文不在分析)。我們具體看看defineReactive的源代碼

// src/core/observer/index.js
export function defineReactive (
  obj: Object,
  key: string,
  val: any,
  customSetter?: ?Function,
  shallow?: boolean
) {
  // 重點,在給具體屬性調用該方法時,都會為該屬性生成唯一的dep對象
  const dep = new Dep()

  // 獲取該屬性的描述對象
  // 該方法會返回對象中某個屬性的具體描述
  // api地址https://developer.mozilla.org/zh-CN/docs/Web/JavaScript/Reference/Global_Objects/Object/getOwnPropertyDescriptor
  const property = Object.getOwnPropertyDescriptor(obj, key)
  // 如果該描述不能被更改,直接返回,因為不能更改,那么就無法代理set和get方法,無法做到響應式
  if (property && property.configurable === false) {
    return
  }

  // cater for pre-defined getter/setters
  const getter = property && property.get
  const setter = property && property.set

  let childOb = !shallow && observe(val)
  // 重新定義data當中的屬性,對get和set進行代理。
  Object.defineProperty(obj, key, {
    enumerable: true,
    configurable: true,
    get: function reactiveGetter () {
      const value = getter ? getter.call(obj) : val
      // 收集依賴, reversedMessage為什么會跟著message變化的原因
      if (Dep.target) {
        dep.depend()
        if (childOb) {
          childOb.dep.depend()
        }
        if (Array.isArray(value)) {
          dependArray(value)
        }
      }
      return value
    },
    set: function reactiveSetter (newVal) {
      const value = getter ? getter.call(obj) : val
      /* eslint-disable no-self-compare */
      if (newVal === value || (newVal !== newVal && value !== value)) {
        return
      }
      if (setter) {
        setter.call(obj, newVal)
      } else {
        val = newVal
      }
      childOb = !shallow && observe(newVal)
      // 通知依賴進行更新
      dep.notify()
    }
  })
}

我們可以看到,在所代理的屬性get方法中,當dep.Target存在的時候會調用dep.depend()方法,這個方法非常的簡單,不過在說這個方法之前,我們要認識一個新的類Dep

Dep 是 vue 實現的一個處理依賴關系的對象,
主要起到一個紐帶的作用,就是連接 reactive data 與 watcher,代碼非常的簡單

// src/core/observer/dep.js
export default class Dep {
  static target: ?Watcher;
  id: number;
  subs: Array<Watcher>;

  constructor () {
    this.id = uid++
    this.subs = []
  }

  addSub (sub: Watcher) {
    this.subs.push(sub)
  }

  removeSub (sub: Watcher) {
    remove(this.subs, sub)
  }

  depend () {
    if (Dep.target) {
      Dep.target.addDep(this)
    }
  }

  notify () {
    const subs = this.subs.slice()
    for (let i = 0, l = subs.length; i < l; i++) {
      // 更新 watcher 的值,與 watcher.evaluate() 類似,
      // 但 update 是給依賴變化時使用的,包含對 watch 的處理
      subs[i].update()
    }
  }
}

// 當首次計算 computed 屬性的值時,Dep 將會在計算期間對依賴進行收集
Dep.target = null
const targetStack = []

export function pushTarget (_target: Watcher) {
  // 在一次依賴收集期間,如果有其他依賴收集任務開始(比如:當前 computed 計算屬性嵌套其他 computed 計算屬性),
  // 那么將會把當前 target 暫存到 targetStack,先進行其他 target 的依賴收集,
  if (Dep.target) targetStack.push(Dep.target)
  Dep.target = _target
}

export function popTarget () {
  // 當嵌套的依賴收集任務完成后,將 target 恢復為上一層的 Watcher,并繼續做依賴收集
  Dep.target = targetStack.pop()
}

代碼非常的簡單,回到調用dep.depend()方法的時候,當Dep.Target存在,就會調用,而depend方法則是將該dep加入watchernewDeps中,同時,將所訪問當前屬性dep對象中的subs插入當前Dep.target的watcher.看起來有點繞,不過沒關系,我們一會跟著例子講解一下就清楚了。

講完了代理的get,方法,我們講一下代理的set方法,set方法的最后調用了dep.notify(),當設置data中具體屬性值的時候,就會調用該屬性下面的dep.notify()方法,通過class Dep了解到,notify方法即將加入該dep的watcher全部更新,也就是說,當你修改data中某個屬性值時,會同時調用dep.notify()來更新依賴該值的所有watcher

介紹完了initData這條線,我們繼續來介紹initComputed這條線,這條線主要解決了什么時候去設置Dep.target的問題(如果沒有設置該值,就不會調用dep.depend(), 即無法獲取依賴)。

// src/core/instance/state.js
const computedWatcherOptions = { lazy: true }
function initComputed (vm: Component, computed: Object) {
  // 初始化watchers列表
  const watchers = vm._computedWatchers = Object.create(null)
  const isSSR = isServerRendering()

  for (const key in computed) {
    const userDef = computed[key]
    const getter = typeof userDef === 'function' ? userDef : userDef.get
    if (!isSSR) {
      // 關注點1,給所有屬性生成自己的watcher, 可以在this._computedWatchers下看到
      watchers[key] = new Watcher(
        vm,
        getter || noop,
        noop,
        computedWatcherOptions
      )
    }

    if (!(key in vm)) {
      // 關注點2
      defineComputed(vm, key, userDef)
    }
  }
}

在初始化computed時,有2個地方需要去關注

  1. 對每一個屬性都生成了一個屬于自己的Watcher實例,并將 { lazy: true }作為options傳入
  2. 對每一個屬性調用了defineComputed方法(本質和data一樣,代理了自己的set和get方法,我們重點關注代理的get方法)

我們看看Watcher的構造函數

// src/core/observer/watcher.js
constructor (
    vm: Component,
    expOrFn: string | Function,
    cb: Function,
    options?: Object
  ) {
    this.vm = vm
    vm._watchers.push(this)
    if (options) {
      this.deep = !!options.deep
      this.user = !!options.user
      this.lazy = !!options.lazy
      this.sync = !!options.sync
    } else {
      this.deep = this.user = this.lazy = this.sync = false
    }
    this.cb = cb
    this.id = ++uid // uid for batching
    this.active = true
    this.dirty = this.lazy // 如果初始化lazy=true時(暗示是computed屬性),那么dirty也是true,需要等待更新
    this.deps = []
    this.newDeps = []
    this.depIds = new Set()
    this.newDepIds = new Set()
    this.getter = expOrFn // 在computed實例化時,將具體的屬性值放入this.getter中
    // 省略不相關的代碼
    this.value = this.lazy
      ? undefined
      : this.get()
  }

除了日常的初始化外,還有2行重要的代碼

this.dirty = this.lazy
this.getter = expOrFn

computed生成的watcher,會將watcher的lazy設置為true,以減少計算量。因此,實例化時,this.dirty也是true,標明數據需要更新操作。我們先記住現在computed中初始化對各個屬性生成的watcher的dirty和lazy都設置為了true。同時,將computed傳入的屬性值(一般為funtion),放入watchergetter中保存起來。

我們在來看看第二個關注點defineComputed所代理屬性的get方法是什么

// src/core/instance/state.js
function createComputedGetter (key) {
  return function computedGetter () {
    const watcher = this._computedWatchers && this._computedWatchers[key]
    // 如果找到了該屬性的watcher
    if (watcher) {
      // 和上文對應,初始化時,該dirty為true,也就是說,當第一次訪問computed中的屬性的時候,會調用 watcher.evaluate()方法;
      if (watcher.dirty) {
        watcher.evaluate()
      }
      if (Dep.target) {
        watcher.depend()
      }
      return watcher.value
    }
  }
}

第一次訪問computed中的值時,會因為初始化watcher.dirty = watcher.lazy的原因,從而調用evalute()方法,evalute()方法很簡單,就是調用了watcher實例中的get方法以及設置dirty = false,我們將這兩個方法放在一起

// src/core/instance/state.js
evaluate () {
  this.value = this.get()
  this.dirty = false
}
  
get () {  
// 重點1,將當前watcher放入Dep.target對象
  pushTarget(this)
  let value
  const vm = this.vm
  try {
    // 重點2,當調用用戶傳入的方法時,會觸發什么?
    value = this.getter.call(vm, vm)
  } catch (e) {
  } finally {
    popTarget()
    // 去除不相關代碼
  }
  return value
}

在get方法中中,第一行就調用了pushTarget方法,其作用就是將Dep.target設置為所傳入的watcher,即所訪問的computed中屬性的watcher,
然后調用了value = this.getter.call(vm, vm)方法,想一想,調用這個方法會發生什么?

this.getter 在Watcher構建函數中提到,本質就是用戶傳入的方法,也就是說,this.getter.call(vm, vm)就會調用用戶自己聲明的方法,那么如果方法里面用到了 this.data中的值或者其他被用defineReactive包裝過的對象,那么,訪問this.data.或者其他被defineReactive包裝過的屬性,是不是就會訪問被代理的該屬性的get方法。我們在回頭看看
get方法是什么樣子的。

注意:我講了其他被用defineReactive,這個和后面的vuex有關系,我們后面在提

get: function reactiveGetter () {
      const value = getter ? getter.call(obj) : val
      // 這個時候,有值了
      if (Dep.target) {
        // computed的watcher依賴了this.data的dep
        dep.depend()
        if (childOb) {
          childOb.dep.depend()
        }
        if (Array.isArray(value)) {
          dependArray(value)
        }
      }
      return value
    }

代碼注釋已經寫明了,就不在解釋了,這個時候我們走完了一個依賴收集流程,知道了computed是如何知道依賴了誰。最后根據this.data所代理的set方法中調用的notify,就可以改變this.data的值,去更新所有依賴this.data值的computed屬性value了。

那么,我們根據下面的代碼,來簡易拆解獲取依賴并更新的過程

var vm = new Vue({
  el: '#example',
  data: {
    message: 'Hello'
  },
  computed: {
    // 計算屬性的 getter
    reversedMessage: function () {
      // `this` 指向 vm 實例
      return this.message.split('').reverse().join()
    }
  }
})
vm.reversedMessage // =>  olleH
vm.message = 'World' // 
vm.reversedMessage // =>  dlroW
  1. 初始化 data和computed,分別代理其set以及get方法, 對data中的所有屬性生成唯一的dep實例。
  2. 對computed中的reversedMessage生成唯一watcher,并保存在vm._computedWatchers中
  3. 訪問 reversedMessage,設置Dep.target指向reversedMessage的watcher,調用該屬性具體方法reversedMessage
  4. 方法中訪問this.message,即會調用this.message代理的get方法,將this.message的dep加入reversedMessage的watcher,同時該dep中的subs添加這個watcher
  5. 設置vm.message = 'World',調用message代理的set方法觸發dep的notify方法'
  6. 因為是computed屬性,只是將watcher中的dirty設置為true
  7. 最后一步vm.reversedMessage,訪問其get方法時,得知reversedMessagewatcher.dirty為true,調用watcher.evaluate()方法獲取新的值。

這樣,也可以解釋了為什么有些時候當computed沒有被訪問(或者沒有被模板依賴),當修改了this.data值后,通過vue-tools發現其computed中的值沒有變化的原因,因為沒有觸發到其get方法。

vuex插件

有了上文作為鋪墊,我們就可以很輕松的來解釋vuex的原理了。

我們知道,vuex僅僅是作為vue的一個插件而存在,不像Redux,MobX等庫可以應用于所有框架,vuex只能使用在vue上,很大的程度是因為其高度依賴于vue的computed依賴檢測系統以及其插件系統,

通過官方文檔我們知道,每一個vue插件都需要有一個公開的install方法,vuex也不例外。其代碼比較簡單,調用了一下applyMixin方法,該方法主要作用就是在所有組件的beforeCreate生命周期注入了設置this.$store這樣一個對象,因為比較簡單,這里不再詳細介紹代碼了,大家自己讀一讀編能很容易理解。

// src/store.js
export function install (_Vue) {
  if (Vue && _Vue === Vue) {
    return
  }
  Vue = _Vue
  applyMixin(Vue)
}
// src/mixins.js
// 對應applyMixin方法
export default function (Vue) {
  const version = Number(Vue.version.split('.')[0])

  if (version >= 2) {
    Vue.mixin({ beforeCreate: vuexInit })
  } else {
    const _init = Vue.prototype._init
    Vue.prototype._init = function (options = {}) {
      options.init = options.init
        ? [vuexInit].concat(options.init)
        : vuexInit
      _init.call(this, options)
    }
  }

  /**
   * Vuex init hook, injected into each instances init hooks list.
   */

  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需要類似以下的寫法

const store = new Vuex.Store({
    state,
    mutations,
    actions,
    modules
});

那么 Vuex.Store到底是什么樣的東西呢?我們先看看他的構造函數

// src/store.js
constructor (options = {}) {
  const {
    plugins = [],
    strict = false
  } = options

  // store internal state
  this._committing = false
  this._actions = Object.create(null)
  this._actionSubscribers = []
  this._mutations = Object.create(null)
  this._wrappedGetters = Object.create(null)
  this._modules = new ModuleCollection(options)
  this._modulesNamespaceMap = Object.create(null)
  this._subscribers = []
  this._watcherVM = new Vue()

  const store = this
  const { dispatch, commit } = this
  this.dispatch = function boundDispatch (type, payload) {
    return dispatch.call(store, type, payload)
}
  this.commit = function boundCommit (type, payload, options) {
    return commit.call(store, type, payload, options)
}

  // strict mode
  this.strict = strict

  const state = this._modules.root.state

  // init root module.
  // this also recursively registers all sub-modules
  // and collects all module getters inside this._wrappedGetters
  installModule(this, state, [], this._modules.root)

  // 重點方法 ,重置VM
  resetStoreVM(this, state)

  // apply plugins
  plugins.forEach(plugin => plugin(this))

}

除了一堆初始化外,我們注意到了這樣一行代碼
resetStoreVM(this, state) 他就是整個vuex的關鍵

// src/store.js
function resetStoreVM (store, state, hot) {
  // 省略無關代碼
  Vue.config.silent = true
  store._vm = new Vue({
    data: {
      $$state: state
    },
    computed
  })
}

去除了一些無關代碼后我們發現,其本質就是將我們傳入的state作為一個隱藏的vue組件的data,也就是說,我們的commit操作,本質上其實是修改這個組件的data值,結合上文的computed,修改被defineReactive代理的對象值后,會將其收集到的依賴的watcher中的dirty設置為true,等到下一次訪問該watcher中的值后重新獲取最新值。

這樣就能解釋了為什么vuex中的state的對象屬性必須提前定義好,如果該state中途增加一個屬性,因為該屬性沒有被defineReactive,所以其依賴系統沒有檢測到,自然不能更新。

由上所說,我們可以得知store._vm.$data.$$state === store.state, 我們可以在任何含有vuex框架的工程驗證這一點。


總結

vuex整體思想誕生于flux,可其的實現方式完完全全的使用了vue自身的響應式設計,依賴監聽、依賴收集都屬于vue對對象Property set get方法的代理劫持。最后一句話結束vuex工作原理,vuex中的store本質就是沒有template的隱藏著的vue組件;

(如果本文對幫助到了大家,歡迎給個贊,謝謝)~

參考文章

深入理解 Vue Computed 計算屬性

最后編輯于
?著作權歸作者所有,轉載或內容合作請聯系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市,隨后出現的幾起案子,更是在濱河造成了極大的恐慌,老刑警劉巖,帶你破解...
    沈念sama閱讀 227,488評論 6 531
  • 序言:濱河連續發生了三起死亡事件,死亡現場離奇詭異,居然都是意外死亡,警方通過查閱死者的電腦和手機,發現死者居然都...
    沈念sama閱讀 98,034評論 3 414
  • 文/潘曉璐 我一進店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人,你說我怎么就攤上這事。” “怎么了?”我有些...
    開封第一講書人閱讀 175,327評論 0 373
  • 文/不壞的土叔 我叫張陵,是天一觀的道長。 經常有香客問我,道長,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 62,554評論 1 307
  • 正文 為了忘掉前任,我火速辦了婚禮,結果婚禮上,老公的妹妹穿的比我還像新娘。我一直安慰自己,他們只是感情好,可當我...
    茶點故事閱讀 71,337評論 6 404
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著,像睡著了一般。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發上,一...
    開封第一講書人閱讀 54,883評論 1 321
  • 那天,我揣著相機與錄音,去河邊找鬼。 笑死,一個胖子當著我的面吹牛,可吹牛的內容都是我干的。 我是一名探鬼主播,決...
    沈念sama閱讀 42,975評論 3 439
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼!你這毒婦竟也來了?” 一聲冷哼從身側響起,我...
    開封第一講書人閱讀 42,114評論 0 286
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后,有當地人在樹林里發現了一具尸體,經...
    沈念sama閱讀 48,625評論 1 332
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內容為張勛視角 年9月15日...
    茶點故事閱讀 40,555評論 3 354
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發現自己被綠了。 大學時的朋友給我發了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 42,737評論 1 369
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖,靈堂內的尸體忽然破棺而出,到底是詐尸還是另有隱情,我是刑警寧澤,帶...
    沈念sama閱讀 38,244評論 5 355
  • 正文 年R本政府宣布,位于F島的核電站,受9級特大地震影響,放射性物質發生泄漏。R本人自食惡果不足惜,卻給世界環境...
    茶點故事閱讀 43,973評論 3 345
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧,春花似錦、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 34,362評論 0 25
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至,卻和暖如春,著一層夾襖步出監牢的瞬間,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 35,615評論 1 280
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留,地道東北人。 一個月前我還...
    沈念sama閱讀 51,343評論 3 390
  • 正文 我出身青樓,卻偏偏與公主長得像,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當晚...
    茶點故事閱讀 47,699評論 2 370

推薦閱讀更多精彩內容