溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點(diǎn)擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

Vue3 computed和watch源碼分析

發(fā)布時(shí)間:2023-03-28 15:21:19 來源:億速云 閱讀:126 作者:iii 欄目:開發(fā)技術(shù)

這篇文章主要介紹“Vue3 computed和watch源碼分析”的相關(guān)知識(shí),小編通過實(shí)際案例向大家展示操作過程,操作方法簡單快捷,實(shí)用性強(qiáng),希望這篇“Vue3 computed和watch源碼分析”文章能幫助大家解決問題。

    computed

    computed和watch在面試中經(jīng)常被問到他們的區(qū)別,那么我們就從源碼的實(shí)現(xiàn)來看看他們的具體實(shí)現(xiàn)

    // packages/reactivity/src/computed.ts
    export function computed<T>(
      getterOrOptions: ComputedGetter<T> | WritableComputedOptions<T>,
      debugOptions?: DebuggerOptions,
      isSSR = false
    ) {
      let getter: ComputedGetter<T>
      let setter: ComputedSetter<T>
      const onlyGetter = isFunction(getterOrOptions)
      if (onlyGetter) {
        getter = getterOrOptions
        setter = __DEV__
          ? () => {
              console.warn('Write operation failed: computed value is readonly')
            }
          : NOOP
      } else {
        getter = getterOrOptions.get
        setter = getterOrOptions.set
      }
      // new ComputedRefImpl
      const cRef = new ComputedRefImpl(getter, setter, onlyGetter || !setter, isSSR)
      if (__DEV__ && debugOptions && !isSSR) {
        cRef.effect.onTrack = debugOptions.onTrack
        cRef.effect.onTrigger = debugOptions.onTrigger
      }
      // 返回ComputedRefImpl實(shí)例
      return cRef as any
    }

    可以看到computed內(nèi)部只是先處理getter和setter,然后new一個(gè)ComputedRefImpl返回,如果你知道ref API的實(shí)現(xiàn),可以發(fā)現(xiàn)他們的實(shí)現(xiàn)有很多相同之處

    ComputedRefImpl

    // packages/reactivity/src/computed.ts
    export class ComputedRefImpl<T> {
      public dep?: Dep = undefined // 存儲(chǔ)effect的集合
      private _value!: T
      public readonly effect: ReactiveEffect<T>
      public readonly __v_isRef = true
      public readonly [ReactiveFlags.IS_READONLY]: boolean = false
      public _dirty = true // 是否需要重新更新value
      public _cacheable: boolean
      constructor(
        getter: ComputedGetter<T>,
        private readonly _setter: ComputedSetter<T>,
        isReadonly: boolean,
        isSSR: boolean
      ) {
        // 創(chuàng)建effect
        this.effect = new ReactiveEffect(getter, () => {
          // 調(diào)度器執(zhí)行 重新賦值_dirty為true
          if (!this._dirty) {
            this._dirty = true
            // 觸發(fā)effect
            triggerRefValue(this)
          }
        })
        // 用于區(qū)分effect是否是computed
        this.effect.computed = this
        this.effect.active = this._cacheable = !isSSR
        this[ReactiveFlags.IS_READONLY] = isReadonly
      }
      get value() {
        // the computed ref may get wrapped by other proxies e.g. readonly() #3376
        // computed ref可能被其他代理包裝,例如readonly() #3376
        // 通過toRaw()獲取原始值
        const self = toRaw(this)
        // 收集effect
        trackRefValue(self)
        // 如果是臟的,重新執(zhí)行effect.run(),并且將_dirty設(shè)置為false
        if (self._dirty || !self._cacheable) {
          self._dirty = false
          // run()方法會(huì)執(zhí)行g(shù)etter方法 值會(huì)被緩存到self._value
          self._value = self.effect.run()!
        }
        return self._value
      }
      set value(newValue: T) {
        this._setter(newValue)
      }
    }

    可以看到ComputedRefImplget的get實(shí)現(xiàn)基本和ref的get相同(不熟悉ref實(shí)現(xiàn)的請看上一章),唯一的區(qū)別就是_dirty值的判斷,這也是我們常說的computed會(huì)緩存value,那么computed是如何知道value需要更新呢?

    可以看到在computed構(gòu)造函數(shù)中,會(huì)建立一個(gè)getter與其內(nèi)部響應(yīng)式數(shù)據(jù)的關(guān)系,這跟我們組件更新函數(shù)跟響應(yīng)式數(shù)據(jù)建立關(guān)系是一樣的,所以與getter相關(guān)的響應(yīng)式數(shù)據(jù)發(fā)生修改的時(shí)候,就會(huì)觸發(fā)getter effect 對應(yīng)的scheduler,這里會(huì)將_dirty設(shè)置為true并去執(zhí)行收集到的effect(這里通常是執(zhí)行g(shù)et里收集到的函數(shù)更新的effect),然后就會(huì)去執(zhí)行函數(shù)更新函數(shù),里面會(huì)再次觸發(fā)computed的get,此時(shí)dirty已經(jīng)被置為true,就會(huì)重新執(zhí)行g(shù)etter獲取新的值返回,并將該值緩存到_vlaue。

    小結(jié):

    所以computed是有兩層的響應(yīng)式處理的,一層是computed.value和函數(shù)的effect之間的關(guān)系(與ref的實(shí)現(xiàn)相似),一層是computed的getter和響應(yīng)式數(shù)據(jù)的關(guān)系。

    注意:如果你足夠細(xì)心就會(huì)發(fā)現(xiàn)函數(shù)更新函數(shù)的effect觸發(fā)和computed getter的effect的觸發(fā)之間可能存在順序的問題。假如有一個(gè)響應(yīng)式數(shù)據(jù)a不僅存在于getter中,還在函數(shù)render中早于getter被訪問,此時(shí)a對應(yīng)的dep中更新函數(shù)的effect就會(huì)早于getter的effect被收集,如果此時(shí)a被改變,就會(huì)先執(zhí)行更新函數(shù)的effect,那么此時(shí)render函數(shù)訪問到computed.value的時(shí)候就會(huì)發(fā)現(xiàn)_dirty依然是false,因?yàn)間etter的effect還沒有被執(zhí)行,那么此時(shí)依然會(huì)是舊值。vue3中對此的處理是執(zhí)行effects的時(shí)候會(huì)優(yōu)先執(zhí)行computed對應(yīng)的effect(此前章節(jié)也有提到):

    // packages/reactivity/src/effect.ts
    export function triggerEffects(
      dep: Dep | ReactiveEffect[],
      debuggerEventExtraInfo?: DebuggerEventExtraInfo
    ) {
      // spread into array for stabilization
      const effects = isArray(dep) ? dep : [...dep]
      // computed的effect會(huì)先執(zhí)行
      // 防止render獲取computed值得時(shí)候_dirty還沒有置為true
      for (const effect of effects) {
        if (effect.computed) {
          triggerEffect(effect, debuggerEventExtraInfo)
        }
      }
      for (const effect of effects) {
        if (!effect.computed) {
          triggerEffect(effect, debuggerEventExtraInfo)
        }
      }
    }

    watch

    watch相對于computed要更簡單一些,因?yàn)樗挥媒etter與響應(yīng)式數(shù)據(jù)之間的關(guān)系,在響應(yīng)式數(shù)據(jù)變化時(shí)調(diào)用用戶傳過來的回調(diào)并將新舊值傳入即可

    // packages/runtime-core/src/apiWatch.ts
    export function watch<T = any, Immediate extends Readonly<boolean> = false>(
      source: T | WatchSource<T>,
      cb: any,
      options?: WatchOptions<Immediate>
    ): WatchStopHandle {
      if (__DEV__ && !isFunction(cb)) {
        warn(...)
      }
      // watch 具體實(shí)現(xiàn)
      return doWatch(source as any, cb, options)
    }
    function doWatch(
      source: WatchSource | WatchSource[] | WatchEffect | object,
      cb: WatchCallback | null,
      { immediate, deep, flush, onTrack, onTrigger }: WatchOptions = EMPTY_OBJ
    ): WatchStopHandle {
      if (__DEV__ && !cb) {
        ...
      }
      const warnInvalidSource = (s: unknown) => {
        warn(...)
      }
      const instance =
        getCurrentScope() === currentInstance?.scope ? currentInstance : null
      // const instance = currentInstance
      let getter: () => any
      let forceTrigger = false
      let isMultiSource = false
      // 根據(jù)不同source 創(chuàng)建不同的getter函數(shù)
      // getter 函數(shù)與computed的getter函數(shù)作用類似
      if (isRef(source)) {
        getter = () => source.value
        forceTrigger = isShallow(source)
      } else if (isReactive(source)) {
        // source是reactive對象時(shí) 自動(dòng)開啟deep=true
        getter = () => source
        deep = true
      } else if (isArray(source)) {
        isMultiSource = true
        forceTrigger = source.some(s => isReactive(s) || isShallow(s))
        getter = () =>
          source.map(s => {
            if (isRef(s)) {
              return s.value
            } else if (isReactive(s)) {
              return traverse(s)
            } else if (isFunction(s)) {
              return callWithErrorHandling(s, instance, ErrorCodes.WATCH_GETTER)
            } else {
              __DEV__ && warnInvalidSource(s)
            }
          })
      } else if (isFunction(source)) {
        if (cb) {
          // getter with cb
          getter = () =>
            callWithErrorHandling(source, instance, ErrorCodes.WATCH_GETTER)
        } else {
          // no cb -> simple effect
          getter = () => {
            if (instance && instance.isUnmounted) {
              return
            }
            if (cleanup) {
              cleanup()
            }
            return callWithAsyncErrorHandling(
              source,
              instance,
              ErrorCodes.WATCH_CALLBACK,
              [onCleanup]
            )
          }
        }
      } else {
        getter = NOOP
        __DEV__ && warnInvalidSource(source)
      }
      // 2.x array mutation watch compat
      // 兼容vue2
      if (__COMPAT__ && cb && !deep) {
        const baseGetter = getter
        getter = () => {
          const val = baseGetter()
          if (
            isArray(val) &&
            checkCompatEnabled(DeprecationTypes.WATCH_ARRAY, instance)
          ) {
            traverse(val)
          }
          return val
        }
      }
      // 深度監(jiān)聽
      if (cb && deep) {
        const baseGetter = getter
        // traverse會(huì)遞歸遍歷對象的所有屬性 以達(dá)到深度監(jiān)聽的目的
        getter = () => traverse(baseGetter())
      }
      let cleanup: () => void
      // watch回調(diào)的第三個(gè)參數(shù) 可以用此注冊一個(gè)cleanup函數(shù) 會(huì)在下一次watch cb調(diào)用前執(zhí)行
      // 常用于競態(tài)問題的處理
      let onCleanup: OnCleanup = (fn: () => void) => {
        cleanup = effect.onStop = () => {
          callWithErrorHandling(fn, instance, ErrorCodes.WATCH_CLEANUP)
        }
      }
      // in SSR there is no need to setup an actual effect, and it should be noop
      // unless it's eager or sync flush
      let ssrCleanup: (() => void)[] | undefined
      if (__SSR__ && isInSSRComponentSetup) {
        // ssr處理 ...
      }
      // oldValue 聲明 多個(gè)source監(jiān)聽則初始化為數(shù)組
      let oldValue: any = isMultiSource
        ? new Array((source as []).length).fill(INITIAL_WATCHER_VALUE)
        : INITIAL_WATCHER_VALUE
      // 調(diào)度器調(diào)用時(shí)執(zhí)行
      const job: SchedulerJob = () => {
        if (!effect.active) {
          return
        }
        if (cb) {
          // watch(source, cb)
          // 獲取newValue
          const newValue = effect.run()
          if (
            deep ||
            forceTrigger ||
            (isMultiSource
              ? (newValue as any[]).some((v, i) =>
                  hasChanged(v, (oldValue as any[])[i])
                )
              : hasChanged(newValue, oldValue)) ||
            (__COMPAT__ &&
              isArray(newValue) &&
              isCompatEnabled(DeprecationTypes.WATCH_ARRAY, instance))
          ) {
            // cleanup before running cb again
            if (cleanup) {
              // 執(zhí)行onCleanup傳過來的函數(shù)
              cleanup()
            }
            // 調(diào)用cb 參數(shù)為newValue、oldValue、onCleanup
            callWithAsyncErrorHandling(cb, instance, ErrorCodes.WATCH_CALLBACK, [
              newValue,
              // pass undefined as the old value when it's changed for the first time
              oldValue === INITIAL_WATCHER_VALUE
                ? undefined
                : isMultiSource && oldValue[0] === INITIAL_WATCHER_VALUE
                ? []
                : oldValue,
              onCleanup
            ])
            // 更新oldValue
            oldValue = newValue
          }
        } else {
          // watchEffect
          effect.run()
        }
      }
      // important: mark the job as a watcher callback so that scheduler knows
      // it is allowed to self-trigger (#1727)
      job.allowRecurse = !!cb
      let scheduler: EffectScheduler
      if (flush === 'sync') {
        // 同步更新 即每次響應(yīng)式數(shù)據(jù)改變都會(huì)回調(diào)一次cb 通常不使用
        scheduler = job as any // the scheduler function gets called directly
      } else if (flush === 'post') {
        // job放入pendingPostFlushCbs隊(duì)列中
        // pendingPostFlushCbs隊(duì)列會(huì)在queue隊(duì)列執(zhí)行完畢后執(zhí)行 函數(shù)更新effect通常會(huì)放在queue隊(duì)列中
        // 所以pendingPostFlushCbs隊(duì)列執(zhí)行時(shí)組件已經(jīng)更新完畢
        scheduler = () => queuePostRenderEffect(job, instance && instance.suspense)
      } else {
        // default: 'pre'
        job.pre = true
        if (instance) job.id = instance.uid
        // 默認(rèn)異步更新 關(guān)于異步更新會(huì)和nextTick放在一起詳細(xì)講解
        scheduler = () => queueJob(job)
      }
      // 創(chuàng)建effect effect.run的時(shí)候建立effect與getter內(nèi)響應(yīng)式數(shù)據(jù)的關(guān)系
      const effect = new ReactiveEffect(getter, scheduler)
      if (__DEV__) {
        effect.onTrack = onTrack
        effect.onTrigger = onTrigger
      }
      // initial run
      if (cb) {
        if (immediate) {
          // 立馬執(zhí)行一次job
          job()
        } else {
          // 否則執(zhí)行effect.run() 會(huì)執(zhí)行g(shù)etter 獲取oldValue
          oldValue = effect.run()
        }
      } else if (flush === 'post') {
        queuePostRenderEffect(
          effect.run.bind(effect),
          instance && instance.suspense
        )
      } else {
        effect.run()
      }
      // 返回一個(gè)取消監(jiān)聽的函數(shù)
      const unwatch = () => {
        effect.stop()
        if (instance && instance.scope) {
          remove(instance.scope.effects!, effect)
        }
      }
      if (__SSR__ && ssrCleanup) ssrCleanup.push(unwatch)
      return unwatch
    }

    關(guān)于“Vue3 computed和watch源碼分析”的內(nèi)容就介紹到這里了,感謝大家的閱讀。如果想了解更多行業(yè)相關(guān)的知識(shí),可以關(guān)注億速云行業(yè)資訊頻道,小編每天都會(huì)為大家更新不同的知識(shí)點(diǎn)。

    向AI問一下細(xì)節(jié)

    免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

    AI