国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

vue源碼之響應(yīng)式數(shù)據(jù)

learn_shifeng / 1443人閱讀

摘要:分析是如何實現(xiàn)數(shù)據(jù)響應(yīng)的前記現(xiàn)在回顧一下看數(shù)據(jù)響應(yīng)的原因之前看了和的源碼他們都有自己內(nèi)部的也就是實例使用的都是的響應(yīng)式數(shù)據(jù)特性及所以決定看一下的源碼了解是如何實現(xiàn)響應(yīng)式數(shù)據(jù)本文敘事方式為樹藤摸瓜順著看源碼的邏輯走一遍查看的的版本為目的明確

分析vue是如何實現(xiàn)數(shù)據(jù)響應(yīng)的.

前記

現(xiàn)在回顧一下看數(shù)據(jù)響應(yīng)的原因. 之前看了vuex和vue-i18n的源碼, 他們都有自己內(nèi)部的vm, 也就是vue實例. 使用的都是vue的響應(yīng)式數(shù)據(jù)特性及$watchapi. 所以決定看一下vue的源碼, 了解vue是如何實現(xiàn)響應(yīng)式數(shù)據(jù).

本文敘事方式為樹藤摸瓜, 順著看源碼的邏輯走一遍, 查看的vue的版本為2.5.2.

目的

明確調(diào)查方向才能直至目標, 先說一下目標行為:

vue中的數(shù)據(jù)改變, 視圖層面就能獲得到通知并進行渲染.

$watchapi監(jiān)聽表達式的值, 在表達式中任何一個元素變化以后獲得通知并執(zhí)行回調(diào).

那么準備開始以這個方向為目標從vue源碼的入口開始找答案.

入口開始

來到src/core/index.js, 調(diào)了initGlobalAPI(), 其他代碼是ssr相關(guān), 暫不關(guān)心.

進入initGlobalAPI方法, 做了一些暴露全局屬性和方法的事情, 最后有4個init, initUse是Vue的install方法, 前面vuex和vue-i18n的源碼分析已經(jīng)分析過了. initMixin是我們要深入的部分.

initMixin前面部分依舊做了一些變量的處理, 具體的init動作為:

</>復(fù)制代碼

  1. vm._self = vm
  2. initLifecycle(vm)
  3. initEvents(vm)
  4. initRender(vm)
  5. callHook(vm, "beforeCreate")
  6. initInjections(vm) // resolve injections before data/props
  7. initState(vm)
  8. initProvide(vm) // resolve provide after data/props
  9. callHook(vm, "created")

vue啟動的順序已經(jīng)看到了: 加載生命周期/時間/渲染的方法 => beforeCreate鉤子 => 調(diào)用injection => 初始化state => 調(diào)用provide => created鉤子.

injection和provide都是比較新的api, 我還沒用過. 我們要研究的東西在initState中.

來到initState:

</>復(fù)制代碼

  1. export function initState (vm: Component) {
  2. vm._watchers = []
  3. const opts = vm.$options
  4. if (opts.props) initProps(vm, opts.props)
  5. if (opts.methods) initMethods(vm, opts.methods)
  6. if (opts.data) {
  7. initData(vm)
  8. } else {
  9. observe(vm._data = {}, true /* asRootData */) // 如果沒有data, _data效果一樣, 只是沒做代理
  10. }
  11. if (opts.computed) initComputed(vm, opts.computed)
  12. if (opts.watch && opts.watch !== nativeWatch) {
  13. initWatch(vm, opts.watch)
  14. }
  15. }

做的事情很簡單: 如果有props就處理props, 有methods就處理methods, …, 我們直接看initData(vm).

initData

initData做了兩件事: proxy, observe.

先貼代碼, 前面做了小的事情寫在注釋里了.

</>復(fù)制代碼

  1. function initData (vm: Component) {
  2. let data = vm.$options.data
  3. data = vm._data = typeof data === "function" // 如果data是函數(shù), 用vm作為this執(zhí)行函數(shù)的結(jié)果作為data
  4. ? getData(data, vm)
  5. : data || {}
  6. if (!isPlainObject(data)) { // 過濾亂搞, data只接受對象, 如果亂搞會報警并且把data認為是空對象
  7. data = {}
  8. process.env.NODE_ENV !== "production" && warn(
  9. "data functions should return an object:
  10. " +
  11. "https://vuejs.org/v2/guide/components.html#data-Must-Be-a-Function",
  12. vm
  13. )
  14. }
  15. // proxy data on instance
  16. const keys = Object.keys(data)
  17. const props = vm.$options.props
  18. const methods = vm.$options.methods
  19. let i = keys.length
  20. while (i--) { // 遍歷data
  21. const key = keys[i]
  22. if (process.env.NODE_ENV !== "production") {
  23. if (methods && hasOwn(methods, key)) { // 判斷是否和methods重名
  24. warn(
  25. `Method "${key}" has already been defined as a data property.`,
  26. vm
  27. )
  28. }
  29. }
  30. if (props && hasOwn(props, key)) { // 判斷是否和props重名
  31. process.env.NODE_ENV !== "production" && warn(
  32. `The data property "${key}" is already declared as a prop. ` +
  33. `Use prop default value instead.`,
  34. vm
  35. )
  36. } else if (!isReserved(key)) { // 判斷key是否以_或$開頭
  37. proxy(vm, `_data`, key) // 代理data
  38. }
  39. }
  40. // observe data
  41. observe(data, true /* asRootData */)
  42. }

我們來看一下proxy和observe是干嘛的.

proxy的參數(shù): vue實例, _data, 鍵.

作用: 把vm.key的setter和getter都代理到vm._data.key, 效果就是vm.a實際實際是vm._data.a, 設(shè)置vm.a也是設(shè)置vm._data.a.

代碼是:

</>復(fù)制代碼

  1. const sharedPropertyDefinition = {
  2. enumerable: true,
  3. configurable: true,
  4. get: noop,
  5. set: noop
  6. }
  7. export function proxy (target: Object, sourceKey: string, key: string) {
  8. // 在initData中調(diào)用: proxy(vm, `_data`, key)
  9. // target: vm, sourceKey: _data, key: key. 這里的key為遍歷data的key
  10. // 舉例: data為{a: "a value", b: "b value"}
  11. // 那么這里執(zhí)行的target: vm, sourceKey: _data, key: a
  12. sharedPropertyDefinition.get = function proxyGetter () {
  13. return this[sourceKey][key] // getter: vm._data.a
  14. }
  15. sharedPropertyDefinition.set = function proxySetter (val) {
  16. this[sourceKey][key] = val // setter: vm._data.a = val
  17. }
  18. Object.defineProperty(target, key, sharedPropertyDefinition) // 用Object.defineProperty來設(shè)置getter, setter
  19. // 第一個參數(shù)是vm, 也就是獲取`vm.a`就獲取到了`vm._data.a`, 設(shè)置也是如此.
  20. }

代理完成之后是本文的核心, initData最后調(diào)用了observe(data, true),來實現(xiàn)數(shù)據(jù)的響應(yīng).

observe

observe方法其實是一個濾空和單例的入口, 最后行為是創(chuàng)建一個observe對象放到observe目標的__ob__屬性里, 代碼如下:

</>復(fù)制代碼

  1. /**
  2. * Attempt to create an observer instance for a value,
  3. * returns the new observer if successfully observed,
  4. * or the existing observer if the value already has one.
  5. */
  6. export function observe (value: any, asRootData: ?boolean): Observer | void {
  7. if (!isObject(value) || value instanceof VNode) { // 只能是監(jiān)察對象, 過濾非法參數(shù)
  8. return
  9. }
  10. let ob: Observer | void
  11. if (hasOwn(value, "__ob__") && value.__ob__ instanceof Observer) {
  12. ob = value.__ob__ // 如果已被監(jiān)察過, 返回存在的監(jiān)察對象
  13. } else if ( // 符合下面條件就新建一個監(jiān)察對象, 如果不符合就返回undefined
  14. observerState.shouldConvert &&
  15. !isServerRendering() &&
  16. (Array.isArray(value) || isPlainObject(value)) &&
  17. Object.isExtensible(value) &&
  18. !value._isVue
  19. ) {
  20. ob = new Observer(value)
  21. }
  22. if (asRootData && ob) {
  23. ob.vmCount++
  24. }
  25. return ob
  26. }

那么關(guān)鍵是new Observer(value)了, 趕緊跳到Observe這個類看看是如何構(gòu)造的.

以下是Observer的構(gòu)造函數(shù):

</>復(fù)制代碼

  1. constructor (value: any) {
  2. this.value = value // 保存值
  3. this.dep = new Dep() // dep對象
  4. this.vmCount = 0
  5. def(value, "__ob__", this) // 自己的副本, 放到__ob__屬性下, 作為單例依據(jù)的緩存
  6. if (Array.isArray(value)) { // 判斷是否為數(shù)組, 如果是數(shù)組的話劫持一些數(shù)組的方法, 在調(diào)用這些方法的時候進行通知.
  7. const augment = hasProto
  8. ? protoAugment
  9. : copyAugment
  10. augment(value, arrayMethods, arrayKeys)
  11. this.observeArray(value) // 遍歷數(shù)組, 繼續(xù)監(jiān)察數(shù)組的每個元素
  12. } else {
  13. this.walk(value) // 直到不再是數(shù)組(是對象了), 遍歷對象, 劫持每個對象來發(fā)出通知
  14. }
  15. }

做了幾件事:

建立內(nèi)部Dep對象. (作用是之后在watcher中遞歸的時候把自己添加到依賴中)

把目標的__ob__屬性賦值成Observe對象, 作用是上面提過的單例.

如果目標是數(shù)組, 進行方法的劫持. (下面來看)

如果是數(shù)組就observeArray, 否則walk.

那么我們來看看observeArray和walk方法.

</>復(fù)制代碼

  1. /**
  2. * Walk through each property and convert them into
  3. * getter/setters. This method should only be called when
  4. * value type is Object.
  5. */
  6. walk (obj: Object) {
  7. const keys = Object.keys(obj)
  8. for (let i = 0; i < keys.length; i++) {
  9. defineReactive(obj, keys[i], obj[keys[i]]) // 用"obj[keys[i]]"這種方式是為了在函數(shù)中直接給這個賦值就行了
  10. }
  11. }
  12. /**
  13. * Observe a list of Array items.
  14. */
  15. observeArray (items: Array) {
  16. for (let i = 0, l = items.length; i < l; i++) {
  17. observe(items[i])
  18. }
  19. }

我們發(fā)現(xiàn), observeArray的作用是遞歸調(diào)用, 最后調(diào)用的方法是defineReactive, 可以說這個方法是最終的核心了.

下面我們先看一下數(shù)組方法劫持的目的和方法, 之后再看defineReactive的做法.

array劫持

之后會知道defineReactive的實現(xiàn)劫持的方法是Object.defineProperty來劫持對象的getter, setter, 那么數(shù)組的變化不會觸發(fā)這些劫持器, 所以vue劫持了數(shù)組的一些方法, 代碼比較零散就不貼了.

最后的結(jié)果就是: array.prototype.push = function () {…}, 被劫持的方法有["push", "pop", "shift", "unshift", "splice", "sort", "reverse"], 也就是調(diào)用這些方法也會觸發(fā)響應(yīng). 具體劫持以后的方法是:

</>復(fù)制代碼

  1. def(arrayMethods, method, function mutator (...args) {
  2. const result = original.apply(this, args) // 調(diào)用原生的數(shù)組方法
  3. const ob = this.__ob__ // 獲取observe對象
  4. let inserted
  5. switch (method) {
  6. case "push":
  7. case "unshift":
  8. inserted = args
  9. break
  10. case "splice":
  11. inserted = args.slice(2)
  12. break
  13. }
  14. if (inserted) ob.observeArray(inserted) // 繼續(xù)遞歸
  15. // notify change
  16. ob.dep.notify() // 出發(fā)notify
  17. return result
  18. })

做了兩件事:

遞歸調(diào)用

觸發(fā)所屬Dep的notify()方法.

接下來就說最終的核心方法, defineReactive, 這個方法最后也調(diào)用了notify().

defineReactive

這里先貼整個代碼:

</>復(fù)制代碼

  1. /**
  2. * Define a reactive property on an Object.
  3. */
  4. export function defineReactive (
  5. // 這個方法是劫持對象key的動作
  6. // 這里還是舉例: 對象為 {a: "value a", b: "value b"}, 當前遍歷到a
  7. obj: Object, // {a: "value a", b: "value b"}
  8. key: string, // a
  9. val: any, // value a
  10. customSetter?: ?Function,
  11. shallow?: boolean
  12. ) {
  13. const dep = new Dep()
  14. const property = Object.getOwnPropertyDescriptor(obj, key)
  15. if (property && property.configurable === false) { // 判斷當前key的操作權(quán)限
  16. return
  17. }
  18. // cater for pre-defined getter/setters
  19. // 獲取對象本來的getter setter
  20. const getter = property && property.get
  21. const setter = property && property.set
  22. let childOb = !shallow && observe(val) // childOb是val的監(jiān)察對象(就是new Observe(val), 也就是遞歸調(diào)用)
  23. Object.defineProperty(obj, key, {
  24. enumerable: true,
  25. configurable: true,
  26. get: function reactiveGetter () {
  27. const value = getter ? getter.call(obj) : val // 如果本身有g(shù)etter, 先調(diào)用
  28. if (Dep.target) { // 如果有dep.target, 進行一些處理, 最后返回value, if里的代碼我們之后去dep的代碼中研究
  29. dep.depend()
  30. if (childOb) {
  31. childOb.dep.depend()
  32. if (Array.isArray(value)) {
  33. dependArray(value)
  34. }
  35. }
  36. }
  37. return value
  38. },
  39. set: function reactiveSetter (newVal) {
  40. const value = getter ? getter.call(obj) : val // 如果本身有g(shù)etter, 先調(diào)用
  41. /* eslint-disable no-self-compare */
  42. if (newVal === value || (newVal !== newVal && value !== value)) { // 如果值不變就不去做通知了, (或是某個值為Nan?)
  43. return
  44. }
  45. /* eslint-enable no-self-compare */
  46. if (process.env.NODE_ENV !== "production" && customSetter) {
  47. customSetter() // 根據(jù)"生產(chǎn)環(huán)境不執(zhí)行"這個行為來看, 這個方法可能作用是log, 可能是保留方法, 還沒地方用?
  48. }
  49. if (setter) { // 如果本身有setter, 先調(diào)用, 沒的話就直接賦值
  50. setter.call(obj, newVal)
  51. } else {
  52. val = newVal // 因為傳入?yún)?shù)的時候其實是"obj[keys[i]]", 所以就等于是"obj[key] = newVal"
  53. }
  54. childOb = !shallow && observe(newVal) // 重新建立子監(jiān)察
  55. dep.notify() // 通知, 可以說是劫持的核心步驟
  56. }
  57. })
  58. }

解釋都在注釋中了, 總結(jié)一下這個方法的做的幾件重要的事:

建立Dep對象. (下面會說調(diào)用的Dep的方法的具體作用)

遞歸調(diào)用. 可以說很大部分代碼都在遞歸調(diào)用, 分別在創(chuàng)建子observe對象, setter, getter中.

getter中: 調(diào)用原來的getter, 收集依賴(Dep.depend(), 之后會解釋收集的原理), 同樣也是遞歸收集.

setter中: 調(diào)用原來的setter, 并判斷是否需要通知, 最后調(diào)用dep.notify().

總結(jié)一下, 總的來說就是, 進入傳入的data數(shù)據(jù)會被劫持, 在get的時候調(diào)用Dep.depend(), 在set的時候調(diào)用Dep.notify(). 那么Dep是什么, 這兩個方法又干了什么, 帶著疑問去看Dep對象.

Dep

Dep應(yīng)該是dependencies的意思. dep.js整個文件只有62行, 所以貼一下:

</>復(fù)制代碼

  1. /**
  2. * A dep is an observable that can have multiple
  3. * directives subscribing to it.
  4. */
  5. export default class Dep {
  6. static target: ?Watcher;
  7. id: number;
  8. subs: Array;
  9. constructor () {
  10. this.id = uid++
  11. this.subs = []
  12. }
  13. addSub (sub: Watcher) {
  14. this.subs.push(sub)
  15. }
  16. removeSub (sub: Watcher) {
  17. remove(this.subs, sub)
  18. }
  19. depend () {
  20. if (Dep.target) {
  21. Dep.target.addDep(this)
  22. }
  23. }
  24. notify () {
  25. // stabilize the subscriber list first
  26. const subs = this.subs.slice()
  27. for (let i = 0, l = subs.length; i < l; i++) {
  28. subs[i].update()
  29. }
  30. }
  31. }
  32. // the current target watcher being evaluated.
  33. // this is globally unique because there could be only one
  34. // watcher being evaluated at any time.
  35. // 這是一個隊列, 因為不允許有多個watcher的get方法同時調(diào)用
  36. Dep.target = null
  37. const targetStack = []
  38. export function pushTarget (_target: Watcher) {
  39. // 設(shè)置target, 把舊的放進stack
  40. if (Dep.target) targetStack.push(Dep.target)
  41. Dep.target = _target
  42. }
  43. export function popTarget () {
  44. // 從stack拿一個作為當前的
  45. Dep.target = targetStack.pop()
  46. }

首先來分析變量:

全局Target. 這個其實是用來跟watcher交互的, 也保證了普通get的時候沒有target就不設(shè)置依賴, 后面會解釋.

id. 這是用來在watcher里依賴去重的, 也要到后面解釋.

subs: 是一個watcher數(shù)組. sub應(yīng)該是subscribe的意思, 也就是當前dep(依賴)的訂閱者列表.

再來看方法:

構(gòu)造: 設(shè)uid, subs. addSub: 添加wathcer, removeSub: 移除watcher. 這3個好無聊.

depend: 如果有Dep.target, 就把自己添加到Dep.target中(調(diào)用了Dep.target.addDep(this)).

那么什么時候有Dep.target呢, 就由pushTarget()popTarget()來操作了, 這些方法在Dep中沒有調(diào)用, 后面會分析是誰在操作Dep.target.(這個是重點)

notify: 這個是setter劫持以后調(diào)用的最終方法, 做了什么: 把當前Dep訂閱中的每個watcher都調(diào)用update()方法.

Dep看完了, 我們的疑問都轉(zhuǎn)向了Watcher對象了. 現(xiàn)在看來有點糊涂, 看完Watcher就都明白了.

Watcher

watcher非常大(而且打watcher這個單詞也非常容易手誤, 心煩), 我們先從構(gòu)造看起:

</>復(fù)制代碼

  1. constructor (
  2. vm: Component,
  3. expOrFn: string | Function,
  4. cb: Function,
  5. options?: Object
  6. ) {
  7. this.vm = vm // 保存vm
  8. vm._watchers.push(this) // 把watcher存到vm里
  9. // options
  10. // 讀取配置 或 設(shè)置默認值
  11. if (options) {
  12. this.deep = !!options.deep
  13. this.user = !!options.user
  14. this.lazy = !!options.lazy
  15. this.sync = !!options.sync
  16. } else {
  17. this.deep = this.user = this.lazy = this.sync = false
  18. }
  19. this.cb = cb
  20. this.id = ++uid // uid for batching
  21. this.active = true
  22. this.dirty = this.lazy // for lazy watchers
  23. this.deps = []
  24. this.newDeps = []
  25. this.depIds = new Set()
  26. this.newDepIds = new Set()
  27. this.expression = process.env.NODE_ENV !== "production" // 非生產(chǎn)環(huán)境就記錄expOrFn
  28. ? expOrFn.toString()
  29. : ""
  30. // parse expression for getter
  31. // 設(shè)置getter, parse字符串, 并濾空濾錯
  32. if (typeof expOrFn === "function") {
  33. this.getter = expOrFn
  34. } else {
  35. this.getter = parsePath(expOrFn)
  36. if (!this.getter) {
  37. this.getter = function () {}
  38. process.env.NODE_ENV !== "production" && warn(
  39. `Failed watching path: "${expOrFn}" ` +
  40. "Watcher only accepts simple dot-delimited paths. " +
  41. "For full control, use a function instead.",
  42. vm
  43. )
  44. }
  45. }
  46. // 調(diào)用get獲得值
  47. this.value = this.lazy
  48. ? undefined
  49. : this.get()
  50. }

注釋都寫了, 我來高度總結(jié)一下構(gòu)造器做了什么事:

處理傳入的參數(shù)并設(shè)置成自己的屬性.

parse表達式. watcher表達式接受2種: 方法/字符串. 如果是方法就設(shè)為getter, 如果是字符串會進行處理:

</>復(fù)制代碼

  1. /**
  2. * Parse simple path.
  3. */
  4. const bailRE = /[^w.$]/
  5. export function parsePath (path: string): any {
  6. if (bailRE.test(path)) {
  7. return
  8. }
  9. const segments = path.split(".")
  10. // 這里是vue如何分析watch的, 就是接受 "." 分隔的變量.
  11. // 如果鍵是"a.b.c", 也就等于function () {return this.a.b.c}
  12. return function (obj) {
  13. for (let i = 0; i < segments.length; i++) {
  14. if (!obj) return
  15. obj = obj[segments[i]]
  16. }
  17. return obj
  18. }
  19. }

處理的效果寫在上面代碼的注釋里.

調(diào)用get()方法.

下面說一下get方法. get()方法是核心, 看完了就能把之前的碎片都串起來了. 貼get()的代碼:

</>復(fù)制代碼

  1. /**
  2. * Evaluate the getter, and re-collect dependencies.
  3. */
  4. get () {
  5. pushTarget(this)
  6. // 進入隊列, 把當前watcher設(shè)置為Dep.target
  7. // 這樣下面調(diào)用getter的時候出發(fā)的dep.append() (最后調(diào)用Dep.target.addDep()) 就會調(diào)用這個watcher的addDep.
  8. let value
  9. const vm = this.vm
  10. try {
  11. value = this.getter.call(vm, vm)
  12. // 調(diào)用getter的時候會走一遍表達式,
  13. // 如果是 this.a + this.b , 會在a和b的getter中調(diào)用Dep.target.addDep(), 最后結(jié)果就調(diào)用了當前watcher的addDep,
  14. // 當前watcher就有了this.a的dep和this.b的dep
  15. // addDep把當前watcher加入了dep的sub(subscribe)里, dep的notify()調(diào)用就會運行本watcher的run()方法.
  16. } catch (e) {
  17. if (this.user) {
  18. handleError(e, vm, `getter for watcher "${this.expression}"`)
  19. } else {
  20. throw e
  21. }
  22. } finally {
  23. // "touch" every property so they are all tracked as
  24. // dependencies for deep watching
  25. // 走到這里已經(jīng)通過了getter獲得到了value, 或者失敗為undefined, 這個值返回作為watcher的valule
  26. // 處理deep選項 (待看)
  27. if (this.deep) {
  28. traverse(value)
  29. }
  30. popTarget() // 移除隊列
  31. this.cleanupDeps() // 清理依賴(addDep加到newDep數(shù)組, 這步做整理動作)
  32. }
  33. return value
  34. }

注釋都在代碼中了, 這段理解了就對整個響應(yīng)系統(tǒng)理解了.

我來總結(jié)一下: (核心, 非常重要)

dep方面: 傳入vue參數(shù)的data(實際是所有調(diào)用defineReactive的屬性)都會產(chǎn)生自己的Dep對象.

Watcher方面: 在所有new Watcher的地方產(chǎn)生Watcher對象.

dep與Watcher關(guān)系: Watcher的get方法建立了雙方關(guān)系:

把自己設(shè)為target, 運行watcher的表達式(即調(diào)用相關(guān)數(shù)據(jù)的getter), 因為getter有鉤子, 調(diào)用了Watcher的addDep, addDep方法把dep和Watcher互相推入互相的屬性數(shù)組(分別是deps和subs)

dep與Watcher建立了多對多的關(guān)系: dep含有訂閱的watcher的數(shù)組, watcher含有所依賴的變量的數(shù)組

當dep的數(shù)據(jù)調(diào)動setter, 調(diào)用notify, 最終調(diào)用Watcher的update方法.

前面提到dep與Watcher建立關(guān)系是通過get()方法, 這個方法在3個地方出現(xiàn): 構(gòu)造方法, run方法, evaluate方法. 也就是說, notify了以后會重新調(diào)用一次get()方法. (所以在lifycycle中調(diào)用的時候把依賴和觸發(fā)方法都寫到getter方法中了).

那么接下來要看一看watcher在什么地方調(diào)用的.

找了一下, 一共三處:

initComputed的時候: (state.js)

</>復(fù)制代碼

  1. watchers[key] = new Watcher(
  2. vm,
  3. getter || noop,
  4. noop,
  5. computedWatcherOptions
  6. )

$watch api: (state.js)

</>復(fù)制代碼

  1. new Watcher(vm, expOrFn, cb, options)

lifecycle的mount階段: (lifecycle.js)

</>復(fù)制代碼

  1. new Watcher(vm, updateComponent, noop)

總結(jié)

看完源碼就不神秘了, 寫得也算很清楚了. 當然還有很多細節(jié)沒寫, 因為沖著目標來.

總結(jié)其實都在上一節(jié)的粗體里了.

甜點

我們只從data看了, 那么props和computed應(yīng)該也是這樣的, 因為props應(yīng)該與組建相關(guān), 下回分解吧, 我們來看看computed是咋回事吧.

</>復(fù)制代碼

  1. const computedWatcherOptions = { lazy: true }
  2. function initComputed (vm: Component, computed: Object) {
  3. const watchers = vm._computedWatchers = Object.create(null)
  4. // computed properties are just getters during SSR
  5. const isSSR = isServerRendering()
  6. for (const key in computed) {
  7. // 循環(huán)每個computed
  8. // ------------
  9. // 格式濾錯濾空
  10. const userDef = computed[key]
  11. const getter = typeof userDef === "function" ? userDef : userDef.get
  12. if (process.env.NODE_ENV !== "production" && getter == null) {
  13. warn(
  14. `Getter is missing for computed property "${key}".`,
  15. vm
  16. )
  17. }
  18. if (!isSSR) {
  19. // create internal watcher for the computed property.
  20. // 為computed建立wathcer
  21. watchers[key] = new Watcher(
  22. vm,
  23. getter || noop,
  24. noop,
  25. computedWatcherOptions
  26. )
  27. }
  28. // component-defined computed properties are already defined on the
  29. // component prototype. We only need to define computed properties defined
  30. // at instantiation here.
  31. // 因為沒有被代理, computed屬性是不能通過vm.xx獲得的, 如果可以獲得說明重復(fù)定義, 拋出異常.
  32. if (!(key in vm)) {
  33. defineComputed(vm, key, userDef)
  34. } else if (process.env.NODE_ENV !== "production") {
  35. if (key in vm.$data) {
  36. warn(`The computed property "${key}" is already defined in data.`, vm)
  37. } else if (vm.$options.props && key in vm.$options.props) {
  38. warn(`The computed property "${key}" is already defined as a prop.`, vm)
  39. }
  40. }
  41. }
  42. }

已注釋, 總結(jié)為:

遍歷每個computed鍵值, 過濾錯誤語法.

遍歷每個computed鍵值, 為他們建立watcher, options為{ lazy: true}.

遍歷每個computed鍵值, 調(diào)用defineComputed.

那么繼續(xù)看defineComputed.

</>復(fù)制代碼

  1. export function defineComputed (
  2. target: any,
  3. key: string,
  4. userDef: Object | Function
  5. ) {
  6. const shouldCache = !isServerRendering()
  7. // 因為computed除了function還有g(shù)et set 字段的語法, 下面的代碼是做api的兼容
  8. if (typeof userDef === "function") {
  9. sharedPropertyDefinition.get = shouldCache
  10. ? createComputedGetter(key)
  11. : userDef
  12. sharedPropertyDefinition.set = noop
  13. } else {
  14. sharedPropertyDefinition.get = userDef.get
  15. ? shouldCache && userDef.cache !== false
  16. ? createComputedGetter(key)
  17. : userDef.get
  18. : noop
  19. sharedPropertyDefinition.set = userDef.set
  20. ? userDef.set
  21. : noop
  22. }
  23. // 除非設(shè)置setter, computed屬性是不能被修改的, 拋出異常 (evan說改變了自由哲學(xué), 要控制低級用戶)
  24. if (process.env.NODE_ENV !== "production" &&
  25. sharedPropertyDefinition.set === noop) {
  26. sharedPropertyDefinition.set = function () {
  27. warn(
  28. `Computed property "${key}" was assigned to but it has no setter.`,
  29. this
  30. )
  31. }
  32. }
  33. // 其實核心就下面這步... 上面步驟的作用是和data一樣添加一個getter, 增加append動作. 現(xiàn)在通過vm.xxx可以獲取到computed屬性啦!
  34. Object.defineProperty(target, key, sharedPropertyDefinition)
  35. }
  36. function createComputedGetter (key) {
  37. return function computedGetter () {
  38. const watcher = this._computedWatchers && this._computedWatchers[key]
  39. if (watcher) {
  40. if (watcher.dirty) {
  41. watcher.evaluate()
  42. }
  43. if (Dep.target) {
  44. watcher.depend()
  45. }
  46. return watcher.value
  47. }
  48. }
  49. }

因為computed可以設(shè)置getter, setter, 所以computed的值不一定是function, 可以為set和get的function, 很大部分代碼是做這些處理, 核心的事情有2件:

使用Object.defineProperty在vm上掛載computed屬性.

為屬性設(shè)置getter, getter做了和data一樣的事: depend. 但是多了一步: watcher.evalueate().

看到這里, computed注冊核心一共做了兩件事:

為每個computed建立watcher(lazy: true)

建立一個getter來depend, 并掛到vm上.

那么dirty成了疑問, 我們回到watcher的代碼中去看, lazy和dirty和evaluate是干什么的.

精選相關(guān)代碼:

(構(gòu)造函數(shù)中) this.dirty = this.lazy

(構(gòu)造函數(shù)中) this.value = this.lazy ? undefined : this.get()

(evaluate函數(shù))

</>復(fù)制代碼

  1. evaluate () {
  2. this.value = this.get()
  3. this.dirty = false
  4. }

到這里已經(jīng)很清楚了. 因為還沒設(shè)置getter, 所以在建立watcher的時候不立即調(diào)用getter, 所以構(gòu)造函數(shù)沒有馬上調(diào)用get, 在設(shè)置好getter以后調(diào)用evaluate來進行依賴注冊.

總結(jié): computed是watch+把屬性掛到vm上的行為組合.

原文地址

文章版權(quán)歸作者所有,未經(jīng)允許請勿轉(zhuǎn)載,若此文章存在違規(guī)行為,您可以聯(lián)系管理員刪除。

轉(zhuǎn)載請注明本文地址:http://m.specialneedsforspecialkids.com/yun/90380.html

相關(guān)文章

  • vue源碼分析系列響應(yīng)數(shù)據(jù)(一)

    摘要:代碼初始化部分一個的時候做了什么當我們一個時,實際上執(zhí)行了的構(gòu)造函數(shù),這個構(gòu)造函數(shù)內(nèi)部掛載了很多方法,可以在我的上一篇文章中看到。合并構(gòu)造函數(shù)上掛載的與當前傳入的非生產(chǎn)環(huán)境,包裝實例本身,在后期渲染時候,做一些校驗提示輸出。 概述 在使用vue的時候,data,computed,watch是一些經(jīng)常用到的概念,那么他們是怎么實現(xiàn)的呢,讓我們從一個小demo開始分析一下它的流程。 dem...

    liujs 評論0 收藏0
  • vue源碼分析系列響應(yīng)數(shù)據(jù)(四)

    摘要:執(zhí)行當時傳入的回調(diào),并將新值與舊值一并傳入。文章鏈接源碼分析系列源碼分析系列之環(huán)境搭建源碼分析系列之入口文件分析源碼分析系列之響應(yīng)式數(shù)據(jù)一源碼分析系列之響應(yīng)式數(shù)據(jù)二源碼分析系列之響應(yīng)式數(shù)據(jù)三 前言 上一節(jié)著重講述了initComputed中的代碼,以及數(shù)據(jù)是如何從computed中到視圖層的,以及data修改后如何作用于computed。這一節(jié)主要記錄initWatcher中的內(nèi)容。 ...

    GHOST_349178 評論0 收藏0
  • Vue原理】Props - 源碼

    寫文章不容易,點個贊唄兄弟專注 Vue 源碼分享,文章分為白話版和 源碼版,白話版助于理解工作原理,源碼版助于了解內(nèi)部詳情,讓我們一起學(xué)習(xí)吧研究基于 Vue版本 【2.5.17】 如果你覺得排版難看,請點擊 下面鏈接 或者 拉到 下面關(guān)注公眾號也可以吧 【Vue原理】Props - 源碼版 今天記錄 Props 源碼流程,哎,這東西,就算是研究過了,也真是會隨著時間慢慢忘記的。 幸好我做...

    light 評論0 收藏0
  • Vue原理】依賴收集 - 源碼基本數(shù)據(jù)類型

    摘要:當東西發(fā)售時,就會打你的電話通知你,讓你來領(lǐng)取完成更新。其中涉及的幾個步驟,按上面的例子來轉(zhuǎn)化一下你買東西,就是你要使用數(shù)據(jù)你把電話給老板,電話就是你的,用于通知老板記下電話在電話本,就是把保存在中。剩下的步驟屬于依賴更新 寫文章不容易,點個贊唄兄弟專注 Vue 源碼分享,文章分為白話版和 源碼版,白話版助于理解工作原理,源碼版助于了解內(nèi)部詳情,讓我們一起學(xué)習(xí)吧研究基于 Vue版本 【...

    VincentFF 評論0 收藏0
  • 關(guān)于Vue2一些值得推薦的文章 -- 五、六月份

    摘要:五六月份推薦集合查看最新的請點擊集前端最近很火的框架資源定時更新,歡迎一下。蘇幕遮燎沈香宋周邦彥燎沈香,消溽暑。鳥雀呼晴,侵曉窺檐語。葉上初陽乾宿雨,水面清圓,一一風荷舉。家住吳門,久作長安旅。五月漁郎相憶否。小楫輕舟,夢入芙蓉浦。 五、六月份推薦集合 查看github最新的Vue weekly;請::點擊::集web前端最近很火的vue2框架資源;定時更新,歡迎 Star 一下。 蘇...

    sutaking 評論0 收藏0

發(fā)表評論

0條評論

最新活動
閱讀需要支付1元查看
<