# # Make a map and return a function for checking if a key # is in that map. # IMPORTANT: all calls of this function must be prefixed with # \/\*#\_\_PURE\_\_\*\/ # So that rollup can tree-shake them if necessary. # # 这个方法是干嘛用的注释写的很清楚了,很显然这是一个闭包,返回的函数是用来判断# key是否存在map中,在调用方法时要在前片加例子中的pure 让rollup能够tree-shake exportfunction makeMap( str: string, expectsLowerCase?: boolean ): (key: string) => boolean { const map: Record<string, boolean> = Object.create(null) const list: Array<string> = str.split(',') for (let i = 0; i < list.length; i++) { map[list[i]] = true } return expectsLowerCase ? val => !!map[val.toLowerCase()] : val => !!map[val] }
# 浅拷贝,只有第一层的数据才是响应式 # Return a reactive-copy of the original object, where only the root level # properties are reactive, and does NOT unwrap refs nor recursively convert # returned properties. exportfunction shallowReactive<T extends object>(target: T): T { return createReactiveObject( target, false, shallowReactiveHandlers, shallowCollectionHandlers ) }
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15
# 浅只读,不会对ref解套 # Return a reactive-copy of the original object, where only the root level # properties are readonly, and does NOT unwrap refs nor recursively convert # returned properties. # This is used for creating the props proxy object for stateful components. exportfunction shallowReadonly<T extends object>( target: T ): Readonly<{ [K in keyof T]: UnwrapNestedRefs<T[K]> }> { return createReactiveObject( target, true, shallowReadonlyHandlers, readonlyCollectionHandlers ) }
baseHandler
导入方法
1 2 3 4 5 6 7 8 9 10 11 12
import { reactive, readonly, toRaw, ReactiveFlags } from './reactive' import { TrackOpTypes, TriggerOpTypes } from './operations' import { track, trigger, ITERATE_KEY } from './effect' import { isObject, hasOwn, isSymbol, hasChanged, isArray, extend } from '@vue/shared' import { isRef } from './ref'
获取Symbol的属性名
1 2 3 4 5
const builtInSymbols = new Set( Object.getOwnPropertyNames(Symbol) .map(key => (Symbol as any)[key]) .filter(isSymbol) )
对数组的这三个方法插桩,看的时候有个问题,为什么有个条件分支是res === -1 || res === false的时候继续执行,什么情况下会进入这个分支?
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
const arrayInstrumentations: Record<string, Function> = {} ;['includes', 'indexOf', 'lastIndexOf'].forEach(key => { arrayInstrumentations[key] = function(...args: any[]): any { const arr = toRaw(this) as any for (let i = 0, l = (this as any).length; i < l; i++) { track(arr, TrackOpTypes.GET, i + '') } ## we run the method using the original args first (which may be reactive) ## console.log(key,...args) const res = arr[key](...args) if (res === -1 || res === false) { ## if that didn't work, run it again using raw values. return arr[key](...args.map(toRaw)) } else { return res } ## return res } })
把 if 的条件分支注释,只留下return res这个分支,然后跑单测,发现 reactiveArray.spec.ts 这个测试文件的测试用例× Array identity methods should work with raw values (16 ms)测试不通过。发现是在这里的时候不能测试通过
1 2 3 4 5 6 7
const raw = {} const arr = reactive([{}, {}]) arr.push(raw) ## 省略其他代码 # should work also for the observed version const observed = arr[2] expect(arr.indexOf(observed)).toBe(2)
然后将测试不通过代码拷贝到 vite 的 app 中进行调试,发现是 observed 这个值不再是跟 raw 一样的{},猜测是劫持了数组的 get 方法并且对返回值进行了修改。然后进入到createGetter这个方法,其中有个逻辑,如果参数是对象,那么就要转成响应式对象。
1 2 3 4 5 6
if (isObject(res)) { # Convert returned value into a proxy as well. we do the isObject check # here to avoid invalid value warning. Also need to lazy access readonly # and reactive here to avoid circular dependency. return isReadonly ? readonly(res) : reactive(res); }
if ( isSymbol(key) ? builtInSymbols.has(key) : key === `__proto__` || key === `__v_isRef` ) { return res }
if (!isReadonly) { track(target, TrackOpTypes.GET, key) }
if (shallow) { return res }
if (isRef(res)) { # ref unwrapping, only for Objects, not for Arrays # 对于ref的解套,仅仅针对object,不针对数组. return targetIsArray ? res : res.value }
if (isObject(res)) { # Convert returned value into a proxy as well. we do the isObject check # here to avoid invalid value warning. Also need to lazy access readonly # and reactive here to avoid circular dependency. return isReadonly ? readonly(res) : reactive(res) }
return res } }
先看这个,老样子,先注释,跑单测,看结果
1 2 3
if (key === ReactiveFlags.IS_REACTIVE) { return !isReadonly }
结果: 可以看到是reactivity/reactive/Array › should make Array reactive这个测试用例中的某个用例出现了问题,来看具体问题代码
['includes', 'indexOf', 'lastIndexOf'].forEach(key => { arrayInstrumentations[key] = function (...args) { # 1 这里需要获取当前数组的原始数据,然后会在this中访问__v_raw属性,接着就进入劫持的get方法 const arr = toRaw(this); for (let i = 0, l = this.length; i < l; i++) { track(arr, "get" /* GET */, i + ''); } # we run the method using the original args first (which may be reactive) # 2 const res = arr[key](...args); if (res === -1 || res === false) { # if that didn't work, run it again using raw values. return arr[key](...args.map(toRaw)); } else { return res; } }; });
# 收集 触发依赖 import { track, trigger } from './effect' # 枚举类型 import { TrackOpTypes, TriggerOpTypes } from './operations' # 通用方法 import { isObject, hasChanged } from '@vue/shared' import { reactive, isProxy, toRaw } from './reactive' import { CollectionTypes } from './collectionHandlers'
要定义一个独一无二的字段 Symbol 类型,并且不想让 ide 识别出来
1 2 3 4 5 6 7 8 9 10 11
declare const RefSymbol: unique symbol export interface Ref<T = any> { # #Type differentiator only. #We need this to be in public d.ts but don't want it to show up in IDE #autocomplete, so we use a private Symbol instead. # [RefSymbol]: true value: T }
exportfunction toRefs<T extends object>(object: T): ToRefs<T> { if (__DEV__ && !isProxy(object)) { console.warn(`toRefs() expects a reactive object but received a plain one.`) } const ret: any = {} for (const key in object) { ret[key] = toRef(object, key) } return ret }
exportfunction toRef<T extends object, K extends keyof T>( object: T, key: K ): Ref<T[K]> { return { __v_isRef: true, get value(): any { return object[key] }, set value(newVal) { object[key] = newVal } } as any }
export interface RefUnwrapBailTypes {} # 首先如果T是Ref类型的,那么把ref类型里面推断的数据类型作为类型传递给UnwrapRefSimple exporttype UnwrapRef<T> = T extends Ref<infer V> ? UnwrapRefSimple<V> : UnwrapRefSimple<T> # 然后UnwrapRefSimple根据传进来的类型来决定返回什么类型 type UnwrapRefSimple<T> = T extends | Function | CollectionTypes | BaseTypes | Ref | RefUnwrapBailTypes[keyof RefUnwrapBailTypes] ? T : T extends Array<any> ? { [K in keyof T]: UnwrapRefSimple<T[K]> } : T extends object ? UnwrappedObject<T> : T
这里的 T[P]要用 UnwrapRef 嵌套应该是要考虑对象中有 ref 的情况
1
type UnwrappedObject<T> = { [P in keyof T]: UnwrapRef<T[P]> } & SymbolExtract<T>
effect
1 2 3 4 5
# 两个枚举 import { TrackOpTypes, TriggerOpTypes } from './operations' # 两个工具方法 import { EMPTY_OBJ, isArray } from '@vue/shared'
储存依赖
1 2 3 4 5 6 7
# The main WeakMap that stores {target -> key -> dep} connections. # Conceptually, it's easier to think of a dependency as a Dep class # which maintains a Set of subscribers, but we simply store them as # raw Sets to reduce memory overhead. type Dep = Set<ReactiveEffect> type KeyToDepMap = Map<any, Dep> const targetMap = new WeakMap<any, KeyToDepMap>()
const effects = new Set<ReactiveEffect>() const add = (effectsToAdd: Set<ReactiveEffect> | undefined) => { if (effectsToAdd) { effectsToAdd.forEach(effect => { # 判断是否需要收集依赖或者effect是否重复 if (effect !== activeEffect || !shouldTrack) { effects.add(effect) } else { # the effect mutated its own dependency during its execution. # this can be caused by operations like foo.value++ # do not trigger or we end in an infinite loop } }) } }
if (type === TriggerOpTypes.CLEAR) { # collection being cleared # trigger all effects for target depsMap.forEach(add) } elseif (key === 'length' && isArray(target)) { depsMap.forEach((dep, key) => { if (key === 'length' || key >= (newValue as number)) { add(dep) } }) } else { # schedule runs for SET | ADD | DELETE if (key !== void 0) { add(depsMap.get(key)) } #如果是增加或者删除数据的行为,还要再往相应队列中增加监听函数 # also run for iteration key on ADD | DELETE | Map.SET const isAddOrDelete = type === TriggerOpTypes.ADD || (type === TriggerOpTypes.DELETE && !isArray(target)) # 这个逻辑需要什么时候走到,比如对数据进行push操作时,劫持的key其实是length,此时的key确实不是0,但是depsMap.get(0)其实是为空的 # 而depsMap.get('length')才是真的有相应effect,所以需要补充第二个逻辑 # 假如第一个逻辑和第二个逻辑都执行了,那还是只会执行一次effect的 # 理由是add中的effects这是一个set结构,自动去重 if ( isAddOrDelete || (type === TriggerOpTypes.SET && target instanceof Map) ) { #如果原始数据是数组,则key为length,否则为迭代行为标识符 add(depsMap.get(isArray(target) ? 'length' : ITERATE_KEY)) } if (isAddOrDelete && target instanceof Map) { add(depsMap.get(MAP_KEY_ITERATE_KEY)) } }
// expose effect so computed can be stopped effect: runner, get value() { # 跑单测可以发现这个是为了防止重复计算的。 if (dirty) { value = runner() dirty = false } # 收集依赖 track(computed, TrackOpTypes.GET, 'value') return value }, set value(newValue: T) { setter(newValue) } } as any return computed }