vue3-yuanma/packages/observer/src/computed.ts

56 lines
1.5 KiB
TypeScript
Raw Normal View History

2018-11-14 00:03:35 +08:00
import { effect } from './index'
import { ReactiveEffect, activeReactiveEffectStack } from './effect'
2019-05-29 18:44:50 +08:00
import { knownValues } from './value'
2018-09-19 23:35:38 +08:00
2019-05-29 18:44:50 +08:00
export interface ComputedValue<T> {
readonly value: T
readonly effect: ReactiveEffect
2018-09-19 23:35:38 +08:00
}
export function computed<T, C = null>(
getter: (this: C, ctx: C) => T,
context?: C
2019-05-29 18:44:50 +08:00
): ComputedValue<T> {
2018-09-19 23:35:38 +08:00
let dirty: boolean = true
let value: any = undefined
2018-11-14 00:03:35 +08:00
const runner = effect(() => getter.call(context, context), {
2018-09-19 23:35:38 +08:00
lazy: true,
2019-05-29 23:44:59 +08:00
// mark effect as computed so that it gets priority during trigger
computed: true,
2018-09-19 23:35:38 +08:00
scheduler: () => {
dirty = true
}
})
2019-05-29 18:44:50 +08:00
const computedValue = {
// expose effect so computed can be stopped
effect: runner,
get value() {
if (dirty) {
value = runner()
dirty = false
}
// When computed effects are accessed in a parent effect, the parent
// should track all the dependencies the computed property has tracked.
// This should also apply for chained computed properties.
trackChildRun(runner)
return value
}
}
knownValues.add(computedValue)
return computedValue
2018-09-19 23:35:38 +08:00
}
2018-11-14 00:03:35 +08:00
function trackChildRun(childRunner: ReactiveEffect) {
const parentRunner =
activeReactiveEffectStack[activeReactiveEffectStack.length - 1]
2018-09-19 23:35:38 +08:00
if (parentRunner) {
for (let i = 0; i < childRunner.deps.length; i++) {
const dep = childRunner.deps[i]
if (!dep.has(parentRunner)) {
dep.add(parentRunner)
parentRunner.deps.push(dep)
}
}
}
}