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

88 lines
2.2 KiB
TypeScript
Raw Normal View History

2019-10-17 03:12:57 +00:00
import { effect, ReactiveEffect, effectStack } from './effect'
import { Ref, UnwrapRef } from './ref'
import { isFunction, NOOP } from '@vue/shared'
2018-09-19 15:35:38 +00:00
export interface ComputedRef<T = any> extends WritableComputedRef<T> {
readonly value: UnwrapRef<T>
2018-09-19 15:35:38 +00:00
}
2019-10-05 14:10:37 +00:00
export interface WritableComputedRef<T> extends Ref<T> {
readonly effect: ReactiveEffect<T>
}
2019-10-21 17:57:20 +00:00
export type ComputedGetter<T> = () => T
export type ComputedSetter<T> = (v: T) => void
export interface WritableComputedOptions<T> {
2019-10-21 17:57:20 +00:00
get: ComputedGetter<T>
set: ComputedSetter<T>
}
2019-10-21 17:57:20 +00:00
export function computed<T>(getter: ComputedGetter<T>): ComputedRef<T>
2019-06-06 04:35:49 +00:00
export function computed<T>(
options: WritableComputedOptions<T>
): WritableComputedRef<T>
export function computed<T>(
2019-10-21 17:57:20 +00:00
getterOrOptions: ComputedGetter<T> | WritableComputedOptions<T>
2019-10-22 15:26:48 +00:00
) {
let getter: ComputedGetter<T>
let setter: ComputedSetter<T>
if (isFunction(getterOrOptions)) {
getter = getterOrOptions
setter = __DEV__
? () => {
console.warn('Write operation failed: computed value is readonly')
}
: NOOP
} else {
getter = getterOrOptions.get
setter = getterOrOptions.set
}
let dirty = true
let value: T
2019-06-06 04:35:49 +00:00
const runner = effect(getter, {
2018-09-19 15:35:38 +00:00
lazy: true,
2019-05-29 15:44:59 +00:00
// mark effect as computed so that it gets priority during trigger
computed: true,
2018-09-19 15:35:38 +00:00
scheduler: () => {
dirty = true
}
})
return {
_isRef: true,
2019-05-29 10:44:50 +00:00
// 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
2019-06-06 04:35:49 +00:00
},
set value(newValue: T) {
setter(newValue)
2019-05-29 10:44:50 +00:00
}
}
2018-09-19 15:35:38 +00:00
}
2018-11-13 16:03:35 +00:00
function trackChildRun(childRunner: ReactiveEffect) {
2019-10-17 03:12:57 +00:00
if (effectStack.length === 0) {
return
}
const parentRunner = effectStack[effectStack.length - 1]
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)
2018-09-19 15:35:38 +00:00
}
}
}