theatre/packages/dataverse/src/derivations/prism/prism.ts

665 lines
18 KiB
TypeScript
Raw Normal View History

2021-06-18 13:05:06 +02:00
import Box from '../../Box'
import type Ticker from '../../Ticker'
2021-06-18 13:05:06 +02:00
import type {$IntentionalAny, VoidFn} from '../../types'
import Stack from '../../utils/Stack'
import type Tappable from '../../utils/Tappable'
import DerivationEmitter from '../DerivationEmitter'
import DerivationValuelessEmitter from '../DerivationValuelessEmitter'
2021-06-18 13:05:06 +02:00
import type {IDerivation} from '../IDerivation'
import {isDerivation} from '../IDerivation'
2021-06-18 13:05:06 +02:00
import {
startIgnoringDependencies,
stopIgnoringDependencies,
pushCollector,
popCollector,
reportResolutionStart,
reportResolutionEnd,
2021-06-18 13:05:06 +02:00
} from './discoveryMechanism'
type IDependent = (msgComingFrom: IDerivation<$IntentionalAny>) => void
2021-06-18 13:05:06 +02:00
const voidFn = () => {}
export class PrismDerivation<V> implements IDerivation<V> {
2021-06-18 13:05:06 +02:00
protected _cacheOfDendencyValues: Map<IDerivation<unknown>, unknown> =
new Map()
protected _possiblyStaleDeps = new Set<IDerivation<unknown>>()
private _prismScope = new PrismScope()
/**
* Whether the object is a derivation.
*/
readonly isDerivation: true = true
private _didMarkDependentsAsStale: boolean = false
private _isHot: boolean = false
private _isFresh: boolean = false
/**
* @internal
*/
protected _lastValue: undefined | V = undefined
/**
* @internal
*/
protected _dependents: Set<IDependent> = new Set()
/**
* @internal
*/
protected _dependencies: Set<IDerivation<$IntentionalAny>> = new Set()
constructor(readonly _fn: () => V) {}
/**
* Whether the derivation is hot.
*/
get isHot(): boolean {
return this._isHot
}
/**
* @internal
*/
protected _addDependency(d: IDerivation<$IntentionalAny>) {
if (this._dependencies.has(d)) return
this._dependencies.add(d)
if (this._isHot) d.addDependent(this._markAsStale)
}
/**
* @internal
*/
protected _removeDependency(d: IDerivation<$IntentionalAny>) {
if (!this._dependencies.has(d)) return
this._dependencies.delete(d)
if (this._isHot) d.removeDependent(this._markAsStale)
}
/**
* Returns a `Tappable` of the changes of this derivation.
*/
changes(ticker: Ticker): Tappable<V> {
return new DerivationEmitter(this, ticker).tappable()
}
/**
* Like {@link AbstractDerivation.changes} but with a different performance model. `changesWithoutValues` returns a `Tappable` that
* updates every time the derivation is updated, even if the value didn't change, and the callback is called without
* the value. The advantage of this is that you have control over when the derivation is freshened, it won't
* automatically be kept fresh.
*/
changesWithoutValues(): Tappable<void> {
return new DerivationValuelessEmitter(this).tappable()
}
/**
* Keep the derivation hot, even if there are no tappers (subscribers).
*/
keepHot() {
return this.changesWithoutValues().tap(() => {})
}
/**
* Convenience method that taps (subscribes to) the derivation using `this.changes(ticker).tap(fn)` and immediately calls
* the callback with the current value.
*
* @param ticker - The ticker to use for batching.
* @param fn - The callback to call on update.
*
* @see changes
*/
tapImmediate(ticker: Ticker, fn: (cb: V) => void): VoidFn {
const untap = this.changes(ticker).tap(fn)
fn(this.getValue())
return untap
}
/**
* Add a derivation as a dependent of this derivation.
*
* @param d - The derivation to be made a dependent of this derivation.
*
* @see removeDependent
*/
// TODO: document this better, what are dependents?
addDependent(d: IDependent) {
const hadDepsBefore = this._dependents.size > 0
this._dependents.add(d)
const hasDepsNow = this._dependents.size > 0
if (hadDepsBefore !== hasDepsNow) {
this._reactToNumberOfDependentsChange()
}
}
/**
* Remove a derivation as a dependent of this derivation.
*
* @param d - The derivation to be removed from as a dependent of this derivation.
*
* @see addDependent
*/
removeDependent(d: IDependent) {
const hadDepsBefore = this._dependents.size > 0
this._dependents.delete(d)
const hasDepsNow = this._dependents.size > 0
if (hadDepsBefore !== hasDepsNow) {
this._reactToNumberOfDependentsChange()
}
}
protected _markAsStale = (which: IDerivation<$IntentionalAny>) => {
this._reactToDependencyBecomingStale(which)
if (this._didMarkDependentsAsStale) return
this._didMarkDependentsAsStale = true
this._isFresh = false
for (const dependent of this._dependents) {
dependent(this)
}
}
/**
* Gets the current value of the derivation. If the value is stale, it causes the derivation to freshen.
*/
getValue(): V {
/**
* TODO We should prevent (or warn about) a common mistake users make, which is reading the value of
* a derivation in the body of a react component (e.g. `der.getValue()` (often via `val()`) instead of `useVal()`
* or `uesPrism()`).
*
* Although that's the most common example of this mistake, you can also find it outside of react components.
* Basically the user runs `der.getValue()` assuming the read is detected by a wrapping prism when it's not.
*
* Sometiems the derivation isn't even hot when the user assumes it is.
*
* We can fix this type of mistake by:
* 1. Warning the user when they call `getValue()` on a cold derivation.
* 2. Warning the user about calling `getValue()` on a hot-but-stale derivation
* if `getValue()` isn't called by a known mechanism like a `DerivationEmitter`.
*
* Design constraints:
* - This fix should not have a perf-penalty in production. Perhaps use a global flag + `process.env.NODE_ENV !== 'production'`
* to enable it.
* - In the case of `DerivationValuelessEmitter`, we don't control when the user calls
* `getValue()` (as opposed to `DerivationEmitter` which calls `getValue()` directly).
* Perhaps we can disable the check in that case.
* - Probably the best place to add this check is right here in this method plus some changes to `reportResulutionStart()`,
* which would have to be changed to let the caller know if there is an actual collector (a prism)
* present in its stack.
*/
reportResolutionStart(this)
if (!this._isFresh) {
const newValue = this._recalculate()
this._lastValue = newValue
if (this._isHot) {
this._isFresh = true
this._didMarkDependentsAsStale = false
}
}
reportResolutionEnd(this)
return this._lastValue!
}
private _reactToNumberOfDependentsChange() {
const shouldBecomeHot = this._dependents.size > 0
if (shouldBecomeHot === this._isHot) return
this._isHot = shouldBecomeHot
this._didMarkDependentsAsStale = false
this._isFresh = false
if (shouldBecomeHot) {
for (const d of this._dependencies) {
d.addDependent(this._markAsStale)
}
this._keepHot()
} else {
for (const d of this._dependencies) {
d.removeDependent(this._markAsStale)
}
this._becomeCold()
}
}
/**
* A simple mapping function similar to Array.map()
*
* @deprecated This is a remnant of the old monadic api. Now it's functionally equal to `prism(() => fn(der.getValue()))`, so use that instead.
*/
map<T>(fn: (v: V) => T): IDerivation<T> {
console.log('map')
return prism(() => fn(this.getValue()))
}
/**
* Same as {@link AbstractDerivation.map}, but the mapping function can also return a derivation, in which case the derivation returned
* by `flatMap` takes the value of that derivation.
*
* @deprecated This is a remnant of the old monadic api. Now it's functionally equal to `prism(() => val(fn(val(der))))`
*
* @example
* ```ts
* // Simply using map() here would return the inner derivation when we call getValue()
* new Box(3).derivation.map((value) => new Box(value).derivation).getValue()
*
* // Using flatMap() eliminates the inner derivation
* new Box(3).derivation.flatMap((value) => new Box(value).derivation).getValue()
* ```
*
* @param fn - The mapping function to use. Note: it accepts a plain value, not a derivation.
*/
flatMap<R>(
fn: (v: V) => R,
): IDerivation<R extends IDerivation<infer T> ? T : R> {
console.log('flatMap')
return prism(() => {
return possibleDerivationToValue(fn(this.getValue()))
})
2021-06-18 13:05:06 +02:00
}
_recalculate() {
let value: V
if (this._possiblyStaleDeps.size > 0) {
let anActuallyStaleDepWasFound = false
startIgnoringDependencies()
for (const dep of this._possiblyStaleDeps) {
if (this._cacheOfDendencyValues.get(dep) !== dep.getValue()) {
anActuallyStaleDepWasFound = true
break
}
}
stopIgnoringDependencies()
this._possiblyStaleDeps.clear()
if (!anActuallyStaleDepWasFound) {
// console.log('ok')
return this._lastValue!
}
}
const newDeps: Set<IDerivation<unknown>> = new Set()
this._cacheOfDendencyValues.clear()
const collector = (observedDep: IDerivation<unknown>): void => {
newDeps.add(observedDep)
this._addDependency(observedDep)
}
pushCollector(collector)
hookScopeStack.push(this._prismScope)
try {
value = this._fn()
} catch (error) {
console.error(error)
} finally {
const topOfTheStack = hookScopeStack.pop()
if (topOfTheStack !== this._prismScope) {
console.warn(
// @todo guide the user to report the bug in an issue
`The Prism hook stack has slipped. This is a bug.`,
)
}
}
popCollector(collector)
2021-06-18 13:05:06 +02:00
for (const dep of this._dependencies) {
2021-06-18 13:05:06 +02:00
if (!newDeps.has(dep)) {
this._removeDependency(dep)
}
}
2021-06-18 13:05:06 +02:00
this._dependencies = newDeps
startIgnoringDependencies()
for (const dep of newDeps) {
2021-06-18 13:05:06 +02:00
this._cacheOfDendencyValues.set(dep, dep.getValue())
}
2021-06-18 13:05:06 +02:00
stopIgnoringDependencies()
return value!
}
_reactToDependencyBecomingStale(msgComingFrom: IDerivation<unknown>) {
this._possiblyStaleDeps.add(msgComingFrom)
}
_keepHot() {
this._prismScope = new PrismScope()
startIgnoringDependencies()
this.getValue()
stopIgnoringDependencies()
}
_becomeCold() {
cleanupScopeStack(this._prismScope)
this._prismScope = new PrismScope()
}
}
class PrismScope {
isPrismScope = true
// NOTE probably not a great idea to eager-allocate all of these objects/maps for every scope,
// especially because most wouldn't get used in the majority of cases. However, back when these
// were stored on weakmaps, they were uncomfortable to inspect in the debugger.
readonly subs: Record<string, PrismScope> = {}
readonly effects: Map<string, IEffect> = new Map()
readonly memos: Map<string, IMemo> = new Map()
readonly refs: Map<string, IRef<unknown>> = new Map()
2021-06-18 13:05:06 +02:00
sub(key: string) {
if (!this.subs[key]) {
this.subs[key] = new PrismScope()
2021-06-18 13:05:06 +02:00
}
return this.subs[key]
2021-06-18 13:05:06 +02:00
}
cleanupEffects() {
for (const effect of this.effects.values()) {
safelyRun(effect.cleanup, undefined)
}
this.effects.clear()
}
2021-06-18 13:05:06 +02:00
}
function cleanupScopeStack(scope: PrismScope) {
2022-04-30 15:19:47 +02:00
for (const sub of Object.values(scope.subs)) {
2021-06-18 13:05:06 +02:00
cleanupScopeStack(sub)
}
scope.cleanupEffects()
2021-06-18 13:05:06 +02:00
}
function safelyRun<T, U>(
fn: () => T,
returnValueInCaseOfError: U,
2022-04-30 15:19:47 +02:00
): {ok: true; value: T} | {ok: false; value: U} {
2021-06-18 13:05:06 +02:00
try {
2022-04-30 15:19:47 +02:00
return {value: fn(), ok: true}
2021-06-18 13:05:06 +02:00
} catch (error) {
2022-04-30 15:19:47 +02:00
// Naming this function can allow the error reporter additional context to the user on where this error came from
setTimeout(function PrismReportThrow() {
// ensure that the error gets reported, but does not crash the current execution scope
2021-06-18 13:05:06 +02:00
throw error
})
2022-04-30 15:19:47 +02:00
return {value: returnValueInCaseOfError, ok: false}
2021-06-18 13:05:06 +02:00
}
}
const hookScopeStack = new Stack<PrismScope>()
type IRef<T> = {
current: T
}
type IEffect = {
deps: undefined | unknown[]
cleanup: VoidFn
}
type IMemo = {
2021-07-14 18:37:32 +02:00
deps: undefined | unknown[] | ReadonlyArray<unknown>
2021-06-18 13:05:06 +02:00
cachedValue: unknown
}
function ref<T>(key: string, initialValue: T): IRef<T> {
const scope = hookScopeStack.peek()
if (!scope) {
throw new Error(`prism.ref() is called outside of a prism() call.`)
}
let ref = scope.refs.get(key)
2022-04-30 15:19:47 +02:00
if (ref !== undefined) {
return ref as $IntentionalAny as IRef<T>
2021-06-18 13:05:06 +02:00
} else {
2022-04-30 15:19:47 +02:00
const ref = {
2021-06-18 13:05:06 +02:00
current: initialValue,
}
scope.refs.set(key, ref)
2021-06-18 13:05:06 +02:00
return ref
}
}
/**
2022-04-30 15:19:47 +02:00
* An effect hook, similar to React's `useEffect()`, but is not sensitive to call order by using `key`.
*
2022-04-09 15:30:20 +02:00
* @param key - the key for the effect. Should be uniqe inside of the prism.
2022-04-30 15:19:47 +02:00
* @param cb - the callback function. Requires returning a cleanup function.
2022-04-09 15:30:20 +02:00
* @param deps - the dependency array
*/
2021-06-18 13:05:06 +02:00
function effect(key: string, cb: () => () => void, deps?: unknown[]): void {
const scope = hookScopeStack.peek()
if (!scope) {
throw new Error(`prism.effect() is called outside of a prism() call.`)
}
let effect = scope.effects.get(key)
2022-04-30 15:19:47 +02:00
if (effect === undefined) {
effect = {
2021-06-18 13:05:06 +02:00
cleanup: voidFn,
2022-04-30 15:19:47 +02:00
deps: undefined,
2021-06-18 13:05:06 +02:00
}
scope.effects.set(key, effect)
2021-06-18 13:05:06 +02:00
}
if (depsHaveChanged(effect.deps, deps)) {
effect.cleanup()
startIgnoringDependencies()
2022-04-30 15:19:47 +02:00
effect.cleanup = safelyRun(cb, voidFn).value
2021-06-18 13:05:06 +02:00
stopIgnoringDependencies()
effect.deps = deps
}
}
function depsHaveChanged(
2021-07-14 18:37:32 +02:00
oldDeps: undefined | unknown[] | ReadonlyArray<unknown>,
newDeps: undefined | unknown[] | ReadonlyArray<unknown>,
2021-06-18 13:05:06 +02:00
): boolean {
if (oldDeps === undefined || newDeps === undefined) {
return true
}
2022-04-30 15:19:47 +02:00
const len = oldDeps.length
if (len !== newDeps.length) return true
for (let i = 0; i < len; i++) {
if (oldDeps[i] !== newDeps[i]) return true
}
return false
2021-06-18 13:05:06 +02:00
}
2022-04-30 15:19:47 +02:00
/**
* Store a value to this {@link prism} stack.
*
* Unlike hooks seen in popular frameworks like React, you provide an exact `key` so
* we can call `prism.memo` in any order, and conditionally.
*
* @param deps - Passing in `undefined` will always cause a recompute
*/
2021-06-18 13:05:06 +02:00
function memo<T>(
key: string,
fn: () => T,
2021-07-14 18:37:32 +02:00
deps: undefined | $IntentionalAny[] | ReadonlyArray<$IntentionalAny>,
2021-06-18 13:05:06 +02:00
): T {
const scope = hookScopeStack.peek()
if (!scope) {
throw new Error(`prism.memo() is called outside of a prism() call.`)
}
let memo = scope.memos.get(key)
2022-04-30 15:19:47 +02:00
if (memo === undefined) {
memo = {
2021-06-18 13:05:06 +02:00
cachedValue: null,
2022-04-30 15:19:47 +02:00
// undefined will always indicate "deps have changed", so we set it's initial value as such
deps: undefined,
2021-06-18 13:05:06 +02:00
}
scope.memos.set(key, memo)
2021-06-18 13:05:06 +02:00
}
if (depsHaveChanged(memo.deps, deps)) {
startIgnoringDependencies()
2022-04-30 15:19:47 +02:00
memo.cachedValue = safelyRun(fn, undefined).value
2021-06-18 13:05:06 +02:00
stopIgnoringDependencies()
memo.deps = deps
}
return memo.cachedValue as $IntentionalAny as T
}
2022-03-15 14:55:06 +01:00
/**
* A state hook, similar to react's `useState()`.
*
* @param key - the key for the state
* @param initialValue - the initial value
* @returns [currentState, setState]
*
* @example
* ```ts
* import {prism} from 'dataverse'
*
* // This derivation holds the current mouse position and updates when the mouse moves
* const mousePositionD = prism(() => {
* const [pos, setPos] = prism.state<[x: number, y: number]>('pos', [0, 0])
*
* prism.effect(
* 'setupListeners',
* () => {
* const handleMouseMove = (e: MouseEvent) => {
* setPos([e.screenX, e.screenY])
* }
* document.addEventListener('mousemove', handleMouseMove)
*
* return () => {
* document.removeEventListener('mousemove', handleMouseMove)
* }
* },
* [],
* )
*
* return pos
* })
* ```
*/
2021-06-18 13:05:06 +02:00
function state<T>(key: string, initialValue: T): [T, (val: T) => void] {
const {b, setValue} = prism.memo(
'state/' + key,
() => {
const b = new Box<T>(initialValue)
const setValue = (val: T) => b.set(val)
return {b, setValue}
},
[],
)
return [b.derivation.getValue(), setValue]
}
2022-03-15 14:55:06 +01:00
/**
* This is useful to make sure your code is running inside a `prism()` call.
*
* @example
* ```ts
* import {prism} from '@theatre/dataverse'
*
* function onlyUsefulInAPrism() {
* prism.ensurePrism()
* }
*
* prism(() => {
* onlyUsefulInAPrism() // will run fine
* })
*
* setTimeout(() => {
* onlyUsefulInAPrism() // throws an error
* console.log('This will never get logged')
* }, 0)
* ```
*/
2021-06-18 13:05:06 +02:00
function ensurePrism(): void {
const scope = hookScopeStack.peek()
if (!scope) {
throw new Error(`The parent function is called outside of a prism() call.`)
}
}
function scope<T>(key: string, fn: () => T): T {
const parentScope = hookScopeStack.peek()
if (!parentScope) {
throw new Error(`prism.scope() is called outside of a prism() call.`)
}
const subScope = parentScope.sub(key)
hookScopeStack.push(subScope)
2022-04-30 15:19:47 +02:00
const ret = safelyRun(fn, undefined).value
2021-06-18 13:05:06 +02:00
hookScopeStack.pop()
return ret as $IntentionalAny as T
}
function sub<T>(
key: string,
fn: () => T,
deps: undefined | $IntentionalAny[],
): T {
return memo(key, () => prism(fn), deps).getValue()
}
function inPrism(): boolean {
return !!hookScopeStack.peek()
}
const possibleDerivationToValue = <
P extends IDerivation<$IntentionalAny> | unknown,
>(
input: P,
): P extends IDerivation<infer T> ? T : P => {
if (isDerivation(input)) {
return input.getValue() as $IntentionalAny
} else {
return input as $IntentionalAny
}
}
2021-06-18 13:05:06 +02:00
type IPrismFn = {
<T>(fn: () => T): IDerivation<T>
ref: typeof ref
effect: typeof effect
memo: typeof memo
ensurePrism: typeof ensurePrism
state: typeof state
scope: typeof scope
sub: typeof sub
inPrism: typeof inPrism
}
2022-01-19 13:06:13 +01:00
/**
* Creates a derivation from the passed function that adds all derivations referenced
* in it as dependencies, and reruns the function when these change.
*
2022-02-23 22:53:39 +01:00
* @param fn - The function to rerun when the derivations referenced in it change.
2022-01-19 13:06:13 +01:00
*/
2021-06-18 13:05:06 +02:00
const prism: IPrismFn = (fn) => {
return new PrismDerivation(fn)
}
prism.ref = ref
prism.effect = effect
prism.memo = memo
prism.ensurePrism = ensurePrism
prism.state = state
prism.scope = scope
prism.sub = sub
prism.inPrism = inPrism
export default prism