mobx-react-lite
Version:
Lightweight React bindings for MobX based on React 16.8+ and Hooks
1 lines • 32.5 kB
Source Map (JSON)
{"version":3,"file":"mobxreactlite.umd.development.js","sources":["../src/utils/assertEnvironment.ts","../src/utils/observerBatching.ts","../src/utils/utils.ts","../src/utils/printDebugValue.ts","../src/staticRendering.ts","../src/utils/UniversalFinalizationRegistry.ts","../src/utils/observerFinalizationRegistry.ts","../src/useObserver.ts","../src/observer.ts","../src/ObserverComponent.ts","../src/useLocalObservable.ts","../src/useAsObservableSource.ts","../src/useLocalStore.ts","../src/index.ts"],"sourcesContent":["import { makeObservable } from \"mobx\"\nimport { useState } from \"react\"\n\nif (!useState) {\n throw new Error(\"mobx-react-lite requires React with Hooks support\")\n}\nif (!makeObservable) {\n throw new Error(\"mobx-react-lite@3 requires mobx at least version 6 to be available\")\n}\n","import { configure } from \"mobx\"\n\nexport function defaultNoopBatch(callback: () => void) {\n callback()\n}\n\nexport function observerBatching(reactionScheduler: any) {\n if (!reactionScheduler) {\n reactionScheduler = defaultNoopBatch\n if (\"production\" !== process.env.NODE_ENV) {\n console.warn(\n \"[MobX] Failed to get unstable_batched updates from react-dom / react-native\"\n )\n }\n }\n configure({ reactionScheduler })\n}\n\nexport const isObserverBatched = () => {\n if (\"production\" !== process.env.NODE_ENV) {\n console.warn(\"[MobX] Deprecated\")\n }\n\n return true\n}\n","const deprecatedMessages: string[] = []\n\nexport function useDeprecated(msg: string) {\n if (!deprecatedMessages.includes(msg)) {\n deprecatedMessages.push(msg)\n console.warn(msg)\n }\n}\n","import { getDependencyTree, Reaction } from \"mobx\"\n\nexport function printDebugValue(v: Reaction) {\n return getDependencyTree(v)\n}\n","let globalIsUsingStaticRendering = false\n\nexport function enableStaticRendering(enable: boolean) {\n globalIsUsingStaticRendering = enable\n}\n\nexport function isUsingStaticRendering(): boolean {\n return globalIsUsingStaticRendering\n}\n","export declare class FinalizationRegistryType<T> {\n constructor(finalize: (value: T) => void)\n register(target: object, value: T, token?: object): void\n unregister(token: object): void\n}\n\ndeclare const FinalizationRegistry: typeof FinalizationRegistryType | undefined\n\nexport const REGISTRY_FINALIZE_AFTER = 10_000\nexport const REGISTRY_SWEEP_INTERVAL = 10_000\n\nexport class TimerBasedFinalizationRegistry<T> implements FinalizationRegistryType<T> {\n private registrations: Map<unknown, { value: T; registeredAt: number }> = new Map()\n private sweepTimeout: ReturnType<typeof setTimeout> | undefined\n\n constructor(private readonly finalize: (value: T) => void) {}\n\n // Token is actually required with this impl\n register(target: object, value: T, token?: object) {\n this.registrations.set(token, {\n value,\n registeredAt: Date.now()\n })\n this.scheduleSweep()\n }\n\n unregister(token: unknown) {\n this.registrations.delete(token)\n }\n\n // Bound so it can be used directly as setTimeout callback.\n sweep = (maxAge = REGISTRY_FINALIZE_AFTER) => {\n // cancel timeout so we can force sweep anytime\n clearTimeout(this.sweepTimeout)\n this.sweepTimeout = undefined\n\n const now = Date.now()\n this.registrations.forEach((registration, token) => {\n if (now - registration.registeredAt >= maxAge) {\n this.finalize(registration.value)\n this.registrations.delete(token)\n }\n })\n\n if (this.registrations.size > 0) {\n this.scheduleSweep()\n }\n }\n\n // Bound so it can be exported directly as clearTimers test utility.\n finalizeAllImmediately = () => {\n this.sweep(0)\n }\n\n private scheduleSweep() {\n if (this.sweepTimeout === undefined) {\n this.sweepTimeout = setTimeout(this.sweep, REGISTRY_SWEEP_INTERVAL)\n }\n }\n}\n\nexport const UniversalFinalizationRegistry =\n typeof FinalizationRegistry !== \"undefined\"\n ? FinalizationRegistry\n : TimerBasedFinalizationRegistry\n","import { Reaction } from \"mobx\"\nimport { UniversalFinalizationRegistry } from \"./UniversalFinalizationRegistry\"\n\nexport const observerFinalizationRegistry = new UniversalFinalizationRegistry(\n (adm: { reaction: Reaction | null }) => {\n adm.reaction?.dispose()\n adm.reaction = null\n }\n)\n","import { Reaction } from \"mobx\"\nimport React from \"react\"\nimport { printDebugValue } from \"./utils/printDebugValue\"\nimport { isUsingStaticRendering } from \"./staticRendering\"\nimport { observerFinalizationRegistry } from \"./utils/observerFinalizationRegistry\"\nimport { useSyncExternalStore } from \"use-sync-external-store/shim\"\n\n// Do not store `admRef` (even as part of a closure!) on this object,\n// otherwise it will prevent GC and therefore reaction disposal via FinalizationRegistry.\ntype ObserverAdministration = {\n reaction: Reaction | null // also serves as disposed flag\n onStoreChange: Function | null // also serves as mounted flag\n // stateVersion that 'ticks' for every time the reaction fires\n // tearing is still present,\n // because there is no cross component synchronization,\n // but we can use `useSyncExternalStore` API.\n // TODO: optimize to use number?\n stateVersion: any\n name: string\n // These don't depend on state/props, therefore we can keep them here instead of `useCallback`\n subscribe: Parameters<typeof React.useSyncExternalStore>[0]\n getSnapshot: Parameters<typeof React.useSyncExternalStore>[1]\n}\n\nfunction createReaction(adm: ObserverAdministration) {\n adm.reaction = new Reaction(`observer${adm.name}`, () => {\n adm.stateVersion = Symbol()\n // onStoreChange won't be available until the component \"mounts\".\n // If state changes in between initial render and mount,\n // `useSyncExternalStore` should handle that by checking the state version and issuing update.\n adm.onStoreChange?.()\n })\n}\n\nexport function useObserver<T>(render: () => T, baseComponentName: string = \"observed\"): T {\n if (isUsingStaticRendering()) {\n return render()\n }\n\n const admRef = React.useRef<ObserverAdministration | null>(null)\n\n if (!admRef.current) {\n // First render\n const adm: ObserverAdministration = {\n reaction: null,\n onStoreChange: null,\n stateVersion: Symbol(),\n name: baseComponentName,\n subscribe(onStoreChange: () => void) {\n // Do NOT access admRef here!\n observerFinalizationRegistry.unregister(adm)\n adm.onStoreChange = onStoreChange\n if (!adm.reaction) {\n // We've lost our reaction and therefore all subscriptions, occurs when:\n // 1. Timer based finalization registry disposed reaction before component mounted.\n // 2. React \"re-mounts\" same component without calling render in between (typically <StrictMode>).\n // We have to recreate reaction and schedule re-render to recreate subscriptions,\n // even if state did not change.\n createReaction(adm)\n // `onStoreChange` won't force update if subsequent `getSnapshot` returns same value.\n // So we make sure that is not the case\n adm.stateVersion = Symbol()\n }\n\n return () => {\n // Do NOT access admRef here!\n adm.onStoreChange = null\n adm.reaction?.dispose()\n adm.reaction = null\n }\n },\n getSnapshot() {\n // Do NOT access admRef here!\n return adm.stateVersion\n }\n }\n\n admRef.current = adm\n }\n\n const adm = admRef.current!\n\n if (!adm.reaction) {\n // First render or reaction was disposed by registry before subscribe\n createReaction(adm)\n // StrictMode/ConcurrentMode/Suspense may mean that our component is\n // rendered and abandoned multiple times, so we need to track leaked\n // Reactions.\n observerFinalizationRegistry.register(admRef, adm, adm)\n }\n\n React.useDebugValue(adm.reaction!, printDebugValue)\n\n useSyncExternalStore(\n // Both of these must be stable, otherwise it would keep resubscribing every render.\n adm.subscribe,\n adm.getSnapshot,\n adm.getSnapshot\n )\n\n // render the original component, but have the\n // reaction track the observables, so that rendering\n // can be invalidated (see above) once a dependency changes\n let renderResult!: T\n let exception\n adm.reaction!.track(() => {\n try {\n renderResult = render()\n } catch (e) {\n exception = e\n }\n })\n\n if (exception) {\n throw exception // re-throw any exceptions caught during rendering\n }\n\n return renderResult\n}\n","import { forwardRef, memo } from \"react\"\n\nimport { isUsingStaticRendering } from \"./staticRendering\"\nimport { useObserver } from \"./useObserver\"\n\nlet warnObserverOptionsDeprecated = true\n\nconst hasSymbol = typeof Symbol === \"function\" && Symbol.for\nconst isFunctionNameConfigurable =\n Object.getOwnPropertyDescriptor(() => {}, \"name\")?.configurable ?? false\n\n// Using react-is had some issues (and operates on elements, not on types), see #608 / #609\nconst ReactForwardRefSymbol = hasSymbol\n ? Symbol.for(\"react.forward_ref\")\n : typeof forwardRef === \"function\" && forwardRef((props: any) => null)[\"$$typeof\"]\n\nconst ReactMemoSymbol = hasSymbol\n ? Symbol.for(\"react.memo\")\n : typeof memo === \"function\" && memo((props: any) => null)[\"$$typeof\"]\n\nexport interface IObserverOptions {\n readonly forwardRef?: boolean\n}\n\nexport function observer<P extends object, TRef = {}>(\n baseComponent: React.ForwardRefRenderFunction<TRef, P>,\n options: IObserverOptions & { forwardRef: true }\n): React.MemoExoticComponent<\n React.ForwardRefExoticComponent<React.PropsWithoutRef<P> & React.RefAttributes<TRef>>\n>\n\nexport function observer<P extends object, TRef = {}>(\n baseComponent: React.ForwardRefExoticComponent<\n React.PropsWithoutRef<P> & React.RefAttributes<TRef>\n >\n): React.MemoExoticComponent<\n React.ForwardRefExoticComponent<React.PropsWithoutRef<P> & React.RefAttributes<TRef>>\n>\n\nexport function observer<P extends object>(\n baseComponent: React.FunctionComponent<P>,\n options?: IObserverOptions\n): React.FunctionComponent<P>\n\nexport function observer<\n C extends React.FunctionComponent<any> | React.ForwardRefRenderFunction<any>,\n Options extends IObserverOptions\n>(\n baseComponent: C,\n options?: Options\n): Options extends { forwardRef: true }\n ? C extends React.ForwardRefRenderFunction<infer TRef, infer P>\n ? C &\n React.MemoExoticComponent<\n React.ForwardRefExoticComponent<\n React.PropsWithoutRef<P> & React.RefAttributes<TRef>\n >\n >\n : never /* forwardRef set for a non forwarding component */\n : C & { displayName: string }\n\n// n.b. base case is not used for actual typings or exported in the typing files\nexport function observer<P extends object, TRef = {}>(\n baseComponent:\n | React.ForwardRefRenderFunction<TRef, P>\n | React.FunctionComponent<P>\n | React.ForwardRefExoticComponent<React.PropsWithoutRef<P> & React.RefAttributes<TRef>>,\n // TODO remove in next major\n options?: IObserverOptions\n) {\n if (process.env.NODE_ENV !== \"production\" && warnObserverOptionsDeprecated && options) {\n warnObserverOptionsDeprecated = false\n console.warn(\n `[mobx-react-lite] \\`observer(fn, { forwardRef: true })\\` is deprecated, use \\`observer(React.forwardRef(fn))\\``\n )\n }\n\n if (ReactMemoSymbol && baseComponent[\"$$typeof\"] === ReactMemoSymbol) {\n throw new Error(\n `[mobx-react-lite] You are trying to use \\`observer\\` on a function component wrapped in either another \\`observer\\` or \\`React.memo\\`. The observer already applies 'React.memo' for you.`\n )\n }\n\n // The working of observer is explained step by step in this talk: https://www.youtube.com/watch?v=cPF4iBedoF0&feature=youtu.be&t=1307\n if (isUsingStaticRendering()) {\n return baseComponent\n }\n\n let useForwardRef = options?.forwardRef ?? false\n let render = baseComponent\n\n const baseComponentName = baseComponent.displayName || baseComponent.name\n\n // If already wrapped with forwardRef, unwrap,\n // so we can patch render and apply memo\n if (ReactForwardRefSymbol && baseComponent[\"$$typeof\"] === ReactForwardRefSymbol) {\n useForwardRef = true\n render = baseComponent[\"render\"]\n if (typeof render !== \"function\") {\n throw new Error(\n `[mobx-react-lite] \\`render\\` property of ForwardRef was not a function`\n )\n }\n }\n\n let observerComponent = (props: any, ref: React.Ref<TRef>) => {\n return useObserver(() => render(props, ref), baseComponentName)\n }\n\n // Inherit original name and displayName, see #3438\n ;(observerComponent as React.FunctionComponent).displayName = baseComponent.displayName\n\n if (isFunctionNameConfigurable) {\n Object.defineProperty(observerComponent, \"name\", {\n value: baseComponent.name,\n writable: true,\n configurable: true\n })\n }\n\n // Support legacy context: `contextTypes` must be applied before `memo`\n if ((baseComponent as any).contextTypes) {\n ;(observerComponent as React.FunctionComponent).contextTypes = (\n baseComponent as any\n ).contextTypes\n }\n\n if (useForwardRef) {\n // `forwardRef` must be applied prior `memo`\n // `forwardRef(observer(cmp))` throws:\n // \"forwardRef requires a render function but received a `memo` component. Instead of forwardRef(memo(...)), use memo(forwardRef(...))\"\n observerComponent = forwardRef(observerComponent)\n }\n\n // memo; we are not interested in deep updates\n // in props; we assume that if deep objects are changed,\n // this is in observables, which would have been tracked anyway\n observerComponent = memo(observerComponent)\n\n copyStaticProperties(baseComponent, observerComponent)\n\n if (\"production\" !== process.env.NODE_ENV) {\n Object.defineProperty(observerComponent, \"contextTypes\", {\n set() {\n throw new Error(\n `[mobx-react-lite] \\`${\n this.displayName || this.type?.displayName || this.type?.name || \"Component\"\n }.contextTypes\\` must be set before applying \\`observer\\`.`\n )\n }\n })\n }\n\n return observerComponent\n}\n\n// based on https://github.com/mridgway/hoist-non-react-statics/blob/master/src/index.js\nconst hoistBlackList: any = {\n $$typeof: true,\n render: true,\n compare: true,\n type: true,\n // Don't redefine `displayName`,\n // it's defined as getter-setter pair on `memo` (see #3192).\n displayName: true\n}\n\nfunction copyStaticProperties(base: any, target: any) {\n Object.keys(base).forEach(key => {\n if (!hoistBlackList[key]) {\n Object.defineProperty(target, key, Object.getOwnPropertyDescriptor(base, key)!)\n }\n })\n}\n","import { useObserver } from \"./useObserver\"\n\ninterface IObserverProps {\n children?(): React.ReactElement | null\n render?(): React.ReactElement | null\n}\n\nfunction ObserverComponent({ children, render }: IObserverProps) {\n const component = children || render\n if (typeof component !== \"function\") {\n return null\n }\n return useObserver(component)\n}\nif (\"production\" !== process.env.NODE_ENV) {\n ObserverComponent.propTypes = {\n children: ObserverPropsCheck,\n render: ObserverPropsCheck\n }\n}\nObserverComponent.displayName = \"Observer\"\n\nexport { ObserverComponent as Observer }\n\nfunction ObserverPropsCheck(\n props: { [k: string]: any },\n key: string,\n componentName: string,\n location: any,\n propFullName: string\n) {\n const extraKey = key === \"children\" ? \"render\" : \"children\"\n const hasProp = typeof props[key] === \"function\"\n const hasExtraProp = typeof props[extraKey] === \"function\"\n if (hasProp && hasExtraProp) {\n return new Error(\n \"MobX Observer: Do not use children and render in the same time in`\" + componentName\n )\n }\n\n if (hasProp || hasExtraProp) {\n return null\n }\n return new Error(\n \"Invalid prop `\" +\n propFullName +\n \"` of type `\" +\n typeof props[key] +\n \"` supplied to\" +\n \" `\" +\n componentName +\n \"`, expected `function`.\"\n )\n}\n","import { observable, AnnotationsMap } from \"mobx\"\nimport { useState } from \"react\"\n\nexport function useLocalObservable<TStore extends Record<string, any>>(\n initializer: () => TStore,\n annotations?: AnnotationsMap<TStore, never>\n): TStore {\n return useState(() => observable(initializer(), annotations, { autoBind: true }))[0]\n}\n","import { useDeprecated } from \"./utils/utils\"\nimport { observable, runInAction } from \"mobx\"\nimport { useState } from \"react\"\n\nexport function useAsObservableSource<TSource extends object>(current: TSource): TSource {\n if (\"production\" !== process.env.NODE_ENV)\n useDeprecated(\n \"[mobx-react-lite] 'useAsObservableSource' is deprecated, please store the values directly in an observable, for example by using 'useLocalObservable', and sync future updates using 'useEffect' when needed. See the README for examples.\"\n )\n // We're deliberately not using idiomatic destructuring for the hook here.\n // Accessing the state value as an array element prevents TypeScript from generating unnecessary helpers in the resulting code.\n // For further details, please refer to mobxjs/mobx#3842.\n const res = useState(() => observable(current, {}, { deep: false }))[0]\n runInAction(() => {\n Object.assign(res, current)\n })\n return res\n}\n","import { observable } from \"mobx\"\nimport { useState } from \"react\"\n\nimport { useDeprecated } from \"./utils/utils\"\nimport { useAsObservableSource } from \"./useAsObservableSource\"\n\nexport function useLocalStore<TStore extends Record<string, any>>(initializer: () => TStore): TStore\nexport function useLocalStore<TStore extends Record<string, any>, TSource extends object>(\n initializer: (source: TSource) => TStore,\n current: TSource\n): TStore\nexport function useLocalStore<TStore extends Record<string, any>, TSource extends object>(\n initializer: (source?: TSource) => TStore,\n current?: TSource\n): TStore {\n if (\"production\" !== process.env.NODE_ENV) {\n useDeprecated(\n \"[mobx-react-lite] 'useLocalStore' is deprecated, use 'useLocalObservable' instead.\"\n )\n }\n const source = current && useAsObservableSource(current)\n return useState(() => observable(initializer(source), undefined, { autoBind: true }))[0]\n}\n","import \"./utils/assertEnvironment\"\n\nimport { unstable_batchedUpdates as batch } from \"./utils/reactBatchedUpdates\"\nimport { observerBatching } from \"./utils/observerBatching\"\nimport { useDeprecated } from \"./utils/utils\"\nimport { useObserver as useObserverOriginal } from \"./useObserver\"\nimport { enableStaticRendering } from \"./staticRendering\"\nimport { observerFinalizationRegistry } from \"./utils/observerFinalizationRegistry\"\n\nobserverBatching(batch)\n\nexport { isUsingStaticRendering, enableStaticRendering } from \"./staticRendering\"\nexport { observer, IObserverOptions } from \"./observer\"\nexport { Observer } from \"./ObserverComponent\"\nexport { useLocalObservable } from \"./useLocalObservable\"\nexport { useLocalStore } from \"./useLocalStore\"\nexport { useAsObservableSource } from \"./useAsObservableSource\"\n\nexport { observerFinalizationRegistry as _observerFinalizationRegistry }\nexport const clearTimers = observerFinalizationRegistry[\"finalizeAllImmediately\"] ?? (() => {})\n\nexport function useObserver<T>(fn: () => T, baseComponentName: string = \"observed\"): T {\n if (\"production\" !== process.env.NODE_ENV) {\n useDeprecated(\n \"[mobx-react-lite] 'useObserver(fn)' is deprecated. Use `<Observer>{fn}</Observer>` instead, or wrap the entire component in `observer`.\"\n )\n }\n return useObserverOriginal(fn, baseComponentName)\n}\n\nexport { isObserverBatched, observerBatching } from \"./utils/observerBatching\"\n\nexport function useStaticRendering(enable: boolean) {\n if (\"production\" !== process.env.NODE_ENV) {\n console.warn(\n \"[mobx-react-lite] 'useStaticRendering' is deprecated, use 'enableStaticRendering' instead\"\n )\n }\n enableStaticRendering(enable)\n}\n"],"names":["useState","Error","makeObservable","defaultNoopBatch","callback","observerBatching","reactionScheduler","console","warn","configure","isObserverBatched","deprecatedMessages","useDeprecated","msg","includes","push","printDebugValue","v","getDependencyTree","globalIsUsingStaticRendering","enableStaticRendering","enable","isUsingStaticRendering","REGISTRY_FINALIZE_AFTER","REGISTRY_SWEEP_INTERVAL","TimerBasedFinalizationRegistry","finalize","registrations","Map","sweepTimeout","sweep","maxAge","clearTimeout","_this","undefined","now","Date","forEach","registration","token","registeredAt","value","size","scheduleSweep","finalizeAllImmediately","_proto","prototype","register","target","set","unregister","setTimeout","UniversalFinalizationRegistry","FinalizationRegistry","observerFinalizationRegistry","adm","_adm$reaction","reaction","dispose","createReaction","Reaction","name","stateVersion","Symbol","onStoreChange","useObserver","render","baseComponentName","admRef","React","useRef","current","subscribe","getSnapshot","useDebugValue","useSyncExternalStore","renderResult","exception","track","e","warnObserverOptionsDeprecated","hasSymbol","isFunctionNameConfigurable","_Object$getOwnPropert","_Object$getOwnPropert2","Object","getOwnPropertyDescriptor","configurable","ReactForwardRefSymbol","forwardRef","props","ReactMemoSymbol","memo","observer","baseComponent","options","process","useForwardRef","_options$forwardRef","displayName","observerComponent","ref","defineProperty","writable","contextTypes","copyStaticProperties","_this$type","type","_this$type2","hoistBlackList","$$typeof","compare","base","keys","key","ObserverComponent","_ref","children","component","propTypes","ObserverPropsCheck","componentName","location","propFullName","extraKey","hasProp","hasExtraProp","useLocalObservable","initializer","annotations","observable","autoBind","useAsObservableSource","res","deep","runInAction","assign","useLocalStore","source","batch","clearTimers","_observerFinalization","fn","useObserverOriginal","useStaticRendering"],"mappings":";;;;;;;;IAGA,IAAI,CAACA,cAAQ,EAAE;MACX,MAAM,IAAIC,KAAK,CAAC,mDAAmD,CAAC;;IAExE,IAAI,CAACC,mBAAc,EAAE;MACjB,MAAM,IAAID,KAAK,CAAC,oEAAoE,CAAC;;;aCLzEE,gBAAgBA,CAACC,QAAoB;MACjDA,QAAQ,EAAE;IACd;AAEA,aAAgBC,gBAAgBA,CAACC,iBAAsB;MACnD,IAAI,CAACA,iBAAiB,EAAE;QACpBA,iBAAiB,GAAGH,gBAAgB;QACpC,AAA2C;UACvCI,OAAO,CAACC,IAAI,CACR,6EAA6E,CAChF;;;MAGTC,cAAS,CAAC;QAAEH,iBAAiB,EAAjBA;OAAmB,CAAC;IACpC;AAEA,QAAaI,iBAAiB,GAAG,SAApBA,iBAAiBA;MAC1B,AAA2C;QACvCH,OAAO,CAACC,IAAI,CAAC,mBAAmB,CAAC;;MAGrC,OAAO,IAAI;IACf,CAAC;;ICxBD,IAAMG,kBAAkB,GAAa,EAAE;AAEvC,aAAgBC,aAAaA,CAACC,GAAW;MACrC,IAAI,CAACF,kBAAkB,CAACG,QAAQ,CAACD,GAAG,CAAC,EAAE;QACnCF,kBAAkB,CAACI,IAAI,CAACF,GAAG,CAAC;QAC5BN,OAAO,CAACC,IAAI,CAACK,GAAG,CAAC;;IAEzB;;aCLgBG,eAAeA,CAACC,CAAW;MACvC,OAAOC,sBAAiB,CAACD,CAAC,CAAC;IAC/B;;ICJA,IAAIE,4BAA4B,GAAG,KAAK;AAExC,aAAgBC,qBAAqBA,CAACC,MAAe;MACjDF,4BAA4B,GAAGE,MAAM;IACzC;AAEA,aAAgBC,sBAAsBA;MAClC,OAAOH,4BAA4B;IACvC;;ICAO,IAAMI,uBAAuB,GAAG,KAAM;AAC7C,IAAO,IAAMC,uBAAuB,GAAG,KAAM;AAE7C,QAAaC,8BAA8B;MAIvC,SAAAA,+BAA6BC,QAA4B;;aAA5BA;aAHrBC,aAAa,GAAqD,IAAIC,GAAG,EAAE;QAAA,KAC3EC,YAAY;QAAA,KAkBpBC,KAAK,GAAG,UAACC,MAAM;cAANA,MAAM;YAANA,MAAM,GAAGR,uBAAuB;;;UAErCS,YAAY,CAACC,KAAI,CAACJ,YAAY,CAAC;UAC/BI,KAAI,CAACJ,YAAY,GAAGK,SAAS;UAE7B,IAAMC,GAAG,GAAGC,IAAI,CAACD,GAAG,EAAE;UACtBF,KAAI,CAACN,aAAa,CAACU,OAAO,CAAC,UAACC,YAAY,EAAEC,KAAK;YAC3C,IAAIJ,GAAG,GAAGG,YAAY,CAACE,YAAY,IAAIT,MAAM,EAAE;cAC3CE,KAAI,CAACP,QAAQ,CAACY,YAAY,CAACG,KAAK,CAAC;cACjCR,KAAI,CAACN,aAAa,UAAO,CAACY,KAAK,CAAC;;WAEvC,CAAC;UAEF,IAAIN,KAAI,CAACN,aAAa,CAACe,IAAI,GAAG,CAAC,EAAE;YAC7BT,KAAI,CAACU,aAAa,EAAE;;SAE3B;QAAA,KAGDC,sBAAsB,GAAG;UACrBX,KAAI,CAACH,KAAK,CAAC,CAAC,CAAC;SAChB;QArC4B,aAAQ,GAARJ,QAAQ;;;MAErC,IAAAmB,MAAA,GAAApB,8BAAA,CAAAqB,SAAA;MAAAD,MAAA,CACAE,QAAQ,GAAR,SAAAA,SAASC,MAAc,EAAEP,KAAQ,EAAEF,KAAc;QAC7C,IAAI,CAACZ,aAAa,CAACsB,GAAG,CAACV,KAAK,EAAE;UAC1BE,KAAK,EAALA,KAAK;UACLD,YAAY,EAAEJ,IAAI,CAACD,GAAG;SACzB,CAAC;QACF,IAAI,CAACQ,aAAa,EAAE;OACvB;MAAAE,MAAA,CAEDK,UAAU,GAAV,SAAAA,WAAWX,KAAc;QACrB,IAAI,CAACZ,aAAa,UAAO,CAACY,KAAK,CAAC;;;;MAGpCM,MAAA,CAwBQF,aAAa,GAAb,SAAAA;QACJ,IAAI,IAAI,CAACd,YAAY,KAAKK,SAAS,EAAE;UACjC,IAAI,CAACL,YAAY,GAAGsB,UAAU,CAAC,IAAI,CAACrB,KAAK,EAAEN,uBAAuB,CAAC;;OAE1E;MAAA,OAAAC,8BAAA;IAAA;AAGL,IAAO,IAAM2B,6BAA6B,GACtC,OAAOC,oBAAoB,KAAK,WAAW,GACrCA,oBAAoB,GACpB5B,8BAA8B;;QC7D3B6B,4BAA4B,gBAAG,IAAIF,6BAA6B,CACzE,UAACG,GAAkC;;MAC/B,CAAAC,aAAA,GAAAD,GAAG,CAACE,QAAQ,qBAAZD,aAAA,CAAcE,OAAO,EAAE;MACvBH,GAAG,CAACE,QAAQ,GAAG,IAAI;IACvB,CAAC,CACJ;;ICgBD,SAASE,cAAcA,CAACJ,GAA2B;MAC/CA,GAAG,CAACE,QAAQ,GAAG,IAAIG,aAAQ,cAAYL,GAAG,CAACM,IAAI,EAAI;QAC/CN,GAAG,CAACO,YAAY,GAAGC,MAAM,EAAE;;;;QAI3BR,GAAG,CAACS,aAAa,oBAAjBT,GAAG,CAACS,aAAa,EAAI;OACxB,CAAC;IACN;AAEA,aAAgBC,WAAWA,CAAIC,MAAe,EAAEC;UAAAA;QAAAA,oBAA4B,UAAU;;MAClF,IAAI7C,sBAAsB,EAAE,EAAE;QAC1B,OAAO4C,MAAM,EAAE;;MAGnB,IAAME,MAAM,GAAGC,cAAK,CAACC,MAAM,CAAgC,IAAI,CAAC;MAEhE,IAAI,CAACF,MAAM,CAACG,OAAO,EAAE;;QAEjB,IAAMhB,IAAG,GAA2B;UAChCE,QAAQ,EAAE,IAAI;UACdO,aAAa,EAAE,IAAI;UACnBF,YAAY,EAAEC,MAAM,EAAE;UACtBF,IAAI,EAAEM,iBAAiB;UACvBK,SAAS,WAAAA,UAACR,aAAyB;;YAE/BV,4BAA4B,CAACJ,UAAU,CAACK,IAAG,CAAC;YAC5CA,IAAG,CAACS,aAAa,GAAGA,aAAa;YACjC,IAAI,CAACT,IAAG,CAACE,QAAQ,EAAE;;;;;;cAMfE,cAAc,CAACJ,IAAG,CAAC;;;cAGnBA,IAAG,CAACO,YAAY,GAAGC,MAAM,EAAE;;YAG/B,OAAO;;;cAEHR,IAAG,CAACS,aAAa,GAAG,IAAI;cACxB,CAAAR,aAAA,GAAAD,IAAG,CAACE,QAAQ,qBAAZD,aAAA,CAAcE,OAAO,EAAE;cACvBH,IAAG,CAACE,QAAQ,GAAG,IAAI;aACtB;WACJ;UACDgB,WAAW,WAAAA;;YAEP,OAAOlB,IAAG,CAACO,YAAY;;SAE9B;QAEDM,MAAM,CAACG,OAAO,GAAGhB,IAAG;;MAGxB,IAAMA,GAAG,GAAGa,MAAM,CAACG,OAAQ;MAE3B,IAAI,CAAChB,GAAG,CAACE,QAAQ,EAAE;;QAEfE,cAAc,CAACJ,GAAG,CAAC;;;;QAInBD,4BAA4B,CAACP,QAAQ,CAACqB,MAAM,EAAEb,GAAG,EAAEA,GAAG,CAAC;;MAG3Dc,cAAK,CAACK,aAAa,CAACnB,GAAG,CAACE,QAAS,EAAEzC,eAAe,CAAC;MAEnD2D,yBAAoB;;MAEhBpB,GAAG,CAACiB,SAAS,EACbjB,GAAG,CAACkB,WAAW,EACflB,GAAG,CAACkB,WAAW,CAClB;;;;MAKD,IAAIG,YAAgB;MACpB,IAAIC,SAAS;MACbtB,GAAG,CAACE,QAAS,CAACqB,KAAK,CAAC;QAChB,IAAI;UACAF,YAAY,GAAGV,MAAM,EAAE;SAC1B,CAAC,OAAOa,CAAC,EAAE;UACRF,SAAS,GAAGE,CAAC;;OAEpB,CAAC;MAEF,IAAIF,SAAS,EAAE;QACX,MAAMA,SAAS,CAAA;;;MAGnB,OAAOD,YAAY;IACvB;;;ACtHA,IAKA,IAAII,6BAA6B,GAAG,IAAI;IAExC,IAAMC,SAAS,GAAG,OAAOlB,MAAM,KAAK,UAAU,IAAIA,MAAM,OAAI;IAC5D,IAAMmB,0BAA0B,IAAAC,qBAAA,IAAAC,sBAAA,gBAC5BC,MAAM,CAACC,wBAAwB,CAAC,cAAQ,EAAE,MAAM,CAAC,qBAAjDF,sBAAA,CAAmDG,YAAY,YAAAJ,qBAAA,GAAI,KAAK;IAE5E;IACA,IAAMK,qBAAqB,GAAGP,SAAS,gBACjClB,MAAM,OAAI,CAAC,mBAAmB,CAAC,GAC/B,OAAO0B,gBAAU,KAAK,UAAU,iBAAIA,gBAAU,CAAC,UAACC,KAAU;MAAA,OAAK,IAAI;IAAA,EAAC,CAAC,UAAU,CAAC;IAEtF,IAAMC,eAAe,GAAGV,SAAS,gBAC3BlB,MAAM,OAAI,CAAC,YAAY,CAAC,GACxB,OAAO6B,UAAI,KAAK,UAAU,iBAAIA,UAAI,CAAC,UAACF,KAAU;MAAA,OAAK,IAAI;IAAA,EAAC,CAAC,UAAU,CAAC;IA2C1E;AACA,aAAgBG,QAAQA,CACpBC,aAG2F;IAC3F;IACAC,OAA0B;;MAE1B,IAAIC,CAAyChB,6BAA6B,IAAIe,OAAO,EAAE;QACnFf,6BAA6B,GAAG,KAAK;QACrCzE,OAAO,CAACC,IAAI,8GAEX;;MAGL,IAAImF,eAAe,IAAIG,aAAa,CAAC,UAAU,CAAC,KAAKH,eAAe,EAAE;QAClE,MAAM,IAAI1F,KAAK,uLAEd;;;MAIL,IAAIqB,sBAAsB,EAAE,EAAE;QAC1B,OAAOwE,aAAa;;MAGxB,IAAIG,aAAa,IAAAC,mBAAA,GAAGH,OAAO,oBAAPA,OAAO,CAAEN,UAAU,YAAAS,mBAAA,GAAI,KAAK;MAChD,IAAIhC,MAAM,GAAG4B,aAAa;MAE1B,IAAM3B,iBAAiB,GAAG2B,aAAa,CAACK,WAAW,IAAIL,aAAa,CAACjC,IAAI;;;MAIzE,IAAI2B,qBAAqB,IAAIM,aAAa,CAAC,UAAU,CAAC,KAAKN,qBAAqB,EAAE;QAC9ES,aAAa,GAAG,IAAI;QACpB/B,MAAM,GAAG4B,aAAa,CAAC,QAAQ,CAAC;QAChC,IAAI,OAAO5B,MAAM,KAAK,UAAU,EAAE;UAC9B,MAAM,IAAIjE,KAAK,wEAEd;;;MAIT,IAAImG,iBAAiB,GAAG,SAAAA,kBAACV,KAAU,EAAEW,GAAoB;QACrD,OAAOpC,WAAW,CAAC;UAAA,OAAMC,MAAM,CAACwB,KAAK,EAAEW,GAAG,CAAC;WAAElC,iBAAiB,CAAC;OAClE;MAGCiC,iBAA6C,CAACD,WAAW,GAAGL,aAAa,CAACK,WAAW;MAEvF,IAAIjB,0BAA0B,EAAE;QAC5BG,MAAM,CAACiB,cAAc,CAACF,iBAAiB,EAAE,MAAM,EAAE;UAC7C3D,KAAK,EAAEqD,aAAa,CAACjC,IAAI;UACzB0C,QAAQ,EAAE,IAAI;UACdhB,YAAY,EAAE;SACjB,CAAC;;;MAIN,IAAKO,aAAqB,CAACU,YAAY,EAAE;QACnCJ,iBAA6C,CAACI,YAAY,GACxDV,aACH,CAACU,YAAY;;MAGlB,IAAIP,aAAa,EAAE;;;;QAIfG,iBAAiB,GAAGX,gBAAU,CAACW,iBAAiB,CAAC;;;;;MAMrDA,iBAAiB,GAAGR,UAAI,CAACQ,iBAAiB,CAAC;MAE3CK,oBAAoB,CAACX,aAAa,EAAEM,iBAAiB,CAAC;MAEtD,AAA2C;QACvCf,MAAM,CAACiB,cAAc,CAACF,iBAAiB,EAAE,cAAc,EAAE;UACrDnD,GAAG,WAAAA;;YACC,MAAM,IAAIhD,KAAK,0BAEP,IAAI,CAACkG,WAAW,MAAAO,UAAA,GAAI,IAAI,CAACC,IAAI,qBAATD,UAAA,CAAWP,WAAW,OAAAS,WAAA,GAAI,IAAI,CAACD,IAAI,qBAATC,WAAA,CAAW/C,IAAI,KAAI,WACrE,6DACH;;SAER,CAAC;;MAGN,OAAOuC,iBAAiB;IAC5B;IAEA;IACA,IAAMS,cAAc,GAAQ;MACxBC,QAAQ,EAAE,IAAI;MACd5C,MAAM,EAAE,IAAI;MACZ6C,OAAO,EAAE,IAAI;MACbJ,IAAI,EAAE,IAAI;;;MAGVR,WAAW,EAAE;KAChB;IAED,SAASM,oBAAoBA,CAACO,IAAS,EAAEhE,MAAW;MAChDqC,MAAM,CAAC4B,IAAI,CAACD,IAAI,CAAC,CAAC3E,OAAO,CAAC,UAAA6E,GAAG;QACzB,IAAI,CAACL,cAAc,CAACK,GAAG,CAAC,EAAE;UACtB7B,MAAM,CAACiB,cAAc,CAACtD,MAAM,EAAEkE,GAAG,EAAE7B,MAAM,CAACC,wBAAwB,CAAC0B,IAAI,EAAEE,GAAG,CAAE,CAAC;;OAEtF,CAAC;IACN;;ICtKA,SAASC,iBAAiBA,CAAAC,IAAA;UAAGC,QAAQ,GAAAD,IAAA,CAARC,QAAQ;QAAEnD,MAAM,GAAAkD,IAAA,CAANlD,MAAM;MACzC,IAAMoD,SAAS,GAAGD,QAAQ,IAAInD,MAAM;MACpC,IAAI,OAAOoD,SAAS,KAAK,UAAU,EAAE;QACjC,OAAO,IAAI;;MAEf,OAAOrD,WAAW,CAACqD,SAAS,CAAC;IACjC;AACA,IAA2C;MACvCH,iBAAiB,CAACI,SAAS,GAAG;QAC1BF,QAAQ,EAAEG,kBAAkB;QAC5BtD,MAAM,EAAEsD;OACX;;IAELL,iBAAiB,CAAChB,WAAW,GAAG,UAAU;AAE1C,IAEA,SAASqB,kBAAkBA,CACvB9B,KAA2B,EAC3BwB,GAAW,EACXO,aAAqB,EACrBC,QAAa,EACbC,YAAoB;MAEpB,IAAMC,QAAQ,GAAGV,GAAG,KAAK,UAAU,GAAG,QAAQ,GAAG,UAAU;MAC3D,IAAMW,OAAO,GAAG,OAAOnC,KAAK,CAACwB,GAAG,CAAC,KAAK,UAAU;MAChD,IAAMY,YAAY,GAAG,OAAOpC,KAAK,CAACkC,QAAQ,CAAC,KAAK,UAAU;MAC1D,IAAIC,OAAO,IAAIC,YAAY,EAAE;QACzB,OAAO,IAAI7H,KAAK,CACZ,oEAAoE,GAAGwH,aAAa,CACvF;;MAGL,IAAII,OAAO,IAAIC,YAAY,EAAE;QACzB,OAAO,IAAI;;MAEf,OAAO,IAAI7H,KAAK,CACZ,gBAAgB,GACZ0H,YAAY,GACZ,aAAa,GACb,OAAOjC,KAAK,CAACwB,GAAG,CAAC,GACjB,eAAe,GACf,IAAI,GACJO,aAAa,GACb,yBAAyB,CAChC;IACL;;aClDgBM,kBAAkBA,CAC9BC,WAAyB,EACzBC,WAA2C;MAE3C,OAAOjI,cAAQ,CAAC;QAAA,OAAMkI,eAAU,CAACF,WAAW,EAAE,EAAEC,WAAW,EAAE;UAAEE,QAAQ,EAAE;SAAM,CAAC;QAAC,CAAC,CAAC,CAAC;IACxF;;aCJgBC,qBAAqBA,CAAyB7D,OAAgB;MAC1E,AACI3D,aAAa,CACT,4OAA4O,CAC/O;;;;MAIL,IAAMyH,GAAG,GAAGrI,cAAQ,CAAC;QAAA,OAAMkI,eAAU,CAAC3D,OAAO,EAAE,EAAE,EAAE;UAAE+D,IAAI,EAAE;SAAO,CAAC;QAAC,CAAC,CAAC,CAAC;MACvEC,gBAAW,CAAC;QACRlD,MAAM,CAACmD,MAAM,CAACH,GAAG,EAAE9D,OAAO,CAAC;OAC9B,CAAC;MACF,OAAO8D,GAAG;IACd;;aCNgBI,aAAaA,CACzBT,WAAyC,EACzCzD,OAAiB;MAEjB,AAA2C;QACvC3D,aAAa,CACT,oFAAoF,CACvF;;MAEL,IAAM8H,MAAM,GAAGnE,OAAO,IAAI6D,qBAAqB,CAAC7D,OAAO,CAAC;MACxD,OAAOvE,cAAQ,CAAC;QAAA,OAAMkI,eAAU,CAACF,WAAW,CAACU,MAAM,CAAC,EAAExG,SAAS,EAAE;UAAEiG,QAAQ,EAAE;SAAM,CAAC;QAAC,CAAC,CAAC,CAAC;IAC5F;;;ACtBA,IASA9H,gBAAgB,CAACsI,gCAAK,CAAC;AAEvB,QAQaC,WAAW,IAAAC,qBAAA,GAAGvF,4BAA4B,CAAC,wBAAwB,CAAC,YAAAuF,qBAAA,GAAK,cAAS;AAE/F,aAAgB5E,aAAWA,CAAI6E,EAAW,EAAE3E;UAAAA;QAAAA,oBAA4B,UAAU;;MAC9E,AAA2C;QACvCvD,aAAa,CACT,yIAAyI,CAC5I;;MAEL,OAAOmI,WAAmB,CAACD,EAAE,EAAE3E,iBAAiB,CAAC;IACrD;AAEA,aAEgB6E,kBAAkBA,CAAC3H,MAAe;MAC9C,AAA2C;QACvCd,OAAO,CAACC,IAAI,CACR,2FAA2F,CAC9F;;MAELY,qBAAqB,CAACC,MAAM,CAAC;IACjC;;;;;;;;;;;;;;;;;;;;;;;;"}