silentium 0.0.160 → 0.0.162

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -1 +1 @@
1
- {"version":3,"file":"silentium.min.mjs","sources":["../src/helpers/guards.ts","../src/base/Destroyable.ts","../src/base/DestroyContainer.ts","../src/base/Rejections.ts","../src/helpers/ensures.ts","../src/base/Message.ts","../src/base/Of.ts","../src/base/ActualMessage.ts","../src/base/Chainable.ts","../src/base/Local.ts","../src/base/MessageSource.ts","../src/base/New.ts","../src/base/Void.ts","../src/components/All.ts","../src/components/Any.ts","../src/components/Applied.ts","../src/components/AppliedDestructured.ts","../src/components/Late.ts","../src/components/Catch.ts","../src/components/Chain.ts","../src/components/Context.ts","../src/components/ContextChain.ts","../src/components/Primitive.ts","../src/components/Shared.ts","../src/components/LateShared.ts","../src/components/ContextOf.ts","../src/components/Filtered.ts","../src/components/Empty.ts","../src/components/ExecutorApplied.ts","../src/components/FromEvent.ts","../src/components/Map.ts","../src/components/Once.ts","../src/components/Process.ts","../src/components/Sequence.ts","../src/components/Stream.ts"],"sourcesContent":["import { DestroyableType, DestroyedType } from \"types/DestroyableType\";\nimport { MessageType } from \"types/MessageType\";\nimport { SourceType } from \"types/SourceType\";\n\n/**\n * Checks that the value is neither undefined nor null\n */\nexport const isFilled = <T>(\n value?: T,\n): value is Exclude<T, null | undefined> => {\n return value !== undefined && value !== null;\n};\n\n/**\n * Checks that the object is an message\n */\nexport function isMessage(o: unknown): o is MessageType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"then\" in o &&\n typeof (o as any).then === \"function\"\n );\n}\n\n/**\n * Checks that the object is an message\n */\nexport function isSource(o: unknown): o is SourceType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"use\" in o &&\n typeof (o as any).use === \"function\"\n );\n}\n\n/**\n * Checks that the object is destroyable\n */\nexport function isDestroyable(o: unknown): o is DestroyableType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"destroy\" in o &&\n typeof (o as any).destroy === \"function\"\n );\n}\n\n/**\n * Checks that the object can indicate whether it has been destroyed or not\n */\nexport function isDestroyed(o: unknown): o is DestroyedType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"destroyed\" in o &&\n typeof (o as any).destroyed === \"function\"\n );\n}\n","import { isDestroyable } from \"helpers/guards\";\nimport { DestroyableType } from \"types/DestroyableType\";\n\n/**\n * Allows creating an object that definitely has a destructor,\n * useful to avoid creating unnecessary conditions\n */\nexport function Destroyable<T>(base: T) {\n return new DestroyableImpl(base);\n}\n\nexport class DestroyableImpl<T> implements DestroyableType {\n public constructor(private base: T) {}\n\n public destroy(): this {\n if (isDestroyable(this.base)) {\n this.base.destroy();\n }\n\n if (typeof this.base === \"function\") {\n this.base();\n }\n\n return this;\n }\n}\n","import { Destroyable } from \"base/Destroyable\";\nimport { DestroyableType } from \"types/DestroyableType\";\n\n/**\n * An object that allows collecting all disposable objects and\n * disposing them later all together\n */\nexport function DestroyContainer() {\n return new DestroyContainerImpl();\n}\n\nexport class DestroyContainerImpl implements DestroyableType {\n private destructors: DestroyableType[] = [];\n\n public add<R>(e: R): R {\n this.destructors.push(Destroyable(e));\n return e;\n }\n\n public destroy() {\n this.destructors.forEach((d) => d.destroy());\n this.destructors.length = 0;\n return this;\n }\n}\n","import { ConstructorType } from \"types/ConstructorType\";\n\n/**\n * Handles rejections collection\n */\nexport class Rejections {\n private catchers: ConstructorType<[unknown]>[] = [];\n private lastRejectReason: unknown = null;\n\n public reject = (reason: unknown) => {\n this.lastRejectReason = reason;\n this.catchers.forEach((catcher) => {\n catcher(reason);\n });\n };\n\n public catch(rejected: ConstructorType<[unknown]>) {\n if (this.lastRejectReason !== null) {\n rejected(this.lastRejectReason);\n }\n this.catchers.push(rejected);\n return this;\n }\n\n public destroy() {\n this.catchers.length = 0;\n return this;\n }\n}\n","import { isMessage } from \"helpers/guards\";\n\nexport function ensureFunction(v: unknown, label: string) {\n if (typeof v !== \"function\") {\n throw new Error(`${label}: is not function`);\n }\n}\n\nexport function ensureMessage(v: unknown, label: string) {\n if (!isMessage(v)) {\n throw new Error(`${label}: is not message`);\n }\n}\n","import { DestroyContainer } from \"base/DestroyContainer\";\nimport { Rejections } from \"base/Rejections\";\nimport { ensureFunction } from \"helpers/ensures\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { DestroyableType } from \"types/DestroyableType\";\nimport { MessageType } from \"types/MessageType\";\n\nexport type MessageExecutorType<T> = (\n resolve: ConstructorType<[T]>,\n reject: ConstructorType<[unknown]>,\n) => MessageType | (() => void) | void;\n\n/**\n * A message created from an executor function.\n * The executor function can return a message destruction function.\n */\nexport function Message<T>(\n executor: MessageExecutorType<T>,\n everyThenCallsExecutor: boolean = false,\n) {\n return new MessageRx<T>(executor, everyThenCallsExecutor);\n}\n\n/**\n * Reactive message implementation\n */\nexport class MessageRx<T> implements MessageType<T>, DestroyableType {\n private rejections = new Rejections();\n private dc = DestroyContainer();\n\n public constructor(\n private executor: MessageExecutorType<T>,\n private everyThenCallsExecutor: boolean = false,\n ) {\n ensureFunction(executor, \"Message: executor\");\n }\n\n public then(resolve: ConstructorType<[T]>) {\n try {\n this.dc.add(this.executor(resolve, this.rejections.reject));\n } catch (e: any) {\n this.rejections.reject(e);\n }\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>) {\n this.rejections.catch(rejected);\n return this;\n }\n\n public destroy() {\n this.dc.destroy();\n this.rejections.destroy();\n return this;\n }\n}\n","import { Message } from \"base/Message\";\n\n/**\n * Helps convert a value into a message\n */\nexport function Of<T>(value: T) {\n return Message<T>(function OfImpl(r) {\n r(value);\n });\n}\n","import { Of } from \"base/Of\";\nimport { isMessage } from \"helpers/guards\";\nimport { MaybeMessage, MessageType } from \"types/MessageType\";\n\n/**\n * A function that helps to ensure that\n * the message is indeed a message object\n * and not just a value\n */\nexport function ActualMessage<T>(message: MaybeMessage<T>): MessageType<T> {\n return isMessage(message) ? message : Of(message);\n}\n","import { ChainableType } from \"types/ChainableType\";\nimport { MessageType } from \"types/MessageType\";\nimport { SourceType } from \"types/SourceType\";\n\n/**\n * Helps to connect Different\n * message and source\n */\nexport function Chainable<T>(src: SourceType<T>) {\n return new ChainableImpl(src);\n}\n\nexport class ChainableImpl<T> implements ChainableType<T> {\n public constructor(private src: SourceType<T>) {}\n\n public chain($m: MessageType<T>) {\n $m.then(this.src.use.bind(this.src));\n return this;\n }\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * Create local copy of source what can be destroyed\n */\nexport function Local<T>(_base: MaybeMessage<T>) {\n const $base = ActualMessage(_base);\n return Message<T>(function LocalImpl(r) {\n let destroyed = false;\n $base.then((v) => {\n if (!destroyed) {\n r(v);\n }\n });\n return () => {\n destroyed = true;\n };\n });\n}\n","import { Message, MessageExecutorType, MessageRx } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MessageSourceType } from \"types/SourceType\";\n\n/**\n * Base message source object\n */\nexport function MessageSource<T>(\n messageExecutor: MessageExecutorType<T>,\n sourceExecutor: ConstructorType<[T]>,\n) {\n return new MessageSourceImpl(messageExecutor, sourceExecutor);\n}\n\nexport class MessageSourceImpl<T> implements MessageSourceType<T> {\n private message: MessageRx<T>;\n\n public constructor(\n messageExecutor: MessageExecutorType<T>,\n private sourceExecutor: ConstructorType<[T]>,\n ) {\n this.message = Message(messageExecutor);\n }\n\n public use(value: T): this {\n this.sourceExecutor(value);\n return this;\n }\n\n public then(resolved: ConstructorType<[T]>): this {\n this.message.then(resolved);\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>): this {\n this.message.catch(rejected);\n return this;\n }\n}\n","import { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\n\n/**\n * A component that, on each access, returns a new instance\n * of a reference type based on the constructor function\n */\nexport function New<T>(construct: ConstructorType<[], T>) {\n return Message<T>(function NewImpl(resolve) {\n resolve(construct());\n });\n}\n","/**\n * Resolver that does nothing with the passed value,\n * needed for silent message triggering\n */\nexport function Void() {\n return () => {};\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\ntype ExtractTypeS<T> = T extends MaybeMessage<infer U> ? U : never;\n\ntype ExtractTypesFromArrayS<T extends MaybeMessage<any>[]> = {\n [K in keyof T]: ExtractTypeS<T[K]>;\n};\n\nconst isAllFilled = (keysFilled: Set<string>, keysKnown: Set<string>) => {\n return keysFilled.size > 0 && keysFilled.size === keysKnown.size;\n};\n\n/**\n * A message that represents values from\n * all provided messages as an array.\n * When all messages emit their values,\n * the combined value will be returned.\n * If at least one message later emits a new\n * value, the updated array with the new value\n * will be emitted by All.\n */\nexport function All<const T extends MaybeMessage[]>(...messages: T) {\n const $messages = messages.map(ActualMessage);\n return Message<ExtractTypesFromArrayS<T>>(function AllImpl(r) {\n const known = new Set<string>(Object.keys(messages));\n const filled = new Set<string>();\n const result: unknown[] = [];\n if (known.size === 0) {\n r([] as ExtractTypesFromArrayS<T>);\n return;\n }\n $messages.map((m, key) => {\n m.then((v) => {\n filled.add(key.toString());\n result[key] = v;\n if (isAllFilled(filled, known)) {\n r(result as ExtractTypesFromArrayS<T>);\n }\n });\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * A message that emits values received from\n * any of its bound messages\n */\nexport function Any<const T>(...messages: MaybeMessage<T>[]) {\n const $messages = messages.map(ActualMessage);\n return Message<T>(function AnyImpl(r) {\n $messages.forEach((message) => {\n message.then(r);\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * An message that applies a function\n * to the value of the base message\n */\nexport function Applied<const T, R>(\n base: MaybeMessage<T>,\n applier: ConstructorType<[T], R>,\n) {\n const $base = ActualMessage(base);\n return Message<R>(function AppliedImpl(r) {\n $base.then((v) => {\n r(applier(v));\n });\n });\n}\n","import { Applied } from \"components/Applied\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * Allows applying variables from an message that passes an array to a function,\n * where each element of the array will be passed as a separate argument\n */\nexport function AppliedDestructured<const T extends any[], R>(\n $base: MaybeMessage<T>,\n applier: ConstructorType<T[number][], R>,\n) {\n return Applied($base, function AppliedDestructuredImpl(args) {\n return applier(...args);\n });\n}\n","import { Rejections } from \"base/Rejections\";\nimport { isFilled } from \"helpers/guards\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MessageSourceType } from \"types/SourceType\";\n\n/**\n * A component that allows creating linked objects of information and its owner\n * in such a way that if a new value is assigned to the owner, this value\n * will become the value of the linked information source\n * https://silentium-lab.github.io/silentium/#/en/information/of\n */\nexport function Late<T>(v?: T) {\n return new LateImpl<T>(v);\n}\n\nexport class LateImpl<T> implements MessageSourceType<T> {\n private rejections = new Rejections();\n private lateR: ConstructorType<[T]> | null = null;\n private notify = () => {\n if (isFilled(this.v) && this.lateR) {\n try {\n this.lateR(this.v);\n } catch (e: any) {\n this.rejections.reject(e);\n }\n }\n };\n\n public constructor(private v?: T) {}\n\n public then(r: ConstructorType<[T]>): this {\n if (this.lateR) {\n throw new Error(\n \"Late component gets new resolver, when another was already connected!\",\n );\n }\n this.lateR = r;\n this.notify();\n return this;\n }\n\n public use(value: T): this {\n this.v = value;\n this.notify();\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>) {\n this.rejections.catch(rejected);\n return this;\n }\n}\n","import { Rejections } from \"base/Rejections\";\nimport { Late } from \"components/Late\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Message with error catched\n * inside another message\n */\nexport function Catch<T>($base: MessageType) {\n const rejections = new Rejections();\n $base.catch(rejections.reject);\n const $error = Late<T>();\n rejections.catch((e) => {\n $error.use(e as T);\n });\n\n return $error;\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MessageType, MessageTypeValue } from \"types/MessageType\";\n\n// eslint-disable-next-line @typescript-eslint/no-unused-vars\ntype Last<T extends readonly any[]> = T extends readonly [...infer _, infer L]\n ? L\n : never;\n\n/**\n * Chains messages together and triggers\n * the last message only when all previous messages\n * have emitted their values. The value of Chain will be the value\n * of the last message. If any messages\n * emit a value again after the overall Chain response was already returned,\n * then Chain emits again with the value of the last message.\n */\nexport function Chain<T extends readonly MessageType[]>(...messages: T) {\n const $messages = messages.map(ActualMessage);\n return Message<MessageTypeValue<Last<T>>>(function ChainImpl(r) {\n let $latest: MessageTypeValue<Last<T>> | undefined;\n const handleMessage = (index: number) => {\n const message = $messages[index] as Last<T>;\n const next = $messages[index + 1] as Last<T> | undefined;\n message.then((v) => {\n oneMessage(v as MessageTypeValue<Last<T>>, next, index);\n });\n };\n function oneMessage(\n v: MessageTypeValue<Last<T>>,\n next: Last<T> | undefined,\n index: number,\n ) {\n if (!next) {\n $latest = v as MessageTypeValue<Last<T>>;\n }\n if ($latest) {\n r($latest);\n }\n if (next && !$latest) {\n handleMessage(index + 1);\n }\n }\n handleMessage(0);\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { ContextType } from \"types/ContextType\";\nimport { MaybeMessage } from \"types/MessageType\";\n\nContext.transport = new Map<any, ConstructorType<[ContextType]>>();\n\n/**\n * The ability to call an external system through\n * sending a message in a standardized format\n * ContextType, the list of transport should be defined via\n * the Context.transport map object\n */\nexport function Context<T>(msg: MaybeMessage<ContextType>) {\n const $msg = ActualMessage(msg);\n return Message<T>((resolve, reject) => {\n $msg.then((message) => {\n const transport = Context.transport.get(message.transport);\n if (transport === undefined) {\n throw new Error(`Context: unknown transport ${message.transport}`);\n }\n if (!message.result) {\n message.result = resolve;\n }\n if (!message.error) {\n message.error = reject;\n }\n try {\n transport(message);\n } catch (error) {\n reject(error);\n }\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { MaybeMessage } from \"types/MessageType\";\nimport { ContextType } from \"types/ContextType\";\n\n/**\n * Connects an external message to an RPC message chain\n */\nexport function ContextChain(base: MaybeMessage) {\n const $base = ActualMessage(base);\n return (context: ContextType) => {\n if (!context.result) {\n throw new Error(\"ContextChain did not find result in rpc message\");\n }\n $base.then(context.result);\n };\n}\n","import { MessageType } from \"types/MessageType\";\n\n/**\n * Helps represent an message as a primitive type, which can be useful\n * for cases when you need to always have a reference to the current value\n * without updating the shared value when the current one changes.\n * For example, this could be used when passing an authorization token.\n * It can also be useful for testing or logging purposes.\n */\nexport function Primitive<T>($base: MessageType<T>, theValue: T | null = null) {\n return new PrimitiveImpl<T>($base, theValue);\n}\n\nexport class PrimitiveImpl<T> {\n private touched = false;\n\n public constructor(\n private $base: MessageType<T>,\n private theValue: T | null = null,\n ) {}\n\n private ensureTouched() {\n if (!this.touched) {\n this.$base.then((v) => {\n this.theValue = v;\n });\n }\n this.touched = true;\n }\n\n public [Symbol.toPrimitive]() {\n this.ensureTouched();\n return this.theValue;\n }\n\n public primitive() {\n this.ensureTouched();\n return this.theValue;\n }\n\n public primitiveWithException() {\n this.ensureTouched();\n if (this.theValue === null) {\n throw new Error(\"Primitive value is null\");\n }\n return this.theValue;\n }\n}\n","import { MessageType } from \"types/MessageType\";\nimport { MessageSourceType, SourceType } from \"types/SourceType\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { isFilled, isSource } from \"helpers/guards\";\nimport { Primitive } from \"components/Primitive\";\nimport { ChainableType } from \"types/ChainableType\";\n\n/**\n * An information object that helps multiple owners access\n * a single another information object\n */\nexport function Shared<T>($base: MessageType<T> | MessageSourceType<T>) {\n return new SharedImpl<T>($base);\n}\n\nexport class SharedImpl<T> implements MessageSourceType<T>, ChainableType<T> {\n private resolver = (v: T) => {\n this.lastV = v;\n this.resolvers.forEach((r) => {\n r(v);\n });\n };\n private lastV: T | undefined;\n private resolvers = new Set<ConstructorType<[T]>>();\n private source?: SourceType<T>;\n\n public constructor(private $base: MessageType<T> | MessageSourceType<T>) {\n if (isSource($base)) {\n this.source = $base;\n }\n }\n\n public then(resolved: ConstructorType<[T]>) {\n this.resolvers.add(resolved);\n if (this.resolvers.size === 1) {\n this.$base.then(this.resolver);\n } else if (isFilled(this.lastV)) {\n resolved(this.lastV);\n }\n return this;\n }\n\n public use(value: T) {\n if (this.source) {\n this.source.use(value);\n } else {\n this.resolver(value);\n }\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>) {\n this.$base.catch(rejected);\n return this;\n }\n\n public destroy() {\n this.resolvers.clear();\n return this;\n }\n\n public value() {\n return Primitive(this);\n }\n\n public chain(m: MessageType<T>) {\n m.then(this.use.bind(this));\n return this;\n }\n}\n","import { Late } from \"components/Late\";\nimport { Shared } from \"components/Shared\";\n\n/**\n * An message with a value that will be set later,\n * capable of responding to many resolvers\n */\nexport function LateShared<T>(value?: T) {\n const l = Late(value);\n return Shared(l);\n}\n","import { Message } from \"base/Message\";\nimport { LateShared } from \"components/LateShared\";\nimport { Context } from \"components/Context\";\nimport { ContextType } from \"types/ContextType\";\n\n/**\n * Message for the arrival of a specific RPC message\n * for specific transport\n */\nexport function ContextOf(transport: string) {\n const $msg = LateShared<ContextType>();\n Context.transport.set(transport, $msg.use.bind($msg));\n return Message<ContextType>((t) => {\n $msg.then(t);\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MaybeMessage, MessageType } from \"types/MessageType\";\n\n/**\n * Filters values from the source message based on a predicate function,\n * optionally providing a default value when the predicate fails.\n */\nexport function Filtered<T>(\n base: MaybeMessage<T>,\n predicate: ConstructorType<[T], boolean>,\n defaultValue?: T,\n): MessageType<T> {\n const $base = ActualMessage(base);\n return Message<T>(function FilteredImpl(r) {\n $base.then((v) => {\n if (predicate(v)) {\n r(v);\n } else if (defaultValue !== undefined) {\n r(defaultValue);\n }\n });\n });\n}\n","import { Filtered } from \"components/Filtered\";\nimport { LateShared } from \"components/LateShared\";\nimport { Shared } from \"components/Shared\";\nimport { EmptyType } from \"types/EmptyType\";\nimport { MessageType } from \"types/MessageType\";\n\nexport const Nothing = Symbol(\"nothing\");\n\n/**\n * Helps to split message and empty\n * response\n */\nexport function Empty<T>($base: MessageType<T>) {\n return new EmptyImpl<T>($base);\n}\n\nexport class EmptyImpl<T> implements EmptyType {\n private $empty = LateShared<boolean>();\n\n public constructor(private $base: MessageType<T>) {}\n\n public message() {\n Shared(this.$base).then((v) => {\n if (v === Nothing) {\n this.$empty.use(true);\n }\n });\n return Filtered(this.$base, (v) => v !== Nothing);\n }\n\n public empty(): MessageType<boolean> {\n return this.$empty;\n }\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\ntype ExecutorApplier<T> = (executor: (v: T) => void) => (v: T) => void;\n\n/**\n * Applies a value transfer function to the resolver\n * and returns the same value transfer function for the resolver\n * Useful for applying functions like debounced or throttle\n */\nexport function ExecutorApplied<T>(\n $base: MessageType<T>,\n applier: ExecutorApplier<T>,\n) {\n return Message<T>(function ExecutorAppliedImpl(r) {\n $base.then(applier(r));\n });\n}\n","import { MaybeMessage } from \"types/MessageType\";\nimport { All } from \"components/All\";\nimport { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\n\n/**\n * A message derived from event with a different\n * method call interface, based on callbacks.\n * Allows attaching a custom handler to an existing event source\n * and presenting it as a silentium message\n */\nexport function FromEvent<T>(\n emitter: MaybeMessage<any>,\n eventName: MaybeMessage<string>,\n subscribeMethod: MaybeMessage<string>,\n unsubscribeMethod?: MaybeMessage<string>,\n) {\n const $emitter = ActualMessage(emitter);\n const $eventName = ActualMessage(eventName);\n const $subscribeMethod = ActualMessage(subscribeMethod);\n const $unsubscribeMethod = ActualMessage(unsubscribeMethod);\n return Message<T>((r) => {\n let lastR: ConstructorType<[T]> | null = null;\n const handler = (v: T) => {\n if (lastR) {\n lastR(v);\n }\n };\n All($emitter, $eventName, $subscribeMethod).then(\n ([emitter, eventName, subscribe]) => {\n lastR = r;\n if (!emitter?.[subscribe]) {\n return;\n }\n emitter[subscribe](eventName, handler);\n },\n );\n return () => {\n lastR = null;\n if (!$unsubscribeMethod) {\n return;\n }\n All($emitter, $eventName, $unsubscribeMethod).then(\n ([emitter, eventName, unsubscribe]) => {\n emitter?.[unsubscribe as string]?.(eventName, handler);\n },\n );\n };\n });\n}\n","import { MaybeMessage, MessageType } from \"types/MessageType\";\nimport { All } from \"components/All\";\nimport { isMessage } from \"helpers/guards\";\nimport { Of } from \"base/Of\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { Message } from \"base/Message\";\nimport { ActualMessage } from \"base/ActualMessage\";\nimport { DestroyContainer } from \"base/DestroyContainer\";\n\n/**\n * Component that applies an info object constructor to each data item,\n * producing an information source with new values\n */\nexport function Map<T, TG>(\n base: MaybeMessage<T[]>,\n target: ConstructorType<[any], MessageType<TG>>,\n) {\n const $base = ActualMessage(base);\n return Message<TG[]>((r) => {\n const infos: MessageType<TG>[] = [];\n const dc = DestroyContainer();\n $base.then((v) => {\n dc.destroy();\n v.forEach((val) => {\n let $val: MessageType<T> | T = val;\n if (!isMessage($val as object)) {\n $val = Of($val);\n }\n const info = target($val);\n dc.add(info);\n infos.push(info);\n });\n All(...infos).then(r);\n });\n });\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Limits the number of values from the information source\n * to a single value - once the first value is emitted, no more\n * values are delivered from the source\n */\nexport function Once<T>($base: MessageType<T>) {\n return Message<T>((r) => {\n let isFilled = false;\n $base.then((v) => {\n if (!isFilled) {\n isFilled = true;\n r(v);\n }\n });\n });\n}\n","import { DestroyContainer } from \"base/DestroyContainer\";\nimport { Message } from \"base/Message\";\nimport { LateShared } from \"components/LateShared\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MessageType } from \"types/MessageType\";\n\nexport function Process<T, R = unknown>(\n $base: MessageType<T>,\n builder: ConstructorType<[T], MessageType<R>>,\n) {\n return Message<R>((resolve, reject) => {\n const $res = LateShared<R>();\n const dc = DestroyContainer();\n\n $base.then((v) => {\n dc.destroy();\n const $msg = builder(v);\n dc.add($msg);\n $res.chain($msg);\n $msg.catch(reject);\n });\n $base.catch(reject);\n $res.then(resolve);\n\n return () => {\n dc.destroy();\n };\n });\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Creates a sequence that accumulates all values from the source into an array,\n * emitting the growing array with each new value.\n */\nexport function Sequence<T>($base: MessageType<T>) {\n return Message<T[]>((r) => {\n const result: T[] = [];\n $base.then((v) => {\n result.push(v);\n r(result);\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * Component that receives a data array and yields values one by one\n */\nexport function Stream<T>(base: MaybeMessage<T[]>) {\n const $base = ActualMessage(base);\n return Message<T>((r) => {\n $base.then((v) => {\n v.forEach((cv) => {\n r(cv);\n });\n });\n });\n}\n"],"names":["isFilled","value","isMessage","o","then","isSource","use","isDestroyable","destroy","isDestroyed","destroyed","Destroyable","base","DestroyableImpl","constructor","this","DestroyContainer","DestroyContainerImpl","__publicField","add","e","destructors","push","forEach","d","length","Rejections","reason","lastRejectReason","catchers","catcher","rejected","ensureFunction","v","label","Error","ensureMessage","Message","executor","everyThenCallsExecutor","MessageRx","resolve","dc","rejections","reject","catch","Of","r","ActualMessage","message","Chainable","src","ChainableImpl","chain","$m","bind","Local","_base","$base","MessageSource","messageExecutor","sourceExecutor","MessageSourceImpl","resolved","New","construct","Void","All","messages","$messages","map","known","Set","Object","keys","filled","result","size","m","key","keysFilled","keysKnown","toString","Any","Applied","applier","AppliedDestructured","args","Late","LateImpl","lateR","notify","Catch","$error","Chain","$latest","handleMessage","index","next","oneMessage","Context","msg","$msg","transport","get","error","ContextChain","context","Map","Primitive","theValue","PrimitiveImpl","ensureTouched","touched","Symbol","toPrimitive","primitive","primitiveWithException","Shared","SharedImpl","lastV","resolvers","source","resolver","clear","LateShared","ContextOf","set","t","Filtered","predicate","defaultValue","Nothing","Empty","EmptyImpl","$empty","empty","ExecutorApplied","FromEvent","emitter","eventName","subscribeMethod","unsubscribeMethod","$emitter","$eventName","$subscribeMethod","$unsubscribeMethod","lastR","handler","subscribe","unsubscribe","target","infos","val","$val","info","Once","Process","builder","$res","Sequence","Stream","cv"],"mappings":"AAOa,MAAAA,EACXC,GAEOA,QAMF,SAASC,EAAUC,GAEtB,OAAM,OAANA,GACa,iBAANA,GACP,SAAUA,GACiB,mBAAnBA,EAAUC,IAEtB,CAKO,SAASC,EAASF,GAErB,OAAM,OAANA,GACa,iBAANA,GACP,QAASA,GACiB,mBAAlBA,EAAUG,GAEtB,CAKO,SAASC,EAAcJ,GAE1B,OAAM,OAANA,GACa,iBAANA,GACP,YAAaA,GACiB,mBAAtBA,EAAUK,OAEtB,CAKO,SAASC,EAAYN,GAExB,OAAM,OAANA,GACa,iBAANA,GACP,cAAeA,GACiB,mBAAxBA,EAAUO,SAEtB,CCpDO,SAASC,EAAeC,GACtB,OAAA,IAAIC,EAAgBD,EAC7B,CAEO,MAAMC,EACJ,WAAAC,CAAoBF,GAAAG,KAAAH,KAAAA,CAAA,CAEpB,OAAAJ,GASE,OARHD,EAAcQ,KAAKH,OACrBG,KAAKH,KAAKJ,UAGa,mBAAdO,KAAKH,MACdG,KAAKH,OAGAG,IAAA,uIChBJ,SAASC,IACd,OAAO,IAAIC,CACb,CAEO,MAAMA,EAAN,WAAAH,GACLI,EAAAH,KAAQ,cAAiC,GAAC,CAEnC,GAAAI,CAAOC,GAEL,OADPL,KAAKM,YAAYC,KAAKX,EAAYS,IAC3BA,CAAA,CAGF,OAAAZ,GAGE,OAFPO,KAAKM,YAAYE,SAASC,GAAMA,EAAEhB,YAClCO,KAAKM,YAAYI,OAAS,EACnBV,IAAA,4JCjBJ,MAAMW,EAAN,WAAAZ,GACLI,EAAAH,KAAQ,WAAyC,IACjDG,EAAAH,KAAQ,mBAA4B,MAE7BG,EAAAH,KAAA,UAAUY,IACfZ,KAAKa,iBAAmBD,EACnBZ,KAAAc,SAASN,SAASO,IACrBA,EAAQH,EAAM,GACf,GACH,CAEO,MAAMI,GAKJ,OAJuB,OAA1BhB,KAAKa,kBACPG,EAAShB,KAAKa,kBAEXb,KAAAc,SAASP,KAAKS,GACZhB,IAAA,CAGF,OAAAP,GAEE,OADPO,KAAKc,SAASJ,OAAS,EAChBV,IAAA,ECxBK,SAAAiB,EAAeC,EAAYC,GACrC,GAAa,mBAAND,EACT,MAAM,IAAIE,MAAM,GAAGD,qBAEvB,CAEgB,SAAAE,EAAcH,EAAYC,GACpC,IAAChC,EAAU+B,GACb,MAAM,IAAIE,MAAM,GAAGD,oBAEvB,2JCIgB,SAAAG,EACdC,EACAC,GAAkC,GAE3B,OAAA,IAAIC,EAAaF,EAAUC,EACpC,CAKO,MAAMC,EAIJ,WAAA1B,CACGwB,EACAC,GAAkC,GADlCxB,KAAAuB,SAAAA,EACAvB,KAAAwB,uBAAAA,EALFrB,EAAAH,KAAA,aAAa,IAAIW,GACzBR,EAAAH,KAAQ,KAAKC,KAMXgB,EAAeM,EAAU,oBAAmB,CAGvC,IAAAlC,CAAKqC,GACN,IACG1B,KAAA2B,GAAGvB,IAAIJ,KAAKuB,SAASG,EAAS1B,KAAK4B,WAAWC,eAC5CxB,GACFL,KAAA4B,WAAWC,OAAOxB,EAAC,CAEnB,OAAAL,IAAA,CAGF,MAAMgB,GAEJ,OADFhB,KAAA4B,WAAWE,MAAMd,GACfhB,IAAA,CAGF,OAAAP,GAGE,OAFPO,KAAK2B,GAAGlC,UACRO,KAAK4B,WAAWnC,UACTO,IAAA,ECjDJ,SAAS+B,EAAM7C,GACb,OAAAoC,GAAW,SAAgBU,GAChCA,EAAE9C,EAAK,GAEX,CCAO,SAAS+C,EAAiBC,GAC/B,OAAO/C,EAAU+C,GAAWA,EAAUH,EAAGG,EAC3C,CCHO,SAASC,EAAaC,GACpB,OAAA,IAAIC,EAAcD,EAC3B,CAEO,MAAMC,EACJ,WAAAtC,CAAoBqC,GAAApC,KAAAoC,IAAAA,CAAA,CAEpB,KAAAE,CAAMC,GAEJ,OADPA,EAAGlD,KAAKW,KAAKoC,IAAI7C,IAAIiD,KAAKxC,KAAKoC,MACxBpC,IAAA,ECVJ,SAASyC,EAASC,GACjB,MAAAC,EAAQV,EAAcS,GACrB,OAAApB,GAAW,SAAmBU,GACnC,IAAIrC,GAAY,EAMhB,OALMgD,EAAAtD,MAAM6B,IACLvB,GACHqC,EAAEd,EAAC,IAGA,KACOvB,GAAA,CAAA,CACd,GAEJ,sICbgB,SAAAiD,EACdC,EACAC,GAEO,OAAA,IAAIC,EAAkBF,EAAiBC,EAChD,CAEO,MAAMC,EAGJ,WAAAhD,CACL8C,EACQC,GAAA9C,KAAA8C,eAAAA,EAJF3C,EAAAH,KAAA,WAMDA,KAAAkC,QAAUZ,EAAQuB,EAAe,CAGjC,GAAAtD,CAAIL,GAEF,OADPc,KAAK8C,eAAe5D,GACbc,IAAA,CAGF,IAAAX,CAAK2D,GAEH,OADFhD,KAAAkC,QAAQ7C,KAAK2D,GACXhD,IAAA,CAGF,MAAMgB,GAEJ,OADFhB,KAAAkC,QAAQJ,MAAMd,GACZhB,IAAA,EC7BJ,SAASiD,EAAOC,GACd,OAAA5B,GAAW,SAAiBI,GACjCA,EAAQwB,IAAW,GAEvB,CCPO,SAASC,IACd,MAAO,MACT,CCiBO,SAASC,KAAuCC,GAC/C,MAAAC,EAAYD,EAASE,IAAItB,GACxB,OAAAX,GAAmC,SAAiBU,GACzD,MAAMwB,EAAQ,IAAIC,IAAYC,OAAOC,KAAKN,IACpCO,MAAaH,IACbI,EAAoB,GACP,IAAfL,EAAMM,KAIAR,EAAAC,KAAI,CAACQ,EAAGC,KACdD,EAAA1E,MAAM6B,IAxBM,IAAC+C,EAAyBC,EAyB/BN,EAAAxD,IAAI4D,EAAIG,YACfN,EAAOG,GAAO9C,EA1BwBgD,EA2BdV,GA3BXS,EA2BGL,GA1BJE,KAAO,GAAKG,EAAWH,OAASI,EAAUJ,MA2BpD9B,EAAE6B,EAAmC,GAExC,IAVD7B,EAAE,GAWH,GAEL,CCnCO,SAASoC,KAAgBf,GACxB,MAAAC,EAAYD,EAASE,IAAItB,GACxB,OAAAX,GAAW,SAAiBU,GACvBsB,EAAA9C,SAAS0B,IACjBA,EAAQ7C,KAAK2C,EAAC,GACf,GAEL,CCNgB,SAAAqC,EACdxE,EACAyE,GAEM,MAAA3B,EAAQV,EAAcpC,GACrB,OAAAyB,GAAW,SAAqBU,GAC/BW,EAAAtD,MAAM6B,IACRc,EAAAsC,EAAQpD,GAAE,GACb,GAEL,CCXgB,SAAAqD,EACd5B,EACA2B,GAEA,OAAOD,EAAQ1B,GAAO,SAAiC6B,GAC9C,OAAAF,KAAWE,EAAI,GAE1B,2JCJO,SAASC,EAAQvD,GACf,OAAA,IAAIwD,EAAYxD,EACzB,CAEO,MAAMwD,EAaJ,WAAA3E,CAAoBmB,GAAAlB,KAAAkB,EAAAA,EAZnBf,EAAAH,KAAA,aAAa,IAAIW,GACzBR,EAAAH,KAAQ,QAAqC,MAC7CG,EAAAH,KAAQ,UAAS,KACf,GAAIf,EAASe,KAAKkB,IAAMlB,KAAK2E,MACvB,IACG3E,KAAA2E,MAAM3E,KAAKkB,SACTb,GACFL,KAAA4B,WAAWC,OAAOxB,EAAC,CAC1B,GAEJ,CAIO,IAAAhB,CAAK2C,GACV,GAAIhC,KAAK2E,MACP,MAAM,IAAIvD,MACR,yEAKG,OAFPpB,KAAK2E,MAAQ3C,EACbhC,KAAK4E,SACE5E,IAAA,CAGF,GAAAT,CAAIL,GAGF,OAFPc,KAAKkB,EAAIhC,EACTc,KAAK4E,SACE5E,IAAA,CAGF,MAAMgB,GAEJ,OADFhB,KAAA4B,WAAWE,MAAMd,GACfhB,IAAA,ECzCJ,SAAS6E,EAASlC,GACjB,MAAAf,EAAa,IAAIjB,EACjBgC,EAAAb,MAAMF,EAAWC,QACvB,MAAMiD,EAASL,IAKR,OAJI7C,EAAAE,OAAOzB,IAChByE,EAAOvF,IAAIc,EAAM,IAGZyE,CACT,CCAO,SAASC,KAA2C1B,GACnD,MAAAC,EAAYD,EAASE,IAAItB,GACxB,OAAAX,GAAmC,SAAmBU,GACvD,IAAAgD,EACE,MAAAC,EAAiBC,IACf,MAAAhD,EAAUoB,EAAU4B,GACpBC,EAAO7B,EAAU4B,EAAQ,GACvBhD,EAAA7C,MAAM6B,KAIP,SACPA,EACAiE,EACAD,GAEKC,IACOH,EAAA9D,GAER8D,GACFhD,EAAEgD,GAEAG,IAASH,GACXC,EAAcC,EAAQ,EACxB,CAhBaE,CAAAlE,EAAgCiE,EAAMD,EAAK,GACvD,EAiBHD,EAAc,EAAC,GAEnB,CC/BO,SAASI,EAAWC,GACnB,MAAAC,EAAOtD,EAAcqD,GACpB,OAAAhE,GAAW,CAACI,EAASG,KACrB0D,EAAAlG,MAAM6C,IACT,MAAMsD,EAAYH,EAAQG,UAAUC,IAAIvD,EAAQsD,WAChD,QAAkB,IAAdA,EACF,MAAM,IAAIpE,MAAM,8BAA8Bc,EAAQsD,aAEnDtD,EAAQ2B,SACX3B,EAAQ2B,OAASnC,GAEdQ,EAAQwD,QACXxD,EAAQwD,MAAQ7D,GAEd,IACF2D,EAAUtD,SACHwD,GACP7D,EAAO6D,EAAK,IAEf,GAEL,CC5BO,SAASC,EAAa9F,GACrB,MAAA8C,EAAQV,EAAcpC,GAC5B,OAAQ+F,IACF,IAACA,EAAQ/B,OACL,MAAA,IAAIzC,MAAM,mDAEZuB,EAAAtD,KAAKuG,EAAQ/B,OAAM,CAE7B,CDTAwB,EAAQG,cAAgBK,yIEGR,SAAAC,EAAanD,EAAuBoD,EAAqB,MAChE,OAAA,IAAIC,EAAiBrD,EAAOoD,EACrC,CAEO,MAAMC,EAGJ,WAAAjG,CACG4C,EACAoD,EAAqB,MADrB/F,KAAA2C,MAAAA,EACA3C,KAAA+F,SAAAA,EAJV5F,EAAAH,KAAQ,WAAU,EAAA,CAOV,aAAAiG,GACDjG,KAAKkG,SACHlG,KAAA2C,MAAMtD,MAAM6B,IACflB,KAAK+F,SAAW7E,CAAA,IAGpBlB,KAAKkG,SAAU,CAAA,CAGjB,CAAQC,OAAOC,eAEb,OADApG,KAAKiG,gBACEjG,KAAK+F,QAAA,CAGP,SAAAM,GAEL,OADArG,KAAKiG,gBACEjG,KAAK+F,QAAA,CAGP,sBAAAO,GAED,GADJtG,KAAKiG,gBACiB,OAAlBjG,KAAK+F,SACD,MAAA,IAAI3E,MAAM,2BAElB,OAAOpB,KAAK+F,QAAA,4JClCT,SAASQ,EAAU5D,GACjB,OAAA,IAAI6D,EAAc7D,EAC3B,CAEO,MAAM6D,EAWJ,WAAAzG,CAAoB4C,GAAA3C,KAAA2C,MAAAA,EAVnBxC,EAAAH,KAAA,YAAYkB,IAClBlB,KAAKyG,MAAQvF,EACRlB,KAAA0G,UAAUlG,SAASwB,IACtBA,EAAEd,EAAC,GACJ,IAEKf,EAAAH,KAAA,SACAG,EAAAH,KAAA,gBAAgByD,KAChBtD,EAAAH,KAAA,UAGFV,EAASqD,KACX3C,KAAK2G,OAAShE,EAChB,CAGK,IAAAtD,CAAK2D,GAOH,OANFhD,KAAA0G,UAAUtG,IAAI4C,GACS,IAAxBhD,KAAK0G,UAAU5C,KACZ9D,KAAA2C,MAAMtD,KAAKW,KAAK4G,UACZ3H,EAASe,KAAKyG,QACvBzD,EAAShD,KAAKyG,OAETzG,IAAA,CAGF,GAAAT,CAAIL,GAMF,OALHc,KAAK2G,OACF3G,KAAA2G,OAAOpH,IAAIL,GAEhBc,KAAK4G,SAAS1H,GAETc,IAAA,CAGF,MAAMgB,GAEJ,OADFhB,KAAA2C,MAAMb,MAAMd,GACVhB,IAAA,CAGF,OAAAP,GAEE,OADPO,KAAK0G,UAAUG,QACR7G,IAAA,CAGF,KAAAd,GACL,OAAO4G,EAAU9F,KAAI,CAGhB,KAAAsC,CAAMyB,GAEJ,OADPA,EAAE1E,KAAKW,KAAKT,IAAIiD,KAAKxC,OACdA,IAAA,EC5DJ,SAAS8G,EAAc5H,GAE5B,OAAOqH,EADG9B,EAAKvF,GAEjB,CCDO,SAAS6H,EAAUvB,GACxB,MAAMD,EAAOuB,IAEN,OADPzB,EAAQG,UAAUwB,IAAIxB,EAAWD,EAAKhG,IAAIiD,KAAK+C,IACxCjE,GAAsB2F,IAC3B1B,EAAKlG,KAAK4H,EAAC,GAEf,CCNgB,SAAAC,EACdrH,EACAsH,EACAC,GAEM,MAAAzE,EAAQV,EAAcpC,GACrB,OAAAyB,GAAW,SAAsBU,GAChCW,EAAAtD,MAAM6B,IACNiG,EAAUjG,GACZc,EAAEd,QACwB,IAAjBkG,GACTpF,EAAEoF,EAAY,GAEjB,GAEL,yIClBa,MAAAC,GAAUlB,OAAO,WAMvB,SAASmB,GAAS3E,GAChB,OAAA,IAAI4E,GAAa5E,EAC1B,CAEO,MAAM4E,GAGJ,WAAAxH,CAAoB4C,GAAA3C,KAAA2C,MAAAA,EAF3BxC,GAAAH,KAAQ,SAAS8G,IAAoB,CAI9B,OAAA5E,GAML,OALAqE,EAAOvG,KAAK2C,OAAOtD,MAAM6B,IACnBA,IAAMmG,IACHrH,KAAAwH,OAAOjI,KAAI,EAAI,IAGjB2H,EAASlH,KAAK2C,OAAQzB,GAAMA,IAAMmG,IAAO,CAG3C,KAAAI,GACL,OAAOzH,KAAKwH,MAAA,ECrBA,SAAAE,GACd/E,EACA2B,GAEO,OAAAhD,GAAW,SAA6BU,GACvCW,EAAAtD,KAAKiF,EAAQtC,GAAE,GAEzB,CCLO,SAAS2F,GACdC,EACAC,EACAC,EACAC,GAEM,MAAAC,EAAW/F,EAAc2F,GACzBK,EAAahG,EAAc4F,GAC3BK,EAAmBjG,EAAc6F,GACjCK,EAAqBlG,EAAc8F,GAClC,OAAAzG,GAAYU,IACjB,IAAIoG,EAAqC,KACnC,MAAAC,EAAWnH,IACXkH,GACFA,EAAMlH,EAAC,EAYX,OATIkC,EAAA4E,EAAUC,EAAYC,GAAkB7I,MAC1C,EAAEuI,EAASC,EAAWS,MACZF,EAAApG,EACH4F,IAAUU,IAGfV,EAAQU,GAAWT,EAAWQ,EAAO,IAGlC,KACGD,EAAA,KACHD,GAGD/E,EAAA4E,EAAUC,EAAYE,GAAoB9I,MAC5C,EAAEuI,EAASC,EAAWU,MACpBX,IAAUW,KAAyBV,EAAWQ,EAAO,GAEzD,CACF,GAEJ,CCrCgB,SAAAxC,GACdhG,EACA2I,GAEM,MAAA7F,EAAQV,EAAcpC,GACrB,OAAAyB,GAAeU,IACpB,MAAMyG,EAA2B,GAC3B9G,EAAK1B,IACL0C,EAAAtD,MAAM6B,IACVS,EAAGlC,UACDyB,EAAAV,SAASkI,IACT,IAAIC,EAA2BD,EAC1BvJ,EAAUwJ,KACbA,EAAO5G,EAAG4G,IAEN,MAAAC,EAAOJ,EAAOG,GACpBhH,EAAGvB,IAAIwI,GACPH,EAAMlI,KAAKqI,EAAI,IAEjBxF,KAAOqF,GAAOpJ,KAAK2C,EAAC,GACrB,GAEL,CC3BO,SAAS6G,GAAQlG,GACf,OAAArB,GAAYU,IACjB,IAAI/C,GAAW,EACT0D,EAAAtD,MAAM6B,IACLjC,IACQA,GAAA,EACX+C,EAAEd,GAAC,GAEN,GAEL,CCZgB,SAAA4H,GACdnG,EACAoG,GAEO,OAAAzH,GAAW,CAACI,EAASG,KAC1B,MAAMmH,EAAOlC,IACPnF,EAAK1B,IAYX,OAVM0C,EAAAtD,MAAM6B,IACVS,EAAGlC,UACG,MAAA8F,EAAOwD,EAAQ7H,GACrBS,EAAGvB,IAAImF,GACPyD,EAAK1G,MAAMiD,GACXA,EAAKzD,MAAMD,EAAM,IAEnBc,EAAMb,MAAMD,GACZmH,EAAK3J,KAAKqC,GAEH,KACLC,EAAGlC,SAAQ,CACb,GAEJ,CCrBO,SAASwJ,GAAYtG,GACnB,OAAArB,GAAcU,IACnB,MAAM6B,EAAc,GACdlB,EAAAtD,MAAM6B,IACV2C,EAAOtD,KAAKW,GACZc,EAAE6B,EAAM,GACT,GAEL,CCRO,SAASqF,GAAUrJ,GAClB,MAAA8C,EAAQV,EAAcpC,GACrB,OAAAyB,GAAYU,IACXW,EAAAtD,MAAM6B,IACRA,EAAAV,SAAS2I,IACTnH,EAAEmH,EAAE,GACL,GACF,GAEL"}
1
+ {"version":3,"file":"silentium.min.mjs","sources":["../src/helpers/guards.ts","../src/base/Destroyable.ts","../src/base/DestroyContainer.ts","../src/base/Rejections.ts","../src/helpers/ensures.ts","../src/base/Message.ts","../src/base/Of.ts","../src/base/ActualMessage.ts","../src/base/Chainable.ts","../src/base/Local.ts","../src/base/MessageSource.ts","../src/base/New.ts","../src/base/Void.ts","../src/components/All.ts","../src/components/Any.ts","../src/components/Applied.ts","../src/components/AppliedDestructured.ts","../src/components/Late.ts","../src/components/Catch.ts","../src/components/Chain.ts","../src/components/Context.ts","../src/components/ContextChain.ts","../src/components/Primitive.ts","../src/components/Shared.ts","../src/components/LateShared.ts","../src/components/ContextOf.ts","../src/components/Filtered.ts","../src/components/Empty.ts","../src/components/ExecutorApplied.ts","../src/components/Freeze.ts","../src/components/FromEvent.ts","../src/components/Map.ts","../src/components/Once.ts","../src/components/Process.ts","../src/components/Sequence.ts","../src/components/Stream.ts"],"sourcesContent":["import { DestroyableType, DestroyedType } from \"types/DestroyableType\";\nimport { MessageType } from \"types/MessageType\";\nimport { SourceType } from \"types/SourceType\";\n\n/**\n * Checks that the value is neither undefined nor null\n */\nexport const isFilled = <T>(\n value?: T,\n): value is Exclude<T, null | undefined> => {\n return value !== undefined && value !== null;\n};\n\n/**\n * Checks that the object is an message\n */\nexport function isMessage(o: unknown): o is MessageType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"then\" in o &&\n typeof (o as any).then === \"function\"\n );\n}\n\n/**\n * Checks that the object is an message\n */\nexport function isSource(o: unknown): o is SourceType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"use\" in o &&\n typeof (o as any).use === \"function\"\n );\n}\n\n/**\n * Checks that the object is destroyable\n */\nexport function isDestroyable(o: unknown): o is DestroyableType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"destroy\" in o &&\n typeof (o as any).destroy === \"function\"\n );\n}\n\n/**\n * Checks that the object can indicate whether it has been destroyed or not\n */\nexport function isDestroyed(o: unknown): o is DestroyedType {\n return (\n o !== null &&\n typeof o === \"object\" &&\n \"destroyed\" in o &&\n typeof (o as any).destroyed === \"function\"\n );\n}\n","import { isDestroyable } from \"helpers/guards\";\nimport { DestroyableType } from \"types/DestroyableType\";\n\n/**\n * Allows creating an object that definitely has a destructor,\n * useful to avoid creating unnecessary conditions\n */\nexport function Destroyable<T>(base: T) {\n return new DestroyableImpl(base);\n}\n\nexport class DestroyableImpl<T> implements DestroyableType {\n public constructor(private base: T) {}\n\n public destroy(): this {\n if (isDestroyable(this.base)) {\n this.base.destroy();\n }\n\n if (typeof this.base === \"function\") {\n this.base();\n }\n\n return this;\n }\n}\n","import { Destroyable } from \"base/Destroyable\";\nimport { DestroyableType } from \"types/DestroyableType\";\n\n/**\n * An object that allows collecting all disposable objects and\n * disposing them later all together\n */\nexport function DestroyContainer() {\n return new DestroyContainerImpl();\n}\n\nexport class DestroyContainerImpl implements DestroyableType {\n private destructors: DestroyableType[] = [];\n\n public add<R>(e: R): R {\n this.destructors.push(Destroyable(e));\n return e;\n }\n\n public destroy() {\n this.destructors.forEach((d) => d.destroy());\n this.destructors.length = 0;\n return this;\n }\n}\n","import { ConstructorType } from \"types/ConstructorType\";\n\n/**\n * Handles rejections collection\n */\nexport class Rejections {\n private catchers: ConstructorType<[unknown]>[] = [];\n private lastRejectReason: unknown = null;\n\n public reject = (reason: unknown) => {\n this.lastRejectReason = reason;\n this.catchers.forEach((catcher) => {\n catcher(reason);\n });\n };\n\n public catch(rejected: ConstructorType<[unknown]>) {\n if (this.lastRejectReason !== null) {\n rejected(this.lastRejectReason);\n }\n this.catchers.push(rejected);\n return this;\n }\n\n public destroy() {\n this.catchers.length = 0;\n return this;\n }\n}\n","import { isMessage } from \"helpers/guards\";\n\nexport function ensureFunction(v: unknown, label: string) {\n if (typeof v !== \"function\") {\n throw new Error(`${label}: is not function`);\n }\n}\n\nexport function ensureMessage(v: unknown, label: string) {\n if (!isMessage(v)) {\n throw new Error(`${label}: is not message`);\n }\n}\n","import { DestroyContainer } from \"base/DestroyContainer\";\nimport { Rejections } from \"base/Rejections\";\nimport { ensureFunction } from \"helpers/ensures\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { DestroyableType } from \"types/DestroyableType\";\nimport { MessageType } from \"types/MessageType\";\n\nexport type MessageExecutorType<T> = (\n resolve: ConstructorType<[T]>,\n reject: ConstructorType<[unknown]>,\n) => MessageType | (() => void) | void;\n\n/**\n * A message created from an executor function.\n * The executor function can return a message destruction function.\n */\nexport function Message<T>(executor: MessageExecutorType<T>) {\n return new MessageRx<T>(executor);\n}\n\n/**\n * Reactive message implementation\n */\nexport class MessageRx<T> implements MessageType<T>, DestroyableType {\n private rejections = new Rejections();\n private dc = DestroyContainer();\n\n public constructor(private executor: MessageExecutorType<T>) {\n ensureFunction(executor, \"Message: executor\");\n }\n\n public then(resolve: ConstructorType<[T]>) {\n try {\n this.dc.add(this.executor(resolve, this.rejections.reject));\n } catch (e: any) {\n this.rejections.reject(e);\n }\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>) {\n this.rejections.catch(rejected);\n return this;\n }\n\n public destroy() {\n this.dc.destroy();\n this.rejections.destroy();\n return this;\n }\n}\n","import { Message } from \"base/Message\";\n\n/**\n * Helps convert a value into a message\n */\nexport function Of<T>(value: T) {\n return Message<T>(function OfImpl(r) {\n r(value);\n });\n}\n","import { Of } from \"base/Of\";\nimport { isMessage } from \"helpers/guards\";\nimport { MaybeMessage, MessageType } from \"types/MessageType\";\n\n/**\n * A function that helps to ensure that\n * the message is indeed a message object\n * and not just a value\n */\nexport function ActualMessage<T>(message: MaybeMessage<T>): MessageType<T> {\n return isMessage(message) ? message : Of(message);\n}\n","import { ChainableType } from \"types/ChainableType\";\nimport { MessageType } from \"types/MessageType\";\nimport { SourceType } from \"types/SourceType\";\n\n/**\n * Helps to connect Different\n * message and source\n */\nexport function Chainable<T>(src: SourceType<T>) {\n return new ChainableImpl(src);\n}\n\nexport class ChainableImpl<T> implements ChainableType<T> {\n public constructor(private src: SourceType<T>) {}\n\n public chain($m: MessageType<T>) {\n $m.then(this.src.use.bind(this.src));\n return this;\n }\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * Create local copy of source what can be destroyed\n */\nexport function Local<T>(_base: MaybeMessage<T>) {\n const $base = ActualMessage(_base);\n return Message<T>(function LocalImpl(r) {\n let destroyed = false;\n $base.then((v) => {\n if (!destroyed) {\n r(v);\n }\n });\n return () => {\n destroyed = true;\n };\n });\n}\n","import { Message, MessageExecutorType, MessageRx } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MessageSourceType } from \"types/SourceType\";\n\n/**\n * Base message source object\n */\nexport function MessageSource<T>(\n messageExecutor: MessageExecutorType<T>,\n sourceExecutor: ConstructorType<[T]>,\n) {\n return new MessageSourceImpl(messageExecutor, sourceExecutor);\n}\n\nexport class MessageSourceImpl<T> implements MessageSourceType<T> {\n private message: MessageRx<T>;\n\n public constructor(\n messageExecutor: MessageExecutorType<T>,\n private sourceExecutor: ConstructorType<[T]>,\n ) {\n this.message = Message(messageExecutor);\n }\n\n public use(value: T): this {\n this.sourceExecutor(value);\n return this;\n }\n\n public then(resolved: ConstructorType<[T]>): this {\n this.message.then(resolved);\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>): this {\n this.message.catch(rejected);\n return this;\n }\n}\n","import { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\n\n/**\n * A component that, on each access, returns a new instance\n * of a reference type based on the constructor function\n */\nexport function New<T>(construct: ConstructorType<[], T>) {\n return Message<T>(function NewImpl(resolve) {\n resolve(construct());\n });\n}\n","/**\n * Resolver that does nothing with the passed value,\n * needed for silent message triggering\n */\nexport function Void() {\n return () => {};\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\ntype ExtractTypeS<T> = T extends MaybeMessage<infer U> ? U : never;\n\ntype ExtractTypesFromArrayS<T extends MaybeMessage<any>[]> = {\n [K in keyof T]: ExtractTypeS<T[K]>;\n};\n\nconst isAllFilled = (keysFilled: Set<string>, keysKnown: Set<string>) => {\n return keysFilled.size > 0 && keysFilled.size === keysKnown.size;\n};\n\n/**\n * A message that represents values from\n * all provided messages as an array.\n * When all messages emit their values,\n * the combined value will be returned.\n * If at least one message later emits a new\n * value, the updated array with the new value\n * will be emitted by All.\n */\nexport function All<const T extends MaybeMessage[]>(...messages: T) {\n const $messages = messages.map(ActualMessage);\n return Message<ExtractTypesFromArrayS<T>>(function AllImpl(resolve, reject) {\n const known = new Set<string>(Object.keys(messages));\n const filled = new Set<string>();\n const result: unknown[] = [];\n if (known.size === 0) {\n resolve([] as ExtractTypesFromArrayS<T>);\n return;\n }\n $messages.map((m, key) => {\n m.catch(reject);\n m.then((v) => {\n filled.add(key.toString());\n result[key] = v;\n if (isAllFilled(filled, known)) {\n resolve(result as ExtractTypesFromArrayS<T>);\n }\n });\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * A message that emits values received from\n * any of its bound messages\n */\nexport function Any<const T>(...messages: MaybeMessage<T>[]) {\n const $messages = messages.map(ActualMessage);\n return Message<T>(function AnyImpl(resolve, reject) {\n $messages.forEach((message) => {\n message.catch(reject);\n message.then(resolve);\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * An message that applies a function\n * to the value of the base message\n */\nexport function Applied<const T, R>(\n base: MaybeMessage<T>,\n applier: ConstructorType<[T], R>,\n) {\n const $base = ActualMessage(base);\n return Message<R>(function AppliedImpl(resolve, reject) {\n $base.catch(reject);\n $base.then((v) => {\n resolve(applier(v));\n });\n });\n}\n","import { Applied } from \"components/Applied\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * Allows applying variables from an message that passes an array to a function,\n * where each element of the array will be passed as a separate argument\n */\nexport function AppliedDestructured<const T extends any[], R>(\n $base: MaybeMessage<T>,\n applier: ConstructorType<T[number][], R>,\n) {\n return Applied($base, function AppliedDestructuredImpl(args) {\n return applier(...args);\n });\n}\n","import { Rejections } from \"base/Rejections\";\nimport { isFilled } from \"helpers/guards\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MessageSourceType } from \"types/SourceType\";\n\n/**\n * A component that allows creating linked objects of information and its owner\n * in such a way that if a new value is assigned to the owner, this value\n * will become the value of the linked information source\n * https://silentium-lab.github.io/silentium/#/en/information/of\n */\nexport function Late<T>(v?: T) {\n return new LateImpl<T>(v);\n}\n\nexport class LateImpl<T> implements MessageSourceType<T> {\n private rejections = new Rejections();\n private lateR: ConstructorType<[T]> | null = null;\n private notify = () => {\n if (isFilled(this.v) && this.lateR) {\n try {\n this.lateR(this.v);\n } catch (e: any) {\n this.rejections.reject(e);\n }\n }\n };\n\n public constructor(private v?: T) {}\n\n public then(r: ConstructorType<[T]>): this {\n if (this.lateR) {\n throw new Error(\n \"Late component gets new resolver, when another was already connected!\",\n );\n }\n this.lateR = r;\n this.notify();\n return this;\n }\n\n public use(value: T): this {\n this.v = value;\n this.notify();\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>) {\n this.rejections.catch(rejected);\n return this;\n }\n}\n","import { Rejections } from \"base/Rejections\";\nimport { Late } from \"components/Late\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Message with error catched\n * inside another message\n */\nexport function Catch<T>($base: MessageType) {\n const rejections = new Rejections();\n $base.catch(rejections.reject);\n const $error = Late<T>();\n rejections.catch((e) => {\n $error.use(e as T);\n });\n\n return $error;\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MessageType, MessageTypeValue } from \"types/MessageType\";\n\n// eslint-disable-next-line @typescript-eslint/no-unused-vars\ntype Last<T extends readonly any[]> = T extends readonly [...infer _, infer L]\n ? L\n : never;\n\n/**\n * Chains messages together and triggers\n * the last message only when all previous messages\n * have emitted their values. The value of Chain will be the value\n * of the last message. If any messages\n * emit a value again after the overall Chain response was already returned,\n * then Chain emits again with the value of the last message.\n */\nexport function Chain<T extends readonly MessageType[]>(...messages: T) {\n const $messages = messages.map(ActualMessage);\n return Message<MessageTypeValue<Last<T>>>(\n function ChainImpl(resolve, reject) {\n let $latest: MessageTypeValue<Last<T>> | undefined;\n const handleMessage = (index: number) => {\n const message = $messages[index] as Last<T>;\n message.catch(reject);\n const next = $messages[index + 1] as Last<T> | undefined;\n message.then((v) => {\n oneMessage(v as MessageTypeValue<Last<T>>, next, index);\n });\n };\n function oneMessage(\n v: MessageTypeValue<Last<T>>,\n next: Last<T> | undefined,\n index: number,\n ) {\n if (!next) {\n $latest = v as MessageTypeValue<Last<T>>;\n }\n if ($latest) {\n resolve($latest);\n }\n if (next && !$latest) {\n handleMessage(index + 1);\n }\n }\n handleMessage(0);\n },\n );\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { ContextType } from \"types/ContextType\";\nimport { MaybeMessage } from \"types/MessageType\";\n\nContext.transport = new Map<any, ConstructorType<[ContextType]>>();\n\n/**\n * The ability to call an external system through\n * sending a message in a standardized format\n * ContextType, the list of transport should be defined via\n * the Context.transport map object\n */\nexport function Context<T>(msg: MaybeMessage<ContextType>) {\n const $msg = ActualMessage(msg);\n return Message<T>((resolve, reject) => {\n $msg.then((message) => {\n const transport = Context.transport.get(message.transport);\n if (transport === undefined) {\n throw new Error(`Context: unknown transport ${message.transport}`);\n }\n if (!message.result) {\n message.result = resolve;\n }\n if (!message.error) {\n message.error = reject;\n }\n try {\n transport(message);\n } catch (error) {\n reject(error);\n }\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { MaybeMessage } from \"types/MessageType\";\nimport { ContextType } from \"types/ContextType\";\n\n/**\n * Connects an external message to an RPC message chain\n */\nexport function ContextChain(base: MaybeMessage) {\n const $base = ActualMessage(base);\n return (context: ContextType) => {\n if (!context.result) {\n throw new Error(\"ContextChain did not find result in rpc message\");\n }\n $base.then(context.result);\n };\n}\n","import { MessageType } from \"types/MessageType\";\n\n/**\n * Helps represent an message as a primitive type, which can be useful\n * for cases when you need to always have a reference to the current value\n * without updating the shared value when the current one changes.\n * For example, this could be used when passing an authorization token.\n * It can also be useful for testing or logging purposes.\n */\nexport function Primitive<T>($base: MessageType<T>, theValue: T | null = null) {\n return new PrimitiveImpl<T>($base, theValue);\n}\n\nexport class PrimitiveImpl<T> {\n private touched = false;\n\n public constructor(\n private $base: MessageType<T>,\n private theValue: T | null = null,\n ) {}\n\n private ensureTouched() {\n if (!this.touched) {\n this.$base.then((v) => {\n this.theValue = v;\n });\n }\n this.touched = true;\n }\n\n public [Symbol.toPrimitive]() {\n this.ensureTouched();\n return this.theValue;\n }\n\n public primitive() {\n this.ensureTouched();\n return this.theValue;\n }\n\n public primitiveWithException() {\n this.ensureTouched();\n if (this.theValue === null) {\n throw new Error(\"Primitive value is null\");\n }\n return this.theValue;\n }\n}\n","import { MessageType } from \"types/MessageType\";\nimport { MessageSourceType, SourceType } from \"types/SourceType\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { isFilled, isSource } from \"helpers/guards\";\nimport { Primitive } from \"components/Primitive\";\nimport { ChainableType } from \"types/ChainableType\";\n\n/**\n * An information object that helps multiple owners access\n * a single another information object\n */\nexport function Shared<T>($base: MessageType<T> | MessageSourceType<T>) {\n return new SharedImpl<T>($base);\n}\n\nexport class SharedImpl<T> implements MessageSourceType<T>, ChainableType<T> {\n private resolver = (v: T) => {\n this.lastV = v;\n this.resolvers.forEach((r) => {\n r(v);\n });\n };\n private lastV: T | undefined;\n private resolvers = new Set<ConstructorType<[T]>>();\n private source?: SourceType<T>;\n\n public constructor(private $base: MessageType<T> | MessageSourceType<T>) {\n if (isSource($base)) {\n this.source = $base;\n }\n }\n\n public then(resolved: ConstructorType<[T]>) {\n this.resolvers.add(resolved);\n if (this.resolvers.size === 1) {\n this.$base.then(this.resolver);\n } else if (isFilled(this.lastV)) {\n resolved(this.lastV);\n }\n return this;\n }\n\n public use(value: T) {\n if (this.source) {\n this.source.use(value);\n } else {\n this.resolver(value);\n }\n return this;\n }\n\n public catch(rejected: ConstructorType<[unknown]>) {\n this.$base.catch(rejected);\n return this;\n }\n\n public destroy() {\n this.resolvers.clear();\n return this;\n }\n\n public value() {\n return Primitive(this);\n }\n\n public chain(m: MessageType<T>) {\n m.then(this.use.bind(this));\n return this;\n }\n}\n","import { Late } from \"components/Late\";\nimport { Shared } from \"components/Shared\";\n\n/**\n * An message with a value that will be set later,\n * capable of responding to many resolvers\n */\nexport function LateShared<T>(value?: T) {\n const l = Late(value);\n return Shared(l);\n}\n","import { Message } from \"base/Message\";\nimport { LateShared } from \"components/LateShared\";\nimport { Context } from \"components/Context\";\nimport { ContextType } from \"types/ContextType\";\n\n/**\n * Message for the arrival of a specific RPC message\n * for specific transport\n */\nexport function ContextOf(transport: string) {\n const $msg = LateShared<ContextType>();\n Context.transport.set(transport, $msg.use.bind($msg));\n return Message<ContextType>((resolve, reject) => {\n $msg.catch(reject);\n $msg.then(resolve);\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MaybeMessage, MessageType } from \"types/MessageType\";\n\n/**\n * Filters values from the source message based on a predicate function,\n * optionally providing a default value when the predicate fails.\n */\nexport function Filtered<T>(\n base: MaybeMessage<T>,\n predicate: ConstructorType<[T], boolean>,\n defaultValue?: T,\n): MessageType<T> {\n const $base = ActualMessage(base);\n return Message<T>(function FilteredImpl(resolve, reject) {\n $base.catch(reject);\n $base.then((v) => {\n if (predicate(v)) {\n resolve(v);\n } else if (defaultValue !== undefined) {\n resolve(defaultValue);\n }\n });\n });\n}\n","import { Filtered } from \"components/Filtered\";\nimport { LateShared } from \"components/LateShared\";\nimport { Shared } from \"components/Shared\";\nimport { EmptyType } from \"types/EmptyType\";\nimport { MessageType } from \"types/MessageType\";\n\nexport const Nothing = Symbol(\"nothing\");\n\n/**\n * Helps to split message and empty\n * response\n */\nexport function Empty<T>($base: MessageType<T>) {\n return new EmptyImpl<T>($base);\n}\n\nexport class EmptyImpl<T> implements EmptyType {\n private $empty = LateShared<boolean>();\n\n public constructor(private $base: MessageType<T>) {}\n\n public message() {\n Shared(this.$base).then((v) => {\n if (v === Nothing) {\n this.$empty.use(true);\n }\n });\n return Filtered(this.$base, (v) => v !== Nothing);\n }\n\n public empty(): MessageType<boolean> {\n return this.$empty;\n }\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\ntype ExecutorApplier<T> = (executor: (v: T) => void) => (v: T) => void;\n\n/**\n * Applies a value transfer function to the resolver\n * and returns the same value transfer function for the resolver\n * Useful for applying functions like debounced or throttle\n */\nexport function ExecutorApplied<T>(\n $base: MessageType<T>,\n applier: ExecutorApplier<T>,\n) {\n return Message<T>(function ExecutorAppliedImpl(resolve, reject) {\n $base.catch(reject);\n $base.then(applier(resolve));\n });\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Message what freezes first known value\n */\nexport function Freeze<T>($base: MessageType<T>, $invalidate?: MessageType<T>) {\n let freezedValue: T | null = null;\n return Message<T>(function FreezeImpl(resolve, reject) {\n $base.catch(reject);\n $base.then((v) => {\n if (freezedValue === null) {\n freezedValue = v;\n }\n resolve(freezedValue as T);\n });\n\n $invalidate?.then(() => {\n freezedValue = null;\n });\n });\n}\n","import { MaybeMessage } from \"types/MessageType\";\nimport { All } from \"components/All\";\nimport { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { ConstructorType } from \"types/ConstructorType\";\n\n/**\n * A message derived from event with a different\n * method call interface, based on callbacks.\n * Allows attaching a custom handler to an existing event source\n * and presenting it as a silentium message\n */\nexport function FromEvent<T>(\n emitter: MaybeMessage<any>,\n eventName: MaybeMessage<string>,\n subscribeMethod: MaybeMessage<string>,\n unsubscribeMethod?: MaybeMessage<string>,\n) {\n const $emitter = ActualMessage(emitter);\n const $eventName = ActualMessage(eventName);\n const $subscribeMethod = ActualMessage(subscribeMethod);\n const $unsubscribeMethod = ActualMessage(unsubscribeMethod);\n return Message<T>((resolve, reject) => {\n $emitter.catch(reject);\n $eventName.catch(reject);\n $subscribeMethod.catch(reject);\n $unsubscribeMethod.catch(reject);\n let lastR: ConstructorType<[T]> | null = null;\n const handler = (v: T) => {\n if (lastR) {\n lastR(v);\n }\n };\n All($emitter, $eventName, $subscribeMethod).then(\n ([emitter, eventName, subscribe]) => {\n lastR = resolve;\n if (!emitter?.[subscribe]) {\n return;\n }\n emitter[subscribe](eventName, handler);\n },\n );\n return () => {\n lastR = null;\n if (!$unsubscribeMethod) {\n return;\n }\n All($emitter, $eventName, $unsubscribeMethod).then(\n ([emitter, eventName, unsubscribe]) => {\n emitter?.[unsubscribe as string]?.(eventName, handler);\n },\n );\n };\n });\n}\n","import { MaybeMessage, MessageType } from \"types/MessageType\";\nimport { All } from \"components/All\";\nimport { isMessage } from \"helpers/guards\";\nimport { Of } from \"base/Of\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { Message } from \"base/Message\";\nimport { ActualMessage } from \"base/ActualMessage\";\nimport { DestroyContainer } from \"base/DestroyContainer\";\n\n/**\n * Component that applies an info object constructor to each data item,\n * producing an information source with new values\n */\nexport function Map<T, TG>(\n base: MaybeMessage<T[]>,\n target: ConstructorType<[any], MessageType<TG>>,\n) {\n const $base = ActualMessage(base);\n return Message<TG[]>((resolve, reject) => {\n $base.catch(reject);\n const infos: MessageType<TG>[] = [];\n const dc = DestroyContainer();\n $base.then((v) => {\n dc.destroy();\n v.forEach((val) => {\n let $val: MessageType<T> | T = val;\n if (!isMessage($val as object)) {\n $val = Of($val);\n }\n const info = target($val);\n dc.add(info);\n infos.push(info);\n });\n All(...infos).then(resolve);\n });\n });\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Limits the number of values from the information source\n * to a single value - once the first value is emitted, no more\n * values are delivered from the source\n */\nexport function Once<T>($base: MessageType<T>) {\n return Message<T>((resolve, reject) => {\n let isFilled = false;\n $base.catch(reject);\n $base.then((v) => {\n if (!isFilled) {\n isFilled = true;\n resolve(v);\n }\n });\n });\n}\n","import { DestroyContainer } from \"base/DestroyContainer\";\nimport { Message } from \"base/Message\";\nimport { LateShared } from \"components/LateShared\";\nimport { ConstructorType } from \"types/ConstructorType\";\nimport { MessageType } from \"types/MessageType\";\n\nexport function Process<T, R = unknown>(\n $base: MessageType<T>,\n builder: ConstructorType<[T], MessageType<R>>,\n) {\n return Message<R>((resolve, reject) => {\n const $res = LateShared<R>();\n const dc = DestroyContainer();\n\n $base.then((v) => {\n dc.destroy();\n const $msg = builder(v);\n dc.add($msg);\n $res.chain($msg);\n $msg.catch(reject);\n });\n $base.catch(reject);\n $res.then(resolve);\n\n return () => {\n dc.destroy();\n };\n });\n}\n","import { Message } from \"base/Message\";\nimport { MessageType } from \"types/MessageType\";\n\n/**\n * Creates a sequence that accumulates all values from the source into an array,\n * emitting the growing array with each new value.\n */\nexport function Sequence<T>($base: MessageType<T>) {\n return Message<T[]>((resolve, reject) => {\n const result: T[] = [];\n $base.catch(reject);\n $base.then((v) => {\n result.push(v);\n resolve(result);\n });\n });\n}\n","import { ActualMessage } from \"base/ActualMessage\";\nimport { Message } from \"base/Message\";\nimport { MaybeMessage } from \"types/MessageType\";\n\n/**\n * Component that receives a data array and yields values one by one\n */\nexport function Stream<T>(base: MaybeMessage<T[]>) {\n const $base = ActualMessage(base);\n return Message<T>((resolve, reject) => {\n $base.catch(reject);\n $base.then((v) => {\n v.forEach((cv) => {\n resolve(cv);\n });\n });\n });\n}\n"],"names":["isFilled","value","isMessage","o","then","isSource","use","isDestroyable","destroy","isDestroyed","destroyed","Destroyable","base","DestroyableImpl","constructor","this","DestroyContainer","DestroyContainerImpl","__publicField","add","e","destructors","push","forEach","d","length","Rejections","reason","lastRejectReason","catchers","catcher","rejected","ensureFunction","v","label","Error","ensureMessage","Message","executor","MessageRx","resolve","dc","rejections","reject","catch","Of","r","ActualMessage","message","Chainable","src","ChainableImpl","chain","$m","bind","Local","_base","$base","MessageSource","messageExecutor","sourceExecutor","MessageSourceImpl","resolved","New","construct","Void","All","messages","$messages","map","known","Set","Object","keys","filled","result","size","m","key","keysFilled","keysKnown","toString","Any","Applied","applier","AppliedDestructured","args","Late","LateImpl","lateR","notify","Catch","$error","Chain","$latest","handleMessage","index","next","oneMessage","Context","msg","$msg","transport","get","error","ContextChain","context","Map","Primitive","theValue","PrimitiveImpl","ensureTouched","touched","Symbol","toPrimitive","primitive","primitiveWithException","Shared","SharedImpl","lastV","resolvers","source","resolver","clear","LateShared","ContextOf","set","Filtered","predicate","defaultValue","Nothing","Empty","EmptyImpl","$empty","empty","ExecutorApplied","Freeze","$invalidate","freezedValue","FromEvent","emitter","eventName","subscribeMethod","unsubscribeMethod","$emitter","$eventName","$subscribeMethod","$unsubscribeMethod","lastR","handler","subscribe","unsubscribe","target","infos","val","$val","info","Once","Process","builder","$res","Sequence","Stream","cv"],"mappings":"AAOO,MAAMA,EACXC,GAEOA,QAMF,SAASC,EAAUC,GACxB,OACQ,OAANA,GACa,iBAANA,GACP,SAAUA,GACiB,mBAAnBA,EAAUC,IAEtB,CAKO,SAASC,EAASF,GACvB,OACQ,OAANA,GACa,iBAANA,GACP,QAASA,GACiB,mBAAlBA,EAAUG,GAEtB,CAKO,SAASC,EAAcJ,GAC5B,OACQ,OAANA,GACa,iBAANA,GACP,YAAaA,GACiB,mBAAtBA,EAAUK,OAEtB,CAKO,SAASC,EAAYN,GAC1B,OACQ,OAANA,GACa,iBAANA,GACP,cAAeA,GACiB,mBAAxBA,EAAUO,SAEtB,CCpDO,SAASC,EAAeC,GAC7B,OAAO,IAAIC,EAAgBD,EAC7B,CAEO,MAAMC,EACJ,WAAAC,CAAoBF,GAAAG,KAAAH,KAAAA,CAAU,CAE9B,OAAAJ,GASL,OARID,EAAcQ,KAAKH,OACrBG,KAAKH,KAAKJ,UAGa,mBAAdO,KAAKH,MACdG,KAAKH,OAGAG,IACT,uICjBK,SAASC,IACd,OAAO,IAAIC,CACb,CAEO,MAAMA,EAAN,WAAAH,GACLI,EAAAH,KAAQ,cAAiC,GAAC,CAEnC,GAAAI,CAAOC,GAEZ,OADAL,KAAKM,YAAYC,KAAKX,EAAYS,IAC3BA,CACT,CAEO,OAAAZ,GAGL,OAFAO,KAAKM,YAAYE,QAASC,GAAMA,EAAEhB,WAClCO,KAAKM,YAAYI,OAAS,EACnBV,IACT,4JClBK,MAAMW,EAAN,WAAAZ,GACLI,EAAAH,KAAQ,WAAyC,IACjDG,EAAAH,KAAQ,mBAA4B,MAEpCG,EAAAH,KAAO,SAAUY,IACfZ,KAAKa,iBAAmBD,EACxBZ,KAAKc,SAASN,QAASO,IACrBA,EAAQH,MAEZ,CAEO,MAAMI,GAKX,OAJ8B,OAA1BhB,KAAKa,kBACPG,EAAShB,KAAKa,kBAEhBb,KAAKc,SAASP,KAAKS,GACZhB,IACT,CAEO,OAAAP,GAEL,OADAO,KAAKc,SAASJ,OAAS,EAChBV,IACT,ECzBK,SAASiB,EAAeC,EAAYC,GACzC,GAAiB,mBAAND,EACT,MAAM,IAAIE,MAAM,GAAGD,qBAEvB,CAEO,SAASE,EAAcH,EAAYC,GACxC,IAAKhC,EAAU+B,GACb,MAAM,IAAIE,MAAM,GAAGD,oBAEvB,2JCIO,SAASG,EAAWC,GACzB,OAAO,IAAIC,EAAaD,EAC1B,CAKO,MAAMC,EAIJ,WAAAzB,CAAoBwB,GAAAvB,KAAAuB,SAAAA,EAH3BpB,EAAAH,KAAQ,aAAa,IAAIW,GACzBR,EAAAH,KAAQ,KAAKC,KAGXgB,EAAeM,EAAU,oBAC3B,CAEO,IAAAlC,CAAKoC,GACV,IACEzB,KAAK0B,GAAGtB,IAAIJ,KAAKuB,SAASE,EAASzB,KAAK2B,WAAWC,QACrD,OAASvB,GACPL,KAAK2B,WAAWC,OAAOvB,EACzB,CACA,OAAOL,IACT,CAEO,MAAMgB,GAEX,OADAhB,KAAK2B,WAAWE,MAAMb,GACfhB,IACT,CAEO,OAAAP,GAGL,OAFAO,KAAK0B,GAAGjC,UACRO,KAAK2B,WAAWlC,UACTO,IACT,EC5CK,SAAS8B,EAAM5C,GACpB,OAAOoC,EAAW,SAAgBS,GAChCA,EAAE7C,EACJ,EACF,CCAO,SAAS8C,EAAiBC,GAC/B,OAAO9C,EAAU8C,GAAWA,EAAUH,EAAGG,EAC3C,CCHO,SAASC,EAAaC,GAC3B,OAAO,IAAIC,EAAcD,EAC3B,CAEO,MAAMC,EACJ,WAAArC,CAAoBoC,GAAAnC,KAAAmC,IAAAA,CAAqB,CAEzC,KAAAE,CAAMC,GAEX,OADAA,EAAGjD,KAAKW,KAAKmC,IAAI5C,IAAIgD,KAAKvC,KAAKmC,MACxBnC,IACT,ECXK,SAASwC,EAASC,GACvB,MAAMC,EAAQV,EAAcS,GAC5B,OAAOnB,EAAW,SAAmBS,GACnC,IAAIpC,GAAY,EAMhB,OALA+C,EAAMrD,KAAM6B,IACLvB,GACHoC,EAAEb,KAGC,KACLvB,GAAY,EAEhB,EACF,sICbO,SAASgD,EACdC,EACAC,GAEA,OAAO,IAAIC,EAAkBF,EAAiBC,EAChD,CAEO,MAAMC,EAGJ,WAAA/C,CACL6C,EACQC,GAAA7C,KAAA6C,eAAAA,EAJV1C,EAAAH,KAAQ,WAMNA,KAAKiC,QAAUX,EAAQsB,EACzB,CAEO,GAAArD,CAAIL,GAET,OADAc,KAAK6C,eAAe3D,GACbc,IACT,CAEO,IAAAX,CAAK0D,GAEV,OADA/C,KAAKiC,QAAQ5C,KAAK0D,GACX/C,IACT,CAEO,MAAMgB,GAEX,OADAhB,KAAKiC,QAAQJ,MAAMb,GACZhB,IACT,EC9BK,SAASgD,EAAOC,GACrB,OAAO3B,EAAW,SAAiBG,GACjCA,EAAQwB,IACV,EACF,CCPO,SAASC,IACd,MAAO,MACT,CCiBO,SAASC,KAAuCC,GACrD,MAAMC,EAAYD,EAASE,IAAItB,GAC/B,OAAOV,EAAmC,SAAiBG,EAASG,GAClE,MAAM2B,EAAQ,IAAIC,IAAYC,OAAOC,KAAKN,IACpCO,MAAaH,IACbI,EAAoB,GACP,IAAfL,EAAMM,KAIVR,EAAUC,IAAI,CAACQ,EAAGC,KAChBD,EAAEjC,MAAMD,GACRkC,EAAEzE,KAAM6B,IAzBM,IAAC8C,EAAyBC,EA0BtCN,EAAOvD,IAAI2D,EAAIG,YACfN,EAAOG,GAAO7C,EA3BwB+C,EA4BdV,GA5BXS,EA4BGL,GA3BJE,KAAO,GAAKG,EAAWH,OAASI,EAAUJ,MA4BpDpC,EAAQmC,OATZnC,EAAQ,GAaZ,EACF,CCpCO,SAAS0C,KAAgBf,GAC9B,MAAMC,EAAYD,EAASE,IAAItB,GAC/B,OAAOV,EAAW,SAAiBG,EAASG,GAC1CyB,EAAU7C,QAASyB,IACjBA,EAAQJ,MAAMD,GACdK,EAAQ5C,KAAKoC,IAEjB,EACF,CCPO,SAAS2C,EACdvE,EACAwE,GAEA,MAAM3B,EAAQV,EAAcnC,GAC5B,OAAOyB,EAAW,SAAqBG,EAASG,GAC9Cc,EAAMb,MAAMD,GACZc,EAAMrD,KAAM6B,IACVO,EAAQ4C,EAAQnD,KAEpB,EACF,CCZO,SAASoD,EACd5B,EACA2B,GAEA,OAAOD,EAAQ1B,EAAO,SAAiC6B,GACrD,OAAOF,KAAWE,EACpB,EACF,2JCJO,SAASC,EAAQtD,GACtB,OAAO,IAAIuD,EAAYvD,EACzB,CAEO,MAAMuD,EAaJ,WAAA1E,CAAoBmB,GAAAlB,KAAAkB,EAAAA,EAZ3Bf,EAAAH,KAAQ,aAAa,IAAIW,GACzBR,EAAAH,KAAQ,QAAqC,MAC7CG,EAAAH,KAAQ,SAAS,KACf,GAAIf,EAASe,KAAKkB,IAAMlB,KAAK0E,MAC3B,IACE1E,KAAK0E,MAAM1E,KAAKkB,EAClB,OAASb,GACPL,KAAK2B,WAAWC,OAAOvB,EACzB,GAI+B,CAE5B,IAAAhB,CAAK0C,GACV,GAAI/B,KAAK0E,MACP,MAAM,IAAItD,MACR,yEAKJ,OAFApB,KAAK0E,MAAQ3C,EACb/B,KAAK2E,SACE3E,IACT,CAEO,GAAAT,CAAIL,GAGT,OAFAc,KAAKkB,EAAIhC,EACTc,KAAK2E,SACE3E,IACT,CAEO,MAAMgB,GAEX,OADAhB,KAAK2B,WAAWE,MAAMb,GACfhB,IACT,EC1CK,SAAS4E,EAASlC,GACvB,MAAMf,EAAa,IAAIhB,EACvB+B,EAAMb,MAAMF,EAAWC,QACvB,MAAMiD,EAASL,IAKf,OAJA7C,EAAWE,MAAOxB,IAChBwE,EAAOtF,IAAIc,KAGNwE,CACT,CCAO,SAASC,KAA2C1B,GACzD,MAAMC,EAAYD,EAASE,IAAItB,GAC/B,OAAOV,EACL,SAAmBG,EAASG,GAC1B,IAAImD,EACJ,MAAMC,EAAiBC,IACrB,MAAMhD,EAAUoB,EAAU4B,GAC1BhD,EAAQJ,MAAMD,GACd,MAAMsD,EAAO7B,EAAU4B,EAAQ,GAC/BhD,EAAQ5C,KAAM6B,KAIhB,SACEA,EACAgE,EACAD,GAEKC,IACHH,EAAU7D,GAER6D,GACFtD,EAAQsD,GAENG,IAASH,GACXC,EAAcC,EAAQ,EAE1B,CAjBIE,CAAWjE,EAAgCgE,EAAMD,MAkBrDD,EAAc,EAChB,EAEJ,CClCO,SAASI,EAAWC,GACzB,MAAMC,EAAOtD,EAAcqD,GAC3B,OAAO/D,EAAW,CAACG,EAASG,KAC1B0D,EAAKjG,KAAM4C,IACT,MAAMsD,EAAYH,EAAQG,UAAUC,IAAIvD,EAAQsD,WAChD,QAAkB,IAAdA,EACF,MAAM,IAAInE,MAAM,8BAA8Ba,EAAQsD,aAEnDtD,EAAQ2B,SACX3B,EAAQ2B,OAASnC,GAEdQ,EAAQwD,QACXxD,EAAQwD,MAAQ7D,GAElB,IACE2D,EAAUtD,EACZ,OAASwD,GACP7D,EAAO6D,EACT,KAGN,CC5BO,SAASC,EAAa7F,GAC3B,MAAM6C,EAAQV,EAAcnC,GAC5B,OAAQ8F,IACN,IAAKA,EAAQ/B,OACX,MAAM,IAAIxC,MAAM,mDAElBsB,EAAMrD,KAAKsG,EAAQ/B,QAEvB,CDTAwB,EAAQG,cAAgBK,yIEGjB,SAASC,EAAanD,EAAuBoD,EAAqB,MACvE,OAAO,IAAIC,EAAiBrD,EAAOoD,EACrC,CAEO,MAAMC,EAGJ,WAAAhG,CACG2C,EACAoD,EAAqB,MADrB9F,KAAA0C,MAAAA,EACA1C,KAAA8F,SAAAA,EAJV3F,EAAAH,KAAQ,WAAU,EAKf,CAEK,aAAAgG,GACDhG,KAAKiG,SACRjG,KAAK0C,MAAMrD,KAAM6B,IACflB,KAAK8F,SAAW5E,IAGpBlB,KAAKiG,SAAU,CACjB,CAEA,CAAQC,OAAOC,eAEb,OADAnG,KAAKgG,gBACEhG,KAAK8F,QACd,CAEO,SAAAM,GAEL,OADApG,KAAKgG,gBACEhG,KAAK8F,QACd,CAEO,sBAAAO,GAEL,GADArG,KAAKgG,gBACiB,OAAlBhG,KAAK8F,SACP,MAAM,IAAI1E,MAAM,2BAElB,OAAOpB,KAAK8F,QACd,4JCnCK,SAASQ,EAAU5D,GACxB,OAAO,IAAI6D,EAAc7D,EAC3B,CAEO,MAAM6D,EAWJ,WAAAxG,CAAoB2C,GAAA1C,KAAA0C,MAAAA,EAV3BvC,EAAAH,KAAQ,WAAYkB,IAClBlB,KAAKwG,MAAQtF,EACblB,KAAKyG,UAAUjG,QAASuB,IACtBA,EAAEb,OAGNf,EAAAH,KAAQ,SACRG,EAAAH,KAAQ,gBAAgBwD,KACxBrD,EAAAH,KAAQ,UAGFV,EAASoD,KACX1C,KAAK0G,OAAShE,EAElB,CAEO,IAAArD,CAAK0D,GAOV,OANA/C,KAAKyG,UAAUrG,IAAI2C,GACS,IAAxB/C,KAAKyG,UAAU5C,KACjB7D,KAAK0C,MAAMrD,KAAKW,KAAK2G,UACZ1H,EAASe,KAAKwG,QACvBzD,EAAS/C,KAAKwG,OAETxG,IACT,CAEO,GAAAT,CAAIL,GAMT,OALIc,KAAK0G,OACP1G,KAAK0G,OAAOnH,IAAIL,GAEhBc,KAAK2G,SAASzH,GAETc,IACT,CAEO,MAAMgB,GAEX,OADAhB,KAAK0C,MAAMb,MAAMb,GACVhB,IACT,CAEO,OAAAP,GAEL,OADAO,KAAKyG,UAAUG,QACR5G,IACT,CAEO,KAAAd,GACL,OAAO2G,EAAU7F,KACnB,CAEO,KAAAqC,CAAMyB,GAEX,OADAA,EAAEzE,KAAKW,KAAKT,IAAIgD,KAAKvC,OACdA,IACT,EC7DK,SAAS6G,EAAc3H,GAE5B,OAAOoH,EADG9B,EAAKtF,GAEjB,CCDO,SAAS4H,EAAUvB,GACxB,MAAMD,EAAOuB,IAEb,OADAzB,EAAQG,UAAUwB,IAAIxB,EAAWD,EAAK/F,IAAIgD,KAAK+C,IACxChE,EAAqB,CAACG,EAASG,KACpC0D,EAAKzD,MAAMD,GACX0D,EAAKjG,KAAKoC,IAEd,CCPO,SAASuF,EACdnH,EACAoH,EACAC,GAEA,MAAMxE,EAAQV,EAAcnC,GAC5B,OAAOyB,EAAW,SAAsBG,EAASG,GAC/Cc,EAAMb,MAAMD,GACZc,EAAMrD,KAAM6B,IACN+F,EAAU/F,GACZO,EAAQP,QACkB,IAAjBgG,GACTzF,EAAQyF,IAGd,EACF,yICnBO,MAAMC,GAAUjB,OAAO,WAMvB,SAASkB,GAAS1E,GACvB,OAAO,IAAI2E,GAAa3E,EAC1B,CAEO,MAAM2E,GAGJ,WAAAtH,CAAoB2C,GAAA1C,KAAA0C,MAAAA,EAF3BvC,GAAAH,KAAQ,SAAS6G,IAEkC,CAE5C,OAAA5E,GAML,OALAqE,EAAOtG,KAAK0C,OAAOrD,KAAM6B,IACnBA,IAAMiG,IACRnH,KAAKsH,OAAO/H,KAAI,KAGbyH,EAAShH,KAAK0C,MAAQxB,GAAMA,IAAMiG,GAC3C,CAEO,KAAAI,GACL,OAAOvH,KAAKsH,MACd,ECtBK,SAASE,GACd9E,EACA2B,GAEA,OAAO/C,EAAW,SAA6BG,EAASG,GACtDc,EAAMb,MAAMD,GACZc,EAAMrD,KAAKgF,EAAQ5C,GACrB,EACF,CCZO,SAASgG,GAAU/E,EAAuBgF,GAC/C,IAAIC,EAAyB,KAC7B,OAAOrG,EAAW,SAAoBG,EAASG,GAC7Cc,EAAMb,MAAMD,GACZc,EAAMrD,KAAM6B,IACW,OAAjByG,IACFA,EAAezG,GAEjBO,EAAQkG,KAGVD,GAAarI,KAAK,KAChBsI,EAAe,MAEnB,EACF,CCTO,SAASC,GACdC,EACAC,EACAC,EACAC,GAEA,MAAMC,EAAWjG,EAAc6F,GACzBK,EAAalG,EAAc8F,GAC3BK,EAAmBnG,EAAc+F,GACjCK,EAAqBpG,EAAcgG,GACzC,OAAO1G,EAAW,CAACG,EAASG,KAC1BqG,EAASpG,MAAMD,GACfsG,EAAWrG,MAAMD,GACjBuG,EAAiBtG,MAAMD,GACvBwG,EAAmBvG,MAAMD,GACzB,IAAIyG,EAAqC,KACzC,MAAMC,EAAWpH,IACXmH,GACFA,EAAMnH,IAYV,OATAiC,EAAI8E,EAAUC,EAAYC,GAAkB9I,KAC1C,EAAEwI,EAASC,EAAWS,MACpBF,EAAQ5G,EACHoG,IAAUU,IAGfV,EAAQU,GAAWT,EAAWQ,KAG3B,KACLD,EAAQ,KACHD,GAGLjF,EAAI8E,EAAUC,EAAYE,GAAoB/I,KAC5C,EAAEwI,EAASC,EAAWU,MACpBX,IAAUW,KAAyBV,EAAWQ,OAKxD,CCzCO,SAAS1C,GACd/F,EACA4I,GAEA,MAAM/F,EAAQV,EAAcnC,GAC5B,OAAOyB,EAAc,CAACG,EAASG,KAC7Bc,EAAMb,MAAMD,GACZ,MAAM8G,EAA2B,GAC3BhH,EAAKzB,IACXyC,EAAMrD,KAAM6B,IACVQ,EAAGjC,UACHyB,EAAEV,QAASmI,IACT,IAAIC,EAA2BD,EAC1BxJ,EAAUyJ,KACbA,EAAO9G,EAAG8G,IAEZ,MAAMC,EAAOJ,EAAOG,GACpBlH,EAAGtB,IAAIyI,GACPH,EAAMnI,KAAKsI,KAEb1F,KAAOuF,GAAOrJ,KAAKoC,MAGzB,CC5BO,SAASqH,GAAQpG,GACtB,OAAOpB,EAAW,CAACG,EAASG,KAC1B,IAAI3C,GAAW,EACfyD,EAAMb,MAAMD,GACZc,EAAMrD,KAAM6B,IACLjC,IACHA,GAAW,EACXwC,EAAQP,OAIhB,CCbO,SAAS6H,GACdrG,EACAsG,GAEA,OAAO1H,EAAW,CAACG,EAASG,KAC1B,MAAMqH,EAAOpC,IACPnF,EAAKzB,IAYX,OAVAyC,EAAMrD,KAAM6B,IACVQ,EAAGjC,UACH,MAAM6F,EAAO0D,EAAQ9H,GACrBQ,EAAGtB,IAAIkF,GACP2D,EAAK5G,MAAMiD,GACXA,EAAKzD,MAAMD,KAEbc,EAAMb,MAAMD,GACZqH,EAAK5J,KAAKoC,GAEH,KACLC,EAAGjC,YAGT,CCrBO,SAASyJ,GAAYxG,GAC1B,OAAOpB,EAAa,CAACG,EAASG,KAC5B,MAAMgC,EAAc,GACpBlB,EAAMb,MAAMD,GACZc,EAAMrD,KAAM6B,IACV0C,EAAOrD,KAAKW,GACZO,EAAQmC,MAGd,CCTO,SAASuF,GAAUtJ,GACxB,MAAM6C,EAAQV,EAAcnC,GAC5B,OAAOyB,EAAW,CAACG,EAASG,KAC1Bc,EAAMb,MAAMD,GACZc,EAAMrD,KAAM6B,IACVA,EAAEV,QAAS4I,IACT3H,EAAQ2H,QAIhB"}
@@ -94,13 +94,12 @@ function ensureMessage(v, label) {
94
94
  var __defProp$5 = Object.defineProperty;
95
95
  var __defNormalProp$5 = (obj, key, value) => key in obj ? __defProp$5(obj, key, { enumerable: true, configurable: true, writable: true, value }) : obj[key] = value;
96
96
  var __publicField$5 = (obj, key, value) => __defNormalProp$5(obj, typeof key !== "symbol" ? key + "" : key, value);
97
- function Message(executor, everyThenCallsExecutor = false) {
98
- return new MessageRx(executor, everyThenCallsExecutor);
97
+ function Message(executor) {
98
+ return new MessageRx(executor);
99
99
  }
100
100
  class MessageRx {
101
- constructor(executor, everyThenCallsExecutor = false) {
101
+ constructor(executor) {
102
102
  this.executor = executor;
103
- this.everyThenCallsExecutor = everyThenCallsExecutor;
104
103
  __publicField$5(this, "rejections", new Rejections());
105
104
  __publicField$5(this, "dc", DestroyContainer());
106
105
  ensureFunction(executor, "Message: executor");
@@ -204,20 +203,21 @@ const isAllFilled = (keysFilled, keysKnown) => {
204
203
  };
205
204
  function All(...messages) {
206
205
  const $messages = messages.map(ActualMessage);
207
- return Message(function AllImpl(r) {
206
+ return Message(function AllImpl(resolve, reject) {
208
207
  const known = new Set(Object.keys(messages));
209
208
  const filled = /* @__PURE__ */ new Set();
210
209
  const result = [];
211
210
  if (known.size === 0) {
212
- r([]);
211
+ resolve([]);
213
212
  return;
214
213
  }
215
214
  $messages.map((m, key) => {
215
+ m.catch(reject);
216
216
  m.then((v) => {
217
217
  filled.add(key.toString());
218
218
  result[key] = v;
219
219
  if (isAllFilled(filled, known)) {
220
- r(result);
220
+ resolve(result);
221
221
  }
222
222
  });
223
223
  });
@@ -226,18 +226,20 @@ function All(...messages) {
226
226
 
227
227
  function Any(...messages) {
228
228
  const $messages = messages.map(ActualMessage);
229
- return Message(function AnyImpl(r) {
229
+ return Message(function AnyImpl(resolve, reject) {
230
230
  $messages.forEach((message) => {
231
- message.then(r);
231
+ message.catch(reject);
232
+ message.then(resolve);
232
233
  });
233
234
  });
234
235
  }
235
236
 
236
237
  function Applied(base, applier) {
237
238
  const $base = ActualMessage(base);
238
- return Message(function AppliedImpl(r) {
239
+ return Message(function AppliedImpl(resolve, reject) {
240
+ $base.catch(reject);
239
241
  $base.then((v) => {
240
- r(applier(v));
242
+ resolve(applier(v));
241
243
  });
242
244
  });
243
245
  }
@@ -302,28 +304,31 @@ function Catch($base) {
302
304
 
303
305
  function Chain(...messages) {
304
306
  const $messages = messages.map(ActualMessage);
305
- return Message(function ChainImpl(r) {
306
- let $latest;
307
- const handleMessage = (index) => {
308
- const message = $messages[index];
309
- const next = $messages[index + 1];
310
- message.then((v) => {
311
- oneMessage(v, next, index);
312
- });
313
- };
314
- function oneMessage(v, next, index) {
315
- if (!next) {
316
- $latest = v;
317
- }
318
- if ($latest) {
319
- r($latest);
320
- }
321
- if (next && !$latest) {
322
- handleMessage(index + 1);
307
+ return Message(
308
+ function ChainImpl(resolve, reject) {
309
+ let $latest;
310
+ const handleMessage = (index) => {
311
+ const message = $messages[index];
312
+ message.catch(reject);
313
+ const next = $messages[index + 1];
314
+ message.then((v) => {
315
+ oneMessage(v, next, index);
316
+ });
317
+ };
318
+ function oneMessage(v, next, index) {
319
+ if (!next) {
320
+ $latest = v;
321
+ }
322
+ if ($latest) {
323
+ resolve($latest);
324
+ }
325
+ if (next && !$latest) {
326
+ handleMessage(index + 1);
327
+ }
323
328
  }
329
+ handleMessage(0);
324
330
  }
325
- handleMessage(0);
326
- });
331
+ );
327
332
  }
328
333
 
329
334
  Context.transport = /* @__PURE__ */ new Map();
@@ -461,19 +466,21 @@ function LateShared(value) {
461
466
  function ContextOf(transport) {
462
467
  const $msg = LateShared();
463
468
  Context.transport.set(transport, $msg.use.bind($msg));
464
- return Message((t) => {
465
- $msg.then(t);
469
+ return Message((resolve, reject) => {
470
+ $msg.catch(reject);
471
+ $msg.then(resolve);
466
472
  });
467
473
  }
468
474
 
469
475
  function Filtered(base, predicate, defaultValue) {
470
476
  const $base = ActualMessage(base);
471
- return Message(function FilteredImpl(r) {
477
+ return Message(function FilteredImpl(resolve, reject) {
478
+ $base.catch(reject);
472
479
  $base.then((v) => {
473
480
  if (predicate(v)) {
474
- r(v);
481
+ resolve(v);
475
482
  } else if (defaultValue !== void 0) {
476
- r(defaultValue);
483
+ resolve(defaultValue);
477
484
  }
478
485
  });
479
486
  });
@@ -505,8 +512,25 @@ class EmptyImpl {
505
512
  }
506
513
 
507
514
  function ExecutorApplied($base, applier) {
508
- return Message(function ExecutorAppliedImpl(r) {
509
- $base.then(applier(r));
515
+ return Message(function ExecutorAppliedImpl(resolve, reject) {
516
+ $base.catch(reject);
517
+ $base.then(applier(resolve));
518
+ });
519
+ }
520
+
521
+ function Freeze($base, $invalidate) {
522
+ let freezedValue = null;
523
+ return Message(function FreezeImpl(resolve, reject) {
524
+ $base.catch(reject);
525
+ $base.then((v) => {
526
+ if (freezedValue === null) {
527
+ freezedValue = v;
528
+ }
529
+ resolve(freezedValue);
530
+ });
531
+ $invalidate?.then(() => {
532
+ freezedValue = null;
533
+ });
510
534
  });
511
535
  }
512
536
 
@@ -515,7 +539,11 @@ function FromEvent(emitter, eventName, subscribeMethod, unsubscribeMethod) {
515
539
  const $eventName = ActualMessage(eventName);
516
540
  const $subscribeMethod = ActualMessage(subscribeMethod);
517
541
  const $unsubscribeMethod = ActualMessage(unsubscribeMethod);
518
- return Message((r) => {
542
+ return Message((resolve, reject) => {
543
+ $emitter.catch(reject);
544
+ $eventName.catch(reject);
545
+ $subscribeMethod.catch(reject);
546
+ $unsubscribeMethod.catch(reject);
519
547
  let lastR = null;
520
548
  const handler = (v) => {
521
549
  if (lastR) {
@@ -524,7 +552,7 @@ function FromEvent(emitter, eventName, subscribeMethod, unsubscribeMethod) {
524
552
  };
525
553
  All($emitter, $eventName, $subscribeMethod).then(
526
554
  ([emitter2, eventName2, subscribe]) => {
527
- lastR = r;
555
+ lastR = resolve;
528
556
  if (!emitter2?.[subscribe]) {
529
557
  return;
530
558
  }
@@ -547,7 +575,8 @@ function FromEvent(emitter, eventName, subscribeMethod, unsubscribeMethod) {
547
575
 
548
576
  function Map$1(base, target) {
549
577
  const $base = ActualMessage(base);
550
- return Message((r) => {
578
+ return Message((resolve, reject) => {
579
+ $base.catch(reject);
551
580
  const infos = [];
552
581
  const dc = DestroyContainer();
553
582
  $base.then((v) => {
@@ -561,18 +590,19 @@ function Map$1(base, target) {
561
590
  dc.add(info);
562
591
  infos.push(info);
563
592
  });
564
- All(...infos).then(r);
593
+ All(...infos).then(resolve);
565
594
  });
566
595
  });
567
596
  }
568
597
 
569
598
  function Once($base) {
570
- return Message((r) => {
599
+ return Message((resolve, reject) => {
571
600
  let isFilled = false;
601
+ $base.catch(reject);
572
602
  $base.then((v) => {
573
603
  if (!isFilled) {
574
604
  isFilled = true;
575
- r(v);
605
+ resolve(v);
576
606
  }
577
607
  });
578
608
  });
@@ -598,25 +628,27 @@ function Process($base, builder) {
598
628
  }
599
629
 
600
630
  function Sequence($base) {
601
- return Message((r) => {
631
+ return Message((resolve, reject) => {
602
632
  const result = [];
633
+ $base.catch(reject);
603
634
  $base.then((v) => {
604
635
  result.push(v);
605
- r(result);
636
+ resolve(result);
606
637
  });
607
638
  });
608
639
  }
609
640
 
610
641
  function Stream(base) {
611
642
  const $base = ActualMessage(base);
612
- return Message((r) => {
643
+ return Message((resolve, reject) => {
644
+ $base.catch(reject);
613
645
  $base.then((v) => {
614
646
  v.forEach((cv) => {
615
- r(cv);
647
+ resolve(cv);
616
648
  });
617
649
  });
618
650
  });
619
651
  }
620
652
 
621
- export { ActualMessage, All, Any, Applied, AppliedDestructured, Catch, Chain, Chainable, ChainableImpl, Context, ContextChain, ContextOf, DestroyContainer, DestroyContainerImpl, Destroyable, DestroyableImpl, Empty, EmptyImpl, ExecutorApplied, Filtered, FromEvent, Late, LateImpl, LateShared, Local, Map$1 as Map, Message, MessageRx, MessageSource, MessageSourceImpl, New, Nothing, Of, Once, Primitive, PrimitiveImpl, Process, Rejections, Sequence, Shared, SharedImpl, Stream, Void, ensureFunction, ensureMessage, isDestroyable, isDestroyed, isFilled, isMessage, isSource };
653
+ export { ActualMessage, All, Any, Applied, AppliedDestructured, Catch, Chain, Chainable, ChainableImpl, Context, ContextChain, ContextOf, DestroyContainer, DestroyContainerImpl, Destroyable, DestroyableImpl, Empty, EmptyImpl, ExecutorApplied, Filtered, Freeze, FromEvent, Late, LateImpl, LateShared, Local, Map$1 as Map, Message, MessageRx, MessageSource, MessageSourceImpl, New, Nothing, Of, Once, Primitive, PrimitiveImpl, Process, Rejections, Sequence, Shared, SharedImpl, Stream, Void, ensureFunction, ensureMessage, isDestroyable, isDestroyed, isFilled, isMessage, isSource };
622
654
  //# sourceMappingURL=silentium.mjs.map