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

804 lines
20 KiB
TypeScript
Raw Normal View History

import type Ticker from '../../Ticker'
2021-06-18 13:05:06 +02:00
import type {$IntentionalAny, VoidFn} from '../../types'
import Stack from '../../utils/Stack'
2022-12-01 14:24:09 +01:00
import type {Prism} from '../Interface'
import {isPrism} from '../Interface'
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'
2022-12-01 14:20:50 +01:00
type IDependent = (msgComingFrom: Prism<$IntentionalAny>) => void
2021-06-18 13:05:06 +02:00
const voidFn = () => {}
class HotHandle<V> {
private _didMarkDependentsAsStale: boolean = false
private _isFresh: boolean = false
2022-12-01 14:20:50 +01:00
protected _cacheOfDendencyValues: Map<Prism<unknown>, unknown> = new Map()
/**
* @internal
*/
protected _dependents: Set<IDependent> = new Set()
/**
* @internal
*/
2022-12-01 14:20:50 +01:00
protected _dependencies: Set<Prism<$IntentionalAny>> = new Set()
2022-12-01 14:20:50 +01:00
protected _possiblyStaleDeps = new Set<Prism<unknown>>()
2022-12-01 12:58:59 +01:00
private _scope: HotScope = new HotScope(
this as $IntentionalAny as HotHandle<unknown>,
)
/**
* @internal
*/
protected _lastValue: undefined | V = undefined
2022-12-01 12:58:59 +01:00
/**
2022-12-01 14:41:46 +01:00
* If true, the prism is stale even though its dependencies aren't
2022-12-01 12:58:59 +01:00
* marked as such. This is used by `prism.source()` and `prism.state()`
* to mark the prism as stale.
*/
private _forciblySetToStale: boolean = false
constructor(
private readonly _fn: () => V,
private readonly _prismInstance: PrismDerivation<V>,
) {
for (const d of this._dependencies) {
d._addDependent(this._reactToDependencyGoingStale)
}
startIgnoringDependencies()
this.getValue()
stopIgnoringDependencies()
}
2022-12-01 12:58:59 +01:00
get hasDependents(): boolean {
return this._dependents.size > 0
}
removeDependent(d: IDependent) {
this._dependents.delete(d)
}
addDependent(d: IDependent) {
this._dependents.add(d)
}
destroy() {
for (const d of this._dependencies) {
d._removeDependent(this._reactToDependencyGoingStale)
}
cleanupScopeStack(this._scope)
}
getValue(): V {
if (!this._isFresh) {
const newValue = this._recalculate()
this._lastValue = newValue
this._isFresh = true
this._didMarkDependentsAsStale = false
2022-12-01 12:58:59 +01:00
this._forciblySetToStale = false
}
return this._lastValue!
}
_recalculate() {
let value: V
2022-12-01 12:58:59 +01:00
if (!this._forciblySetToStale) {
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) {
return this._lastValue!
}
}
}
2022-12-01 14:20:50 +01:00
const newDeps: Set<Prism<unknown>> = new Set()
this._cacheOfDendencyValues.clear()
2022-12-01 14:20:50 +01:00
const collector = (observedDep: Prism<unknown>): void => {
newDeps.add(observedDep)
this._addDependency(observedDep)
}
pushCollector(collector)
hookScopeStack.push(this._scope)
try {
value = this._fn()
} catch (error) {
console.error(error)
} finally {
const topOfTheStack = hookScopeStack.pop()
if (topOfTheStack !== this._scope) {
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)
for (const dep of this._dependencies) {
if (!newDeps.has(dep)) {
this._removeDependency(dep)
}
}
this._dependencies = newDeps
startIgnoringDependencies()
for (const dep of newDeps) {
this._cacheOfDendencyValues.set(dep, dep.getValue())
}
stopIgnoringDependencies()
return value!
}
2022-12-01 12:58:59 +01:00
forceStale() {
this._forciblySetToStale = true
this._markAsStale()
}
2022-12-01 14:20:50 +01:00
protected _reactToDependencyGoingStale = (which: Prism<$IntentionalAny>) => {
2022-12-01 12:58:59 +01:00
this._possiblyStaleDeps.add(which)
2022-12-01 12:58:59 +01:00
this._markAsStale()
}
private _markAsStale() {
if (this._didMarkDependentsAsStale) return
this._didMarkDependentsAsStale = true
this._isFresh = false
for (const dependent of this._dependents) {
dependent(this._prismInstance)
}
}
/**
* @internal
*/
2022-12-01 14:20:50 +01:00
protected _addDependency(d: Prism<$IntentionalAny>) {
if (this._dependencies.has(d)) return
this._dependencies.add(d)
d._addDependent(this._reactToDependencyGoingStale)
}
/**
* @internal
*/
2022-12-01 14:20:50 +01:00
protected _removeDependency(d: Prism<$IntentionalAny>) {
if (!this._dependencies.has(d)) return
this._dependencies.delete(d)
d._removeDependent(this._reactToDependencyGoingStale)
}
}
const emptyObject = {}
2022-12-01 14:20:50 +01:00
class PrismDerivation<V> implements Prism<V> {
/**
2022-12-01 14:41:46 +01:00
* Whether the object is a prism.
*/
2022-12-01 14:22:49 +01:00
readonly isPrism: true = true
private _state:
| {hot: false; handle: undefined}
| {hot: true; handle: HotHandle<V>} = {
hot: false,
handle: undefined,
}
constructor(private readonly _fn: () => V) {}
/**
2022-12-01 14:41:46 +01:00
* Whether the prism is hot.
*/
get isHot(): boolean {
return this._state.hot
}
onChange(
ticker: Ticker,
listener: (v: V) => void,
immediate: boolean = false,
): VoidFn {
const dependent = () => {
ticker.onThisOrNextTick(refresh)
}
let lastValue = emptyObject
const refresh = () => {
const newValue = this.getValue()
if (newValue === lastValue) return
lastValue = newValue
listener(newValue)
}
this._addDependent(dependent)
if (immediate) {
lastValue = this.getValue()
listener(lastValue as $IntentionalAny as V)
}
const unsubscribe = () => {
this._removeDependent(dependent)
}
return unsubscribe
}
/**
* Returns a tappable that fires every time the prism's state goes from `fresh-\>stale.`
*/
onStale(callback: () => void): VoidFn {
2022-12-01 13:33:52 +01:00
const untap = () => {
this._removeDependent(fn)
2022-12-01 13:33:52 +01:00
}
const fn = () => callback()
this._addDependent(fn)
2022-12-01 13:33:52 +01:00
return untap
}
/**
2022-12-01 14:41:46 +01:00
* Keep the prism hot, even if there are no tappers (subscribers).
*/
keepHot() {
return this.onStale(() => {})
}
/**
2022-12-01 14:41:46 +01:00
* Add a prism as a dependent of this prism.
*
2022-12-01 14:41:46 +01:00
* @param d - The prism to be made a dependent of this prism.
*
* @see _removeDependent
*/
_addDependent(d: IDependent) {
if (!this._state.hot) {
this._goHot()
}
this._state.handle!.addDependent(d)
}
private _goHot() {
const hotHandle = new HotHandle(this._fn, this)
this._state = {
hot: true,
handle: hotHandle,
}
}
/**
2022-12-01 14:41:46 +01:00
* Remove a prism as a dependent of this prism.
*
2022-12-01 14:41:46 +01:00
* @param d - The prism to be removed from as a dependent of this prism.
*
* @see _addDependent
*/
_removeDependent(d: IDependent) {
const state = this._state
if (!state.hot) {
return
}
const handle = state.handle
handle.removeDependent(d)
if (!handle.hasDependents) {
this._state = {hot: false, handle: undefined}
handle.destroy()
}
}
/**
2022-12-01 14:41:46 +01:00
* Gets the current value of the prism. If the value is stale, it causes the prism to freshen.
*/
getValue(): V {
/**
* TODO We should prevent (or warn about) a common mistake users make, which is reading the value of
2022-12-01 14:41:46 +01:00
* a prism 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.
*
2022-12-01 14:41:46 +01:00
* Sometiems the prism isn't even hot when the user assumes it is.
*
* We can fix this type of mistake by:
2022-12-01 14:41:46 +01:00
* 1. Warning the user when they call `getValue()` on a cold prism.
* 2. Warning the user about calling `getValue()` on a hot-but-stale prism
* if `getValue()` isn't called by a known mechanism like a `PrismEmitter`.
*
* 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)
const state = this._state
let val: V
if (state.hot) {
val = state.handle.getValue()
} else {
val = calculateColdPrism(this._fn)
}
reportResolutionEnd(this)
return val
}
}
2021-06-18 13:05:06 +02:00
interface PrismScope {
effect(key: string, cb: () => () => void, deps?: unknown[]): void
memo<T>(
key: string,
fn: () => T,
deps: undefined | $IntentionalAny[] | ReadonlyArray<$IntentionalAny>,
): T
state<T>(key: string, initialValue: T): [T, (val: T) => void]
ref<T>(key: string, initialValue: T): IRef<T>
sub(key: string): PrismScope
2022-12-01 12:58:59 +01:00
source<V>(subscribe: (fn: (val: V) => void) => VoidFn, getValue: () => V): V
}
2021-06-18 13:05:06 +02:00
class HotScope implements PrismScope {
2022-12-01 12:58:59 +01:00
constructor(private readonly _hotHandle: HotHandle<unknown>) {}
protected readonly _refs: Map<string, IRef<unknown>> = new Map()
ref<T>(key: string, initialValue: T): IRef<T> {
let ref = this._refs.get(key)
if (ref !== undefined) {
return ref as $IntentionalAny as IRef<T>
} else {
const ref = {
current: initialValue,
2021-06-18 13:05:06 +02:00
}
this._refs.set(key, ref)
return ref
2021-06-18 13:05:06 +02:00
}
}
isPrismScope = true
2021-06-18 13:05:06 +02:00
// 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, HotScope> = {}
readonly effects: Map<string, IEffect> = new Map()
effect(key: string, cb: () => () => void, deps?: unknown[]): void {
let effect = this.effects.get(key)
if (effect === undefined) {
effect = {
cleanup: voidFn,
deps: undefined,
}
this.effects.set(key, effect)
}
if (depsHaveChanged(effect.deps, deps)) {
effect.cleanup()
startIgnoringDependencies()
effect.cleanup = safelyRun(cb, voidFn).value
stopIgnoringDependencies()
effect.deps = deps
}
2022-12-01 12:58:59 +01:00
/**
* TODO: we should cleanup dangling effects too.
* Example:
* ```ts
* let i = 0
* prism(() => {
* if (i === 0) prism.effect("this effect will only run once", () => {}, [])
* i++
* })
* ```
*/
}
readonly memos: Map<string, IMemo> = new Map()
2021-06-18 13:05:06 +02:00
memo<T>(
key: string,
fn: () => T,
deps: undefined | $IntentionalAny[] | ReadonlyArray<$IntentionalAny>,
): T {
let memo = this.memos.get(key)
if (memo === undefined) {
memo = {
cachedValue: null,
// undefined will always indicate "deps have changed", so we set its initial value as such
deps: undefined,
2021-06-18 13:05:06 +02:00
}
this.memos.set(key, memo)
}
2021-06-18 13:05:06 +02:00
if (depsHaveChanged(memo.deps, deps)) {
startIgnoringDependencies()
2021-06-18 13:05:06 +02:00
memo.cachedValue = safelyRun(fn, undefined).value
stopIgnoringDependencies()
memo.deps = deps
}
2021-06-18 13:05:06 +02:00
return memo.cachedValue as $IntentionalAny as T
2021-06-18 13:05:06 +02:00
}
state<T>(key: string, initialValue: T): [T, (val: T) => void] {
2022-12-01 13:01:01 +01:00
const {value, setValue} = this.memo(
'state/' + key,
() => {
2022-12-01 13:01:01 +01:00
const value = {current: initialValue}
const setValue = (newValue: T) => {
value.current = newValue
this._hotHandle.forceStale()
}
return {value, setValue}
},
[],
)
2021-06-18 13:05:06 +02:00
2022-12-01 13:01:01 +01:00
return [value.current, setValue]
2021-06-18 13:05:06 +02:00
}
sub(key: string): HotScope {
if (!this.subs[key]) {
2022-12-01 12:58:59 +01:00
this.subs[key] = new HotScope(this._hotHandle)
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()
}
2022-12-01 12:58:59 +01:00
source<V>(subscribe: (fn: (val: V) => void) => VoidFn, getValue: () => V): V {
const sourceKey = '$$source/blah'
this.effect(
sourceKey,
() => {
const unsub = subscribe(() => {
this._hotHandle.forceStale()
})
return unsub
},
[subscribe],
)
return getValue()
}
2021-06-18 13:05:06 +02:00
}
function cleanupScopeStack(scope: HotScope) {
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.`)
}
return scope.ref(key, initialValue)
2021-06-18 13:05:06 +02:00
}
/**
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.`)
}
return scope.effect(key, cb, deps)
2021-06-18 13:05:06 +02:00
}
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.`)
}
return scope.memo(key, fn, deps)
2021-06-18 13:05:06 +02:00
}
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'
*
2022-12-01 14:41:46 +01:00
* // This prism holds the current mouse position and updates when the mouse moves
2022-03-15 14:55:06 +01:00
* 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 scope = hookScopeStack.peek()
if (!scope) {
throw new Error(`prism.state() is called outside of a prism() call.`)
}
return scope.state(key, initialValue)
2021-06-18 13:05:06 +02:00
}
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()
}
2022-12-01 14:20:50 +01:00
const possibleDerivationToValue = <P extends Prism<$IntentionalAny> | unknown>(
input: P,
2022-12-01 14:20:50 +01:00
): P extends Prism<infer T> ? T : P => {
2022-12-01 14:22:49 +01:00
if (isPrism(input)) {
return input.getValue() as $IntentionalAny
} else {
return input as $IntentionalAny
}
}
function source<V>(
subscribe: (fn: (val: V) => void) => VoidFn,
getValue: () => V,
): V {
const scope = hookScopeStack.peek()
if (!scope) {
throw new Error(`prism.source() is called outside of a prism() call.`)
}
2022-12-01 12:58:59 +01:00
return scope.source(subscribe, getValue)
}
2021-06-18 13:05:06 +02:00
type IPrismFn = {
2022-12-01 14:20:50 +01:00
<T>(fn: () => T): Prism<T>
2021-06-18 13:05:06 +02:00
ref: typeof ref
effect: typeof effect
memo: typeof memo
ensurePrism: typeof ensurePrism
state: typeof state
scope: typeof scope
sub: typeof sub
inPrism: typeof inPrism
source: typeof source
2021-06-18 13:05:06 +02:00
}
2022-01-19 13:06:13 +01:00
/**
2022-12-01 14:41:46 +01:00
* Creates a prism from the passed function that adds all prisms referenced
2022-01-19 13:06:13 +01:00
* in it as dependencies, and reruns the function when these change.
*
2022-12-01 14:41:46 +01:00
* @param fn - The function to rerun when the prisms 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)
}
class ColdScope implements PrismScope {
effect(key: string, cb: () => () => void, deps?: unknown[]): void {
console.warn(`prism.effect() does not run in cold prisms`)
}
memo<T>(
key: string,
fn: () => T,
deps: any[] | readonly any[] | undefined,
): T {
return fn()
}
state<T>(key: string, initialValue: T): [T, (val: T) => void] {
return [initialValue, () => {}]
}
ref<T>(key: string, initialValue: T): IRef<T> {
return {current: initialValue}
}
sub(key: string): ColdScope {
return new ColdScope()
}
2022-12-01 12:58:59 +01:00
source<V>(subscribe: (fn: (val: V) => void) => VoidFn, getValue: () => V): V {
return getValue()
}
}
function calculateColdPrism<V>(fn: () => V): V {
const scope = new ColdScope()
hookScopeStack.push(scope)
let value: V
try {
value = fn()
} catch (error) {
console.error(error)
} finally {
const topOfTheStack = hookScopeStack.pop()
if (topOfTheStack !== scope) {
console.warn(
// @todo guide the user to report the bug in an issue
`The Prism hook stack has slipped. This is a bug.`,
)
}
}
return value!
}
2021-06-18 13:05:06 +02:00
prism.ref = ref
prism.effect = effect
prism.memo = memo
prism.ensurePrism = ensurePrism
prism.state = state
prism.scope = scope
prism.sub = sub
prism.inPrism = inPrism
prism.source = source
2021-06-18 13:05:06 +02:00
export default prism