@dash-ui/styles
Version:
A tiny, powerful, framework-agnostic CSS-in-JS library.
1 lines • 63.1 kB
Source Map (JSON)
{"version":3,"file":"index.dev.mjs","sources":["../../src/utils.ts","../../src/create-dash.ts","../../src/create-styles.ts"],"sourcesContent":["/**\n * An FNV-1a hashing algorithm with a 32-bit offset basis. FNV-1a hashes are designed\n * to be fast while maintaining a low collision rate. The high dispersion rate makes\n * them well-suited for hashing nearly identical strings.\n *\n * @param string - A string you want to hash\n */\nexport function hash(string: string): string {\n // 32-bit offset basis\n let out = 2166136261;\n let i = 0;\n let len = string.length;\n\n for (; i < len; ++i)\n out =\n (out ^= string.charCodeAt(i)) +\n (out << 1) +\n (out << 4) +\n (out << 7) +\n (out << 8) +\n (out << 24);\n\n return (out >>> 0).toString(36);\n}\n\nconst minL = /(^|[:;,{}\\s])\\s+|$/g;\nconst minR = / +{/g;\n\nexport function safeHash(\n key: string,\n hashFn: typeof hash\n): (string: string) => string {\n const hashCache: Record<string, string> = {};\n let value: string | undefined;\n return (string: string): string => {\n if ((value = hashCache[string])) return value;\n value = hashFn(string.replace(minL, \"$1\").replace(minR, \"{\"));\n // allows class names to start with numbers\n return (hashCache[string] = value =\n !key && !isNaN(value[0] as any) ? \"_\" + value : value);\n };\n}\n\nexport function noop(): void {}\n","import Stylis from \"@dash-ui/stylis\";\nimport type { Context, Plugable, Plugin } from \"@dash-ui/stylis\";\nimport { noop } from \"./utils\";\n\n/**\n * Dash is a tiny, performant CSS-in-JS style rule sheet manager similar to Emotion.\n *\n * @param options - Configuration options\n */\nexport function createDash(options: CreateDashOptions = {}): Dash {\n let {\n key = \"ui\",\n nonce,\n stylisPlugins,\n prefix = true,\n batchInserts,\n speedy,\n container = typeof document !== \"undefined\" ? document.head : void 0,\n } = options;\n const stylis = new Stylis({ prefix });\n const inserted: Dash[\"inserted\"] = new Set<string>();\n const cache: Dash[\"cache\"] = new Map();\n const sheetsCache = new Map<string, DashSheet>();\n const sheet = styleSheet({\n key,\n container,\n nonce,\n speedy,\n batchInserts,\n });\n\n if (typeof document !== \"undefined\") {\n let nodes = document.querySelectorAll('style[data-cache=\"' + key + '\"]');\n let i = 0;\n let attr;\n let node;\n const insert = inserted.add.bind(inserted);\n\n for (; i < nodes.length; i++) {\n /* istanbul ignore next */\n if ((attr = (node = nodes[i]).getAttribute(`data-dash`)) === null)\n continue;\n attr.split(\" \").forEach(insert);\n\n container && node.parentNode !== container && container.appendChild(node);\n }\n\n stylis.use(stylisPlugins)(ruleSheet as Plugin);\n }\n\n /* istanbul ignore next */\n if (typeof process !== \"undefined\" && process.env.NODE_ENV !== \"production\") {\n const commentStart = /\\/\\*/g;\n const commentEnd = /\\*\\//g;\n\n stylis.use((context, content) => {\n if (context === -1) {\n while (commentStart.test(content)) {\n commentEnd.lastIndex = commentStart.lastIndex;\n\n /* istanbul ignore next */\n if (commentEnd.test(content)) {\n commentStart.lastIndex = commentEnd.lastIndex;\n continue;\n }\n\n throw new Error(\n 'Your styles have an unterminated comment (\"/*\" without ' +\n 'corresponding \"*/\").'\n );\n }\n\n commentStart.lastIndex = 0;\n }\n });\n }\n\n let insert: Dash[\"insert\"] = function (key, selector, styles, styleSheet) {\n if (inserted.has(key)) return;\n inserted.add(key);\n Sheet.x = styleSheet === void 0 ? sheet : styleSheet;\n stylis(selector, styles);\n };\n\n if (typeof document === \"undefined\") {\n insert = function (key, selector, styles, styleSheet) {\n if (inserted.has(key)) return;\n inserted.add(key);\n Sheet.x = styleSheet === void 0 ? sheet : styleSheet;\n cache.set(key, stylis(selector, styles));\n };\n }\n\n return {\n key,\n sheet,\n sheets: {\n add(name) {\n const sheetRef = sheetsCache.get(name) || {\n n: 0,\n s: styleSheet(sheet),\n };\n sheetsCache.set(name, sheetRef);\n sheetRef.n++;\n return sheetRef.s;\n },\n delete(name) {\n const sheetRef = sheetsCache.get(name);\n if (!sheetRef) return -1;\n if (sheetRef.n === 1) {\n sheetsCache.delete(name);\n sheetRef.s.flush();\n }\n return --sheetRef.n;\n },\n keys: sheetsCache.keys.bind(sheetsCache),\n },\n stylis,\n insert,\n inserted,\n cache,\n };\n}\n\nexport interface CreateDashOptions {\n /**\n * Keys in sheets used to associate `<style>` tags with this\n * specific `dash` instances via the `dash-cache` property.\n *\n * @default \"ui\"\n */\n readonly key?: string;\n /**\n * For security policies. A nonce is an arbitrary number that can be used just\n * once in a cryptographic communication.\n */\n readonly nonce?: string;\n /**\n * An array of stylis plugins\n * See: https://www.npmjs.com/package/stylis\n */\n readonly stylisPlugins?: Plugable[];\n /**\n * Turns on/off vendor prefixing. When a boolean, all prefixes will be\n * turned on/off. Use a function to define your own prefixes for a given key/value.\n *\n * @default true\n */\n readonly prefix?:\n | boolean\n | ((key: string, value: any, context: any) => boolean);\n /**\n * This is the container that `<style>` tags will be injected into\n * when style rules are inserted.\n *\n * @default document.head\n */\n readonly container?: HTMLElement;\n /**\n * Batch `insertRule` calls to improve performance by reducing the number of\n * style recalculations.\n */\n readonly batchInserts?: boolean;\n /**\n * Does nothing now.\n *\n * @deprecated\n */\n readonly speedy?: boolean;\n}\n\nexport type Dash = {\n /**\n * The sheet key\n */\n readonly key: string;\n /**\n * The default style sheet used by this instance of Dash\n */\n readonly sheet: DashStyleSheet;\n /**\n * Used for tracking external sheets. You can safely add/delete new\n * custom sheets using this. Those sheets can be used in the `insert()`\n * method. The primary reason you'd want to use this is so that you can\n * create independently flushable styles/sheets.\n */\n readonly sheets: DashSheets;\n /**\n * The instance of Stylis used by this Dash instance\n */\n readonly stylis: Stylis;\n /**\n * A cache of Stylis rules saved by their keys. This is only used\n * on the server for generating CSS files and strings from the keys\n * used in the cache.\n */\n readonly cache: Map<string, string>;\n /**\n * A function for inserting style rules into the document and cache.\n *\n * @param key - The unique key of the rule. This is used for caching.\n * @param selector - The CSS selector to insert the rule under. Omit this\n * when inserting a global style.\n * @param styles - The rules string you'd like to insert into the document or cache.\n * @param styleSheet - The style sheet to insert a rule into, for example `dash.sheet`.\n */\n insert(\n key: string,\n selector: string,\n styles: string,\n styleSheet?: DashStyleSheet\n ): void;\n /**\n * An insertion cache. This tracks which keys have already been inserted into\n * the DOM to prevent duplicates.\n */\n readonly inserted: Set<string>;\n};\n\n/**\n * A stylesheet cache that tracks references to the keys in it.\n * When there are no more references to a sheet, it will be flushed\n * from the DOM.\n */\nexport interface DashSheets {\n /**\n * Creates a new stylesheet if it doesn't exist and returns it.\n *\n * @param key - The unique key of the style sheet\n */\n add(key: string): DashStyleSheet;\n /**\n * Deletes the stylesheet from the sheets cache and flushes the\n * `<style>` tag from the DOM if this is is the last reference to\n * the key.\n *\n * @param key - The key to the sheet\n */\n delete(key: string): number;\n /**\n * Returns an iterator containing all of the keys in the cache.\n */\n keys(): ReturnType<Map<string, DashSheet>[\"keys\"]>;\n}\n\ninterface DashSheet {\n /**\n * The number of references to the sheet\n */\n n: number;\n /**\n * A dash style sheet.\n */\n s: DashStyleSheet;\n}\n\n//\n// Stylesheet\nexport function styleSheet(options: DashStyleSheetOptions): DashStyleSheet {\n // Based off emotion and glamor's StyleSheet\n const { key, container, nonce, batchInserts, speedy } = options;\n let tag: HTMLStyleElement | null = null;\n let sheet: CSSStyleSheet | null = null;\n let supportsConstructableStylesheets = false;\n\n if (typeof document !== \"undefined\") {\n supportsConstructableStylesheets =\n \"CSSStyleSheet\" in window &&\n \"replace\" in CSSStyleSheet.prototype &&\n \"adoptedStyleSheets\" in Document.prototype;\n\n if (!supportsConstructableStylesheets) {\n tag = document.createElement(\"style\");\n tag.setAttribute(`data-dash`, key);\n\n if (nonce) {\n tag.setAttribute(\"nonce\", nonce);\n }\n\n container?.appendChild(tag);\n sheet = tag.sheet;\n\n /* istanbul ignore next */\n if (!sheet) {\n // this weirdness brought to you by firefox\n const { styleSheets } = document;\n for (let i = 0; i < styleSheets.length; i++)\n if (styleSheets[i].ownerNode === tag) {\n sheet = styleSheets[i];\n break;\n }\n }\n } else {\n sheet = new CSSStyleSheet();\n document.adoptedStyleSheets = [...document.adoptedStyleSheets, sheet];\n }\n }\n\n return {\n key,\n nonce,\n container,\n speedy,\n insert(rule) {\n /* istanbul ignore next */\n const insertRule = (): void => {\n try {\n // this is the ultrafast version, works across browsers\n // the big drawback is that the css won't be editable in devtools\n sheet!.insertRule(rule, sheet!.cssRules.length);\n } catch (e) {\n if (\n typeof process !== \"undefined\" &&\n process.env.NODE_ENV !== \"production\"\n ) {\n console.warn(\n 'There was a problem inserting the following rule: \"' +\n rule +\n '\"',\n e\n );\n }\n }\n };\n\n if (batchInserts) {\n tasks.push(insertRule);\n scheduleFlush();\n } else {\n insertRule();\n }\n },\n flush() {\n if (tag && tag.parentNode) {\n tag.parentNode.removeChild(tag);\n } else if (supportsConstructableStylesheets) {\n document.adoptedStyleSheets = document.adoptedStyleSheets.filter(\n (s) => s !== sheet\n );\n }\n },\n };\n}\n\nlet scheduled = false;\nconst tasks: Task[] = [];\n\nfunction scheduleFlush(): void {\n if (!scheduled) {\n scheduled = true;\n\n requestAnimationFrame(() => {\n let task: Task | undefined;\n while ((task = tasks.shift())) task();\n scheduled = false;\n\n if (tasks.length) {\n scheduleFlush();\n }\n });\n }\n}\n\ntype Task = () => void;\n\nexport interface DashStyleSheetOptions {\n /**\n * Keys in sheets used to associate style sheets with\n * specific `dash` instances\n */\n readonly key: string;\n /**\n * The element to insert `<style>` tags into. For example,\n * `document.head`.\n */\n readonly container?: HTMLElement;\n /**\n * For security policies. A nonce is an arbitrary number that can be used just\n * once in a cryptographic communication.\n */\n readonly nonce?: string;\n /**\n * Batch `insertRule` calls to improve performance by reducing the number of\n * style recalculations.\n */\n readonly batchInserts?: boolean;\n /**\n * Does nothing now.\n *\n * @deprecated\n */\n readonly speedy?: boolean;\n}\n\nexport interface DashStyleSheet {\n /**\n * The sheet key\n */\n readonly key: string;\n /**\n * The sheet nonce\n */\n readonly nonce?: string;\n /**\n * The sheet container\n */\n readonly container?: HTMLElement;\n /**\n * Does nothing now.\n *\n * @deprecated\n */\n readonly speedy?: boolean;\n /**\n * Inserts a style rule into your sheet\n *\n * @param rule - A style rule to insert into the sheet\n */\n insert(rule: string): void;\n /**\n * Removes all style rules from the sheet.\n */\n flush(): void;\n}\n\n//\n// Stylis plugins\nconst RULE_DELIMITER = \"/*|*/\";\nconst RULE_NEEDLE = RULE_DELIMITER + \"}\";\n\nfunction ruleSheet(\n // https://github.com/thysultan/stylis.js/tree/master/plugins/rule-sheet\n context: Context,\n content: any,\n selectors: string[],\n parents: string[],\n line: number,\n column: number,\n length: number,\n ns: number,\n depth: number,\n at: number\n): string | undefined {\n // selector\n if (context === 2) {\n if (ns === 0) return content + RULE_DELIMITER;\n }\n // at-rule\n else if (context === 3) {\n // @font-face, @page\n if (ns === 102 || ns === 112) {\n Sheet.x.insert(selectors[0] + content);\n return \"\";\n } else {\n /* istanbul ignore next */\n return content + (at === 0 ? RULE_DELIMITER : \"\");\n }\n } else if (context === -2) {\n content.split(RULE_NEEDLE).forEach((block: string) => {\n block && Sheet.x.insert(block + \"}\");\n });\n }\n}\n\nconst Sheet: {\n x: {\n insert(rule: string): void;\n };\n} = {\n x: {\n insert: noop,\n },\n};\n","import unitless from \"@dash-ui/unitless\";\nimport type {\n HtmlAttributes as CSSHTMLAttributes,\n PropertiesFallback as CSSProperties,\n Pseudos as CSSPseudos,\n SvgAttributes as CSSSvgAttributes,\n} from \"csstype\";\nimport type { JsonValue, PartialDeep, Primitive, ValueOf } from \"type-fest\";\nimport { createDash } from \"./create-dash\";\nimport type { Dash } from \"./create-dash\";\nimport { hash as fnv1aHash, noop, safeHash } from \"./utils\";\n\n/**\n * A factory function that returns a new `styles` instance with\n * your custom configuration options.\n *\n * @param options - Configuration options\n */\nexport function createStyles<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n>(options: CreateStylesOptions<Tokens, Themes> = {}): Styles<Tokens, Themes> {\n const dash = options.dash || createDash();\n const { key, insert, sheets } = dash;\n const themes = {} as Themes;\n const tokens = {} as TokensUnion<Tokens, Themes>;\n const hash = safeHash(key, options.hash || fnv1aHash);\n\n let label: (args: any[]) => string;\n // explicit here on purpose so it's not in every test\n /* istanbul ignore next */\n if (\n typeof process !== \"undefined\" &&\n process.env.NODE_ENV === \"development\"\n ) {\n label = function (args) {\n // add helpful labels to the name in development\n return [...args]\n .reduce((curr, arg) => {\n if (typeof arg === \"string\") {\n curr += \"-\" + arg;\n } else if (typeof arg === \"object\") {\n const keys = Object.keys(arg).filter(\n (k) => typeof arg[k] === \"number\" || arg[k]\n );\n\n if (keys.length) {\n curr += \"-\" + keys.join(\"-\");\n }\n }\n\n return curr;\n }, \"\")\n .replace(/[^\\w-]/g, \"-\");\n };\n }\n\n const styles: Styles<Tokens, Themes> = {\n variants<Variants extends string | number>(\n styleMap: StyleMap<Variants, Tokens, Themes>\n ): Style<Variants, Tokens, Themes> {\n const compiledStyleMap: Record<string | number, string> = {};\n let styleKey: keyof typeof styleMap;\n /* istanbul ignore next */\n for (styleKey in styleMap)\n compiledStyleMap[styleKey] = compileStyles(styleMap[styleKey], tokens);\n\n const defaultStyles = compiledStyleMap.default || \"\";\n\n // style('text', {})\n function style(): string {\n // eslint-disable-next-line prefer-spread\n const css_ = css.apply(null, arguments as any);\n if (!css_) return \"\";\n let name = hash(css_);\n /* istanbul ignore next */\n if (label) name += label(arguments as any);\n const className = key + \"-\" + name;\n insert(name, \".\" + className, css_);\n return className;\n }\n\n function css(): string {\n const args = arguments as unknown as StyleArguments<Variants>;\n const numArgs = args.length;\n\n if (numArgs === 1 && typeof args[0] !== \"object\") {\n return defaultStyles + (compiledStyleMap[args[0] as any] || \"\");\n } else if (numArgs > 0) {\n let nextStyles = defaultStyles;\n\n for (let i = 0; i < numArgs; i++) {\n let arg = args[i];\n if (typeof arg !== \"object\") {\n nextStyles += compiledStyleMap[arg as any] || \"\";\n } else if (arg !== null) {\n for (const key in arg)\n if (arg[key]) nextStyles += compiledStyleMap[key] || \"\";\n }\n }\n\n return nextStyles;\n }\n\n return defaultStyles;\n }\n\n style.styles = styleMap;\n style.css = css;\n return style;\n },\n one() {\n const one = compileStyles<Tokens, Themes>(\n compileLiterals(arguments),\n tokens\n );\n const name = hash(one);\n const className = key + \"-\" + name;\n const callback: StylesOne = function (createClassName) {\n if (!createClassName && createClassName !== void 0) return \"\";\n insert(name, \".\" + className, one);\n return className;\n };\n callback.css = function (createCss) {\n return !createCss && createCss !== void 0 ? \"\" : one;\n };\n return callback;\n },\n cls() {\n const css = compileStyles<Tokens, Themes>(\n compileLiterals(arguments),\n tokens\n );\n const name = hash(css);\n const className = key + \"-\" + name;\n insert(name, \".\" + className, css);\n return className;\n },\n lazy<Value extends LazyValue>(\n lazyFn: (\n value: Value\n ) => string | StyleCallback<Tokens, Themes> | StyleObject\n ): StylesLazy<Value> {\n const cache = new Map<string | Value, string>();\n\n function css(value?: Value): string {\n if (value === void 0) return \"\";\n const key = typeof value === \"object\" ? JSON.stringify(value) : value;\n let css = cache.get(key);\n\n if (css === void 0) {\n css = compileStyles<Tokens, Themes>(lazyFn(value), tokens);\n cache.set(key, css);\n }\n\n return css;\n }\n\n const lazyStyle: StylesLazy<Value> = function (value?: Value) {\n const css_ = css(value);\n if (!css_) return \"\";\n const name = hash(css_);\n const className = key + \"-\" + name;\n insert(name, \".\" + className, css_);\n return className;\n };\n lazyStyle.css = css;\n return lazyStyle;\n },\n join() {\n const css = \"\".concat(...Array.prototype.slice.call(arguments));\n const name = hash(css);\n const className = key + \"-\" + name;\n insert(name, \".\" + className, css);\n return className;\n },\n keyframes() {\n const css = compileStyles<Tokens, Themes>(\n compileLiterals(arguments),\n tokens\n );\n const name = hash(css);\n const animationName = key + \"-\" + name;\n // Adding to a cached sheet here rather than the default sheet because\n // we want this to persist between `clearCache()` calls.\n insert(\n name,\n \"\",\n \"@keyframes \" + animationName + \"{\" + css + \"}\",\n sheets.add(name)\n );\n return animationName;\n },\n insertGlobal() {\n const css = compileStyles<Tokens, Themes>(\n compileLiterals(arguments),\n tokens\n );\n\n if (!css) return noop;\n const name = hash(css);\n insert(name, \"\", css, sheets.add(name));\n return function () {\n !sheets.delete(name) && dash.inserted.delete(name);\n };\n },\n insertTokens(nextTokens, selector = \":root\") {\n const { css, vars } = serializeTokens(nextTokens, options.mangleTokens);\n if (!css) return noop;\n mergeTokens<Tokens, Themes>(tokens, vars);\n return styles.insertGlobal(selector + \"{\" + css + \"}\");\n },\n insertThemes(nextThemes) {\n const flush: (() => void)[] = [];\n\n for (const name in nextThemes) {\n flush.push(\n styles.insertTokens(\n // God the types here are f'ing stupid. Someone should feel free to fix this.\n // @ts-expect-error\n (themes[name] =\n themes[name] === void 0\n ? // @ts-expect-error\n nextThemes[name]\n : mergeTokens<any>(themes[name], nextThemes[name] as any)),\n \".\" + styles.theme(name as Extract<keyof Themes, string>)\n )\n );\n }\n\n return function () {\n flush.forEach((e) => e());\n };\n },\n theme(theme) {\n return key + \"-\" + theme + \"-theme\";\n },\n dash,\n hash,\n tokens,\n };\n\n Object.defineProperty(styles, \"tokens\", {\n get() {\n return tokens;\n },\n configurable: false,\n });\n styles.insertTokens(options.tokens || emptyObj);\n styles.insertThemes(options.themes || emptyObj);\n return typeof process !== \"undefined\" && process.env.NODE_ENV !== \"production\"\n ? Object.freeze(styles)\n : styles;\n}\n\nconst emptyObj: any = {};\n\nexport interface CreateStylesOptions<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> {\n /**\n * An instance of dash created by the `createDash()` factory\n *\n * @default createDash()\n */\n dash?: Dash;\n /**\n * Inserts CSS tokens into the DOM and makes them available for use in\n * style callbacks. The name of the CSS tokens is automatically generated\n * based upon the depth of the mapping i.e. `foo.bar.baz` -> `--foo-bar-baz`.\n *\n * @example\n * const styles = createStyles({\n * tokens: {\n * color: {\n * // var(--color-light-red)\n * lightRed: '#c17'\n * }\n * }\n * })\n *\n * const bgRed = styles.one(({color}) => ({\n * backgroundColor: color.lightRed\n * }))\n *\n * const Component = () => <div className={bgRed()} />\n */\n readonly tokens?: Tokens;\n /**\n * A mapping of theme name/CSS variable pairs.\n *\n * This Creates a CSS variable-based theme by defining tokens within a\n * class name selector matching the theme name. Apart from that it works\n * the same way `tokens` does.\n *\n * @example\n * const styles = createStyles({\n * themes: {\n * // .ui-light\n * light: {\n * // var(--background-color)\n * backgroundColor: '#fff'\n * },\n * // .ui-dark\n * dark: {\n * // var(--background-color)\n * backgroundColor: '#000'\n * }\n * }\n * })\n *\n * // CSS tokens in the 'dark' theme take precedence in this component\n * const App = () => <div className={styles.theme('dark)}/>\n */\n readonly themes?: Themes;\n /**\n * When `true` this will mangle CSS variable names. You can also\n * provide an object with `{key: boolean}` pairs of reserved keys\n * which will not be mangled.\n *\n * @example\n * const styles = createStyles({\n * // All CSS tokens will be mangled in production\n * mangleTokens: process.env.NODE_ENV === 'production'\n * })\n * @example\n * const styles = createStyles({\n * mangleTokens: {\n * // --vh will not be mangled\n * vh: true\n * }\n * })\n */\n readonly mangleTokens?: boolean | Record<string, boolean>;\n /**\n * Use your own hash function for creating selector names. By default\n * Dash uses an fnv1a hashing algorithm.\n */\n readonly hash?: typeof fnv1aHash;\n}\n\n/**\n * Utility methods that accomplish everything you need to scale an application\n * using CSS-in-JS.\n */\nexport interface Styles<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> {\n /**\n * `styles.variants()` is a function for composing styles in a\n * deterministic way. It returns a function which when called will insert\n * your styles into the DOM and create a unique class name.\n *\n * @param styleMap - A style name/value mapping\n * @example\n * const bg = styles({\n * // Define styles using an object\n * blue: {\n * backgroundColor: 'blue'\n * },\n * // Access stored CSS tokens when a callback is provided as\n * // the value\n * red: ({colors}) => `\n * background-color: ${colors.red};\n * `,\n * // Define styles using a string\n * green: `\n * background-color: green;\n * `\n * })\n *\n * // This component will have a \"red\" background\n * const Component = () => <div className={bg('blue', 'red')}/>\n *\n * // This component will have a \"blue\" background\n * const Component = () => <div className={bg('red', 'blue')}/>\n *\n * // This component will have a \"green\" background\n * const Component = () => <div className={bg({red: true, green: true})}/>\n */\n variants<Variants extends string | number>(\n styleMap: StyleMap<Variants, Tokens, Themes>\n ): Style<Variants, Tokens, Themes>;\n /**\n * A function that accepts a tagged template literal, style object, or style callback,\n * and returns a function. That function inserts the style into a `<style>` tag and\n * returns a class name when called.\n *\n * @example\n * const row = styles.one`\n * display: flex;\n * flex-wrap: nowrap;\n * `\n * const Row = props => <div {...props} className={row()}/>>\n * // This will not insert the styles if `isRow` is `false`\n * const RowSometimes = ({isRow = false}) => <div className={row(isRow)}/>>\n */\n one(\n literals:\n | TemplateStringsArray\n | string\n | StyleObject\n | StyleCallback<Tokens, Themes>,\n ...placeholders: string[]\n ): StylesOne;\n /**\n * A function that accepts a tagged template literal, style object, or style callback.\n * Calling this will immediately insert the CSS into the DOM and return a unique\n * class name for the styles. This is a shortcut for `styles.one('display: flex;')()`.\n *\n * @example\n * const Component = () => <div className={styles.cls`display: flex;`}/>\n */\n cls(\n literals:\n | TemplateStringsArray\n | string\n | StyleObject\n | StyleCallback<Tokens, Themes>,\n ...placeholders: string[]\n ): string;\n /**\n * A function that uses lazy evalution to create styles with indeterminate values.\n * Calling this will immediately insert the CSS into the DOM and return a unique\n * class name for the styles.\n *\n * @example\n * const lazyWidth = styles.lazy((width) => ({\n * width\n * }))\n * const Component = ({width = 200}) => <div className={lazyWidth(width)}/>>\n */\n lazy<Value extends LazyValue>(\n lazyFn: (\n value: Value\n ) => string | StyleCallback<Tokens, Themes> | StyleObject\n ): StylesLazy<Value>;\n /**\n * A function that joins CSS strings, inserts them into the DOM right away, and returns a class name.\n *\n * @example\n * const Component = () => <div\n * className={styles.join(\n * button.css('primary'),\n * transition.css('fade'),\n * 'display: block;'\n * )}\n * />\n */\n join(...css: string[]): string;\n /**\n * A function that accepts a tagged template literal, style object, or style callback.\n * Using this will immediately insert a global `@keyframes` defintion into the DOM and\n * return the name of the keyframes instance.\n *\n * @example\n * const fadeIn = styles.keyframes`\n * from {\n * opacity: 0;\n * }\n *\n * to {\n * opactity: 1\n * }\n * `\n */\n keyframes(\n literals:\n | TemplateStringsArray\n | string\n | StyleCallback<Tokens, Themes>\n | StyleObject,\n ...placeholders: string[]\n ): string;\n /**\n * A function that returns the generated class name for a given theme when\n * using `insertThemes()` to create CSS variable-based themes.\n *\n * @param name - The name of the theme\n * @example\n * styles.insertThemes({\n * dark: {\n * color: {\n * background: '#000'\n * }\n * }\n * })\n *\n * const Component = () => <div className={styles.theme('dark')}/>\n */\n theme(name: Extract<keyof Themes, string>): string;\n /**\n * Inserts CSS tokens into the DOM and makes them available for use in\n * style callbacks. The name of the CSS tokens is automatically generated\n * based upon the depth of the mapping i.e. `foo.bar.baz` -> `--foo-bar-baz`.\n * This function returns a function that will flush the styles inserted by\n * `insertTokens()` when it is called.\n *\n * @param tokens - A map of CSS variable name/value pairs\n * @param selector - Including a selector will only make these CSS variable\n * definitions take effect within the selector, e.g. a class name or ID. By\n * default the selector is `\":root\"`.\n * @example\n * // Inserts CSS tokens into the document `:root`\n * styles.insertTokens({\n * color: {\n * // var(--color-indigo)\n * indigo: '#5c6ac4',\n * // var(--color-blue)\n * blue: '#007ace',\n * // var(--color-red)\n * red: '#de3618',\n * }\n * })\n *\n * // Overrides the above when they are used within a `.dark` selector\n * const flushTokens = styles.insertTokens(\n * {\n * color: {\n * // var(--color-indigo)\n * indigo: '#5c6ac4',\n * // var(--color-blue)\n * blue: '#007ace',\n * // var(--color-red)\n * red: '#de3618',\n * }\n * },\n * '.dark'\n * )\n */\n insertTokens(tokens: PartialDeep<Tokens>, selector?: string): () => void;\n /**\n * Creates a CSS variable-based theme by defining tokens within a\n * class name selector matching the theme name. Apart from that it works\n * the same way `insertTokens()` does. This function returns a function\n * that will flush the styles inserted by `insertTokens()` when it is called.\n *\n * @param themes - A mapping of theme name/CSS variable pairs.\n * @example\n * const flushThemes = styles.insertThemes({\n * // .ui-light\n * light: {\n * // var(--background-color)\n * backgroundColor: '#fff'\n * },\n * // .ui-dark\n * dark: {\n * // var(--background-color)\n * backgroundColor: '#000'\n * }\n * })\n *\n * // \"dark\" css tokens will take precedence within this component\n * const Component = () => <div className={styles.theme('dark)}/>\n */\n insertThemes(\n themes: PartialDeep<{\n [Name in keyof Themes]: Themes[Name];\n }>\n ): () => void;\n /**\n * A function that accepts a tagged template literal, style object, or style callback.\n * Using this will immediately insert styles into the DOM relative to the root document.\n * This function returns a function that will flush the styles inserted by\n * `insertGlobal()` when it is called.\n *\n * @example\n * const flushGlobal = styles.insertGlobal(({color}) => `\n * body {\n * background-color: ${color.primaryBg};\n * }\n * `)\n */\n insertGlobal(\n literals:\n | TemplateStringsArray\n | string\n | StyleCallback<Tokens, Themes>\n | StyleObject,\n ...placeholders: string[]\n ): () => void;\n /**\n * The CSS tokens currently defined in the instance\n */\n tokens: TokensUnion<Tokens, Themes>;\n /**\n * A hashing function for creating unique selector names\n *\n * @param string - The string you'd like to hash\n */\n hash(string: string): string;\n /**\n * The instance of underlying the Dash cache used by this instance. This was\n * automatically created by `createDash()` when `createStyles()` was called.\n * Dash controls the caching, style sheets, auto-prefixing, and DOM insertion\n * that happens in the `styles` instance.\n */\n dash: Dash;\n}\n\n/**\n * A function that inserts styles from the style map into the DOM when called\n * with those style names selected.\n *\n * @param args - A series of style names or style name/boolean maps which\n * select the styles from the style map you want to compose into a singular\n * deterministic style and class name.\n * @example\n * const style = styles.variants({\n * block: 'display: block',\n * w100: 'width: 100px;',\n * h100: 'height: 100px',\n * })\n *\n * // display: block; height: 100px; width: 100px;\n * const Component = () => <div className={style('block', 'h100', 'w100')}/>\n */\nexport type Style<\n Variants extends string | number,\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> = {\n (...args: StyleArguments<Variants>): string;\n /**\n * A function that returns the raw, CSS string for a given\n * name in the style map.\n *\n * @param names - A series of style names or style name/boolean maps which\n * select the styles from the style map you want to compose into a singular\n * CSS string.\n * @example\n * const style = styles.variants({\n * block: 'display: block',\n * w100: 'width: 100px;',\n * h100: 'height: 100px',\n * })\n *\n * const someOtherStyle = styles.variants({\n * // display: block; height: 100px; width: 100px;\n * default: style.css('block', 'h100', 'w100')\n * })\n */\n css(...names: StyleArguments<Variants>): string;\n /**\n * The style map that this `style()` instance was instantiated with.\n */\n styles: StyleMap<Variants, Tokens, Themes>;\n};\n\n/**\n * A function that inserts styles into the DOM when called without\n * a falsy value. If the first argument is falsy, the styles will\n * not be inserted and a class name will not be returned.\n */\nexport type StylesOne = {\n (createClassName?: boolean | number | string | null): string;\n /**\n * A method that returns a CSS string if the first argument is not falsy.\n */\n css(createCss?: boolean | number | string | null): string;\n};\n\nexport type StyleMap<\n Variants extends string | number,\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> = {\n [Name in Variants | \"default\"]?: StyleValue<Tokens, Themes>;\n};\n\nexport type StyleArguments<Variants extends string | number> = (\n | Variants\n | {\n [Name in Variants]?: boolean | null | undefined | string | number;\n }\n | Exclude<Falsy, 0 | \"\">\n)[];\n\nexport type StyleValue<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> = string | StyleCallback<Tokens, Themes> | StyleObject;\n\ntype KnownStyles = {\n [property in keyof CSSProperties]?:\n | CSSProperties[property]\n // eslint-disable-next-line @typescript-eslint/ban-types\n | (string & {})\n // eslint-disable-next-line @typescript-eslint/ban-types\n | (number & {});\n};\n\ntype PseudoStyles = {\n [property in CSSPseudos | CSSHTMLAttributes | CSSSvgAttributes]?: StyleObject;\n};\n\ntype SelectorStyles = {\n [property: string]:\n | string\n | number\n | KnownStyles\n | PseudoStyles\n | SelectorStyles;\n};\n\nexport type StyleObject = KnownStyles & PseudoStyles & SelectorStyles;\n\nexport type StyleCallback<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> = (tokens: TokensUnion<Tokens, Themes>) => StyleObject | string;\n\nexport type LazyValue = JsonValue;\n\n/**\n * A function that inserts indeterminate styles based on the value\n * into the DOM when called.\n *\n * @param value - A JSON serializable value to create indeterminate\n * styles from\n */\nexport type StylesLazy<Value extends LazyValue> = {\n (value?: Value): string;\n /**\n * A method that returns indeterminate CSS strings based on the value\n * when called.\n *\n * @param value - A JSON serializable value to create indeterminate\n * styles from\n */\n css(value?: Value): string;\n};\n\n//\n// Utils\nexport type Falsy = false | null | undefined | \"\" | 0;\n\n/**\n * A utility function that will compile style objects and callbacks into CSS strings.\n *\n * @param styles - A style callback, object, or string\n * @param tokens - A map of CSS tokens for style callbacks\n */\nexport function compileStyles<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n>(\n styles: StyleValue<Tokens, Themes> | Falsy,\n tokens: TokensUnion<Tokens, Themes>\n): string {\n const value = typeof styles === \"function\" ? styles(tokens) : styles;\n return typeof value === \"object\" && value !== null\n ? stringifyStyleObject(value)\n : // TypeScript w/o \"strict\": true throws here\n ((value || \"\") as string);\n}\n\nfunction stringifyStyleObject(object: StyleObject): string {\n let string = \"\";\n\n for (const key in object) {\n const value = object[key];\n\n if (typeof value !== \"object\") {\n const isCustom = key.charCodeAt(1) === 45;\n string +=\n (isCustom ? key : cssCase(key)) +\n \":\" +\n (typeof value !== \"number\" ||\n unitless[key as keyof typeof unitless] ||\n value === 0 ||\n isCustom\n ? value\n : value + \"px\") +\n \";\";\n } else {\n string += key + \"{\" + stringifyStyleObject(value as StyleObject) + \"}\";\n }\n }\n\n return string;\n}\n\nfunction compileLiterals(args: IArguments): string {\n const literals = args[0];\n return Array.isArray(literals)\n ? literals.reduce((curr, next, i) => curr + next + (args[i + 1] || \"\"), \"\")\n : literals;\n}\n\n//\n// Variable and theme serialization\nconst cssCaseRe = /[A-Z]|^ms/g;\nconst cssDisallowedRe = /[^\\w-]/g;\n// We cache the case transformations below because the cache\n// will grow to a predictable size and the regex is slowwwww\nconst caseCache: Record<string, string> = {};\nfunction cssCase(string: string): string {\n return (\n caseCache[string] ??\n (caseCache[string] = string.replace(cssCaseRe, \"-$&\").toLowerCase())\n );\n}\n\nfunction serializeTokens(\n tokens: Record<string, any>,\n mangle?: CreateStylesOptions[\"mangleTokens\"],\n names: string[] = []\n): SerializedTokens {\n const vars: Record<string, any> = {};\n let css = \"\";\n\n for (let key in tokens) {\n const value = tokens[key];\n\n if (typeof value === \"object\") {\n const result = serializeTokens(value, mangle, names.concat(key));\n vars[key] = result.vars;\n css += result.css;\n } else {\n let name = cssCase(\n names.length > 0 ? names.join(\"-\") + \"-\" + key : key\n ).replace(cssDisallowedRe, \"-\");\n vars[key] =\n \"var(\" +\n (name =\n \"--\" +\n (mangle === true || (mangle && !mangle[name])\n ? mangled(name)\n : name)) +\n \")\";\n css += name + \":\" + value + \";\";\n }\n }\n\n return { vars, css };\n}\n\nconst mangled = safeHash(\"\", fnv1aHash);\n\ntype SerializedTokens = {\n readonly vars: Record<string, Record<string, any> | string | number>;\n readonly css: string;\n};\n\nfunction mergeTokens<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n>(\n target: Record<string, any>,\n source: Record<string, any>\n): TokensUnion<Tokens, Themes> {\n for (const key in source) {\n const value = source[key];\n target[key] =\n typeof value === \"object\" ? mergeTokens(target[key] || {}, value) : value;\n }\n\n return target as TokensUnion<Tokens, Themes>;\n}\n\n/**\n * A utility function that will convert a camel-cased, dot-notation string\n * into a dash-cased CSS property variable.\n *\n * @param path - A dot-notation string that represents the path to a value\n */\nexport function pathToToken<\n Tokens extends Record<string, unknown> = TokensUnion<DashTokens, DashThemes>\n>(path: KeysUnion<Tokens>): string {\n return (\n \"var(--\" +\n path.replace(/\\./g, \"-\").replace(cssCaseRe, \"-$&\").toLowerCase() +\n \")\"\n );\n}\n\ntype Concat<Fst, Scd> = Fst extends string\n ? Scd extends string | number\n ? Fst extends \"\"\n ? `${Scd}`\n : `${Fst}.${Scd}`\n : never\n : never;\n\ntype KeysUnion<T, Cache extends string = \"\"> = T extends Primitive\n ? Cache\n : {\n [P in keyof T]: Concat<Cache, P> | KeysUnion<T[P], Concat<Cache, P>>;\n }[keyof T];\n\nexport type TokensUnion<\n Tokens extends DashTokens = DashTokens,\n Themes extends DashThemes = DashThemes\n> = Tokens & ValueOf<Themes>;\n\n//\n// Creates and exports default `styles` instance\nexport const styles: Styles<DashTokens, DashThemes> = createStyles();\n\n/**\n * These are CSS variable type definitions that tell functions like\n * style callbacks which tokens are available. They can be defined\n * globally in your application like so:\n *\n * @example\n * declare module '@dash-ui/styles' {\n * export interface DashTokens {\n * color: {\n * red: string\n * }\n * }\n * }\n *\n * They can also be created automatically when you use a `createStyles()` factory.\n * @example\n * const styles = createStyles({\n * tokens: {\n * foo: 'bar',\n * bar: 'baz'\n * }\n * })\n *\n * // \"foo\" | \"bar\"\n * type Level1VariableNames = keyof DashTokens\n */\nexport interface DashTokens extends Record<string, unknown> {}\n\n/**\n * These are CSS variable theme type definitions that tell functions like\n * style callbacks which tokens are available and which themes are available in\n * `styles.theme()`. They can be defined globally in your application like so:\n *\n * @example\n * declare module '@dash-ui/styles' {\n * export interface DashThemes {\n * light: {\n * color: {\n * red: string;\n * }\n * }\n * dark: {\n * color: {\n * red: string;\n * }\n * }\n * }\n * }\n */\nexport interface DashThemes extends Record<string, Record<string, unknown>> {}\n\n/**\n * The names of the themes defined in the `DashThemes` type\n */\nexport type DashThemeNames = Extract<keyof DashThemes, string>;\n"],"names":["hash","string","out","i","len","length","charCodeAt","toString","minL","minR","safeHash","key","hashFn","hashCache","value","replace","isNaN","noop","createDash","options","nonce","stylisPlugins","prefix","batchInserts","speedy","container","document","head","stylis","Stylis","inserted","Set","cache","Map","sheetsCache","sheet","styleSheet","nodes","querySelectorAll","attr","node","insert","add","bind","getAttribute","split","forEach","parentNode","appendChild","use","ruleSheet","process","commentStart","commentEnd","context","content","test","lastIndex","Error","selector","styles","has","Sheet","x","set","sheets","name","sheetRef","get","n","s","delete","flush","keys","tag","supportsConstructableStylesheets","window","CSSStyleSheet","prototype","Document","createElement","setAttribute","styleSheets","ownerNode","adoptedStyleSheets","rule","insertRule","cssRules","e","console","warn","tasks","push","scheduleFlush","removeChild","filter","scheduled","task","shift","requestAnimationFrame","RULE_DELIMITER","RULE_NEEDLE","block","selectors","parents","line","column","ns","depth","at","curr","arg","k","Object","join","args","reduce","createStyles","dash","themes","tokens","fnv1aHash","label","variants","styleMap","compiledStyleMap","styleKey","compileStyles","defaultStyles","default","style","css_","css","apply","arguments","className","numArgs","nextStyles","one","compileLiterals","callback","createClassName","createCss","cls","lazy","lazyFn","JSON","stringify","lazyStyle","concat","Array","slice","call","keyframes","animationName","insertGlobal","insertTokens","nextTokens","vars","serializeTokens","mangleTokens","mergeTokens","insertThemes","nextThemes","theme","defineProperty","configurable","emptyObj","freeze","stringifyStyleObject","object","isCustom","cssCase","unitless","literals","isArray","next","cssCaseRe","cssDisallowedRe","caseCache","toLowerCase","mangle","names","result","mangled","target","source","pathToToken","path"],"mappings":";;;AAAA;AACA;AACA;AACA;AACA;AACA;AACA;AACO,SAASA,IAAT,CAAcC,MAAd,EAAsC;AAC3C;AACA,MAAIC,GAAG,GAAG,UAAV;AACA,MAAIC,CAAC,GAAG,CAAR;AACA,MAAIC,GAAG,GAAGH,MAAM,CAACI,MAAjB;;AAEA,SAAOF,CAAC,GAAGC,GAAX,EAAgB,EAAED,CAAlB;AACED,IAAAA,GAAG,GACD,CAACA,GAAG,IAAID,MAAM,CAACK,UAAP,CAAkBH,CAAlB,CAAR,KACCD,GAAG,IAAI,CADR,KAECA,GAAG,IAAI,CAFR,KAGCA,GAAG,IAAI,CAHR,KAICA,GAAG,IAAI,CAJR,KAKCA,GAAG,IAAI,EALR,CADF;AADF;;AASA,SAAO,CAACA,GAAG,KAAK,CAAT,EAAYK,QAAZ,CAAqB,EAArB,CAAP;AACD;AAED,IAAMC,IAAI,GAAG,qBAAb;AACA,IAAMC,IAAI,GAAG,MAAb;AAEO,SAASC,QAAT,CACLC,GADK,EAELC,MAFK,EAGuB;AAC5B,MAAMC,SAAiC,GAAG,EAA1C;AACA,MAAIC,KAAJ;AACA,SAAQb,MAAD,IAA4B;AACjC,QAAKa,KAAK,GAAGD,SAAS,CAACZ,MAAD,CAAtB,EAAiC,OAAOa,KAAP;AACjCA,IAAAA,KAAK,GAAGF,MAAM,CAACX,MAAM,CAACc,OAAP,CAAeP,IAAf,EAAqB,IAArB,EAA2BO,OAA3B,CAAmCN,IAAnC,EAAyC,GAAzC,CAAD,CAAd,CAFiC;;AAIjC,WAAQI,SAAS,CAACZ,MAAD,CAAT,GAAoBa,KAAK,GAC/B,CAACH,GAAD,IAAQ,CAACK,KAAK,CAACF,KAAK,CAAC,CAAD,CAAN,CAAd,GAAkC,MAAMA,KAAxC,GAAgDA,KADlD;AAED,GAND;AAOD;AAEM,SAASG,IAAT,GAAsB;;ACvC7B;AACA;AACA;AACA;AACA;;AACO,SAASC,UAAT,CAAoBC,OAApB,EAA2D;AAAA,MAAvCA,OAAuC;AAAvCA,IAAAA,OAAuC,GAAV,EAAU;AAAA;;AAChE,MAAI;AACFR,IAAAA,GAAG,GAAG,IADJ;AAEFS,IAAAA,KAFE;AAGFC,IAAAA,aAHE;AAIFC,IAAAA,MAAM,GAAG,IAJP;AAKFC,IAAAA,YALE;AAMFC,IAAAA,MANE;AAOFC,IAAAA,SAAS,GAAG,OAAOC,QAAP,KAAoB,WAApB,GAAkCA,QAAQ,CAACC,IAA3C,GAAkD,KAAK;AAPjE,MAQAR,OARJ;AASA,MAAMS,MAAM,GAAG,IAAIC,MAAJ,CAAW;AAAEP,IAAAA;AAAF,GAAX,CAAf;AACA,MAAMQ,QAA0B,GAAG,IAAIC,GAAJ,EAAnC;AACA,MAAMC,KAAoB,GAAG,IAAIC,GAAJ,EAA7B;AACA,MAAMC,WAAW,GAAG,IAAID,GAAJ,EAApB;AACA,MAAME,KAAK,GAAGC,UAAU,CAAC;AACvBzB,IAAAA,GADuB;AAEvBc,IAAAA,SAFuB;AAGvBL,IAAAA,KAHuB;AAIvBI,IAAAA,MAJuB;AAKvBD,IAAAA;AALuB,GAAD,CAAxB;;AAQA,MAAI,OAAOG,QAAP,KAAoB,WAAxB,EAAqC;AACnC,QAAIW,KAAK,GAAGX,QAAQ,CAACY,gBAAT,CAA0B,uBAAuB3B,GAAvB,GAA6B,IAAvD,CAAZ;AACA,QAAIR,CAAC,GAAG,CAAR;AACA,QAAIoC,IAAJ;AACA,QAAIC,IAAJ;;AACA,QAAMC,OAAM,GAAGX,QAAQ,CAACY,GAAT,CAAaC,IAAb,CAAkBb,QAAlB,CAAf;;AAEA,WAAO3B,CAAC,GAAGkC,KAAK,CAAChC,MAAjB,EAAyBF,CAAC,EAA1B,EAA8B;AAC5B;AACA,UAAI,CAACoC,IAAI,GAAG,CAACC,IAAI,GAAGH,KAAK,CAAClC,CAAD,CAAb,EAAkByC,YAAlB,aAAR,MAAyD,IAA7D,EACE;AACFL,MAAAA,IAAI,CAACM,KAAL,CAAW,GAAX,EAAgBC,OAAhB,CAAwBL,OAAxB;AAEAhB,MAAAA,SAAS,IAAIe,IAAI,CAACO,UAAL,KAAoBtB,SAAjC,IAA8CA,SAAS,CAACuB,WAAV,CAAsBR,IAAtB,CAA9C;AACD;;AAEDZ,IAAAA,MAAM,CAACqB,GAAP,CAAW5B,aAAX,EAA0B6B,SAA1B;AACD;AAED;;;AACA,MAAI,OAAOC,OAAP,KAAmB,WAAnB,IAAkCA,YAAA,KAAyB,YAA/D,EAA6E;AAC3E,QAAMC,YAAY,GAAG,OAArB;AACA,QAAMC,UAAU,GAAG,OAAnB;AAEAzB,IAAAA,MAAM,CAACqB,GAAP,CAAW,CAACK,OAAD,EAAUC,OAAV,KAAsB;AAC/B,UAAID,OAAO,KAAK,CAAC,CAAjB,EAAoB;AAClB,eAAOF,YAAY,CAACI,IAAb,CAAkBD,OAAlB,CAAP,EAAmC;AACjCF,UAAAA,UAAU,CAACI,SAAX,GAAuBL,YAAY,CAACK,SAApC;AAEA;;AACA,cAAIJ,UAAU,CAACG,IAAX,CAAgBD,OAAhB,CAAJ,EAA8B;AAC5BH,YAAAA,YAAY,CAACK,SAAb,GAAyBJ,UAAU,CAACI,SAApC;AACA;AACD;;AAED,gBAAM,IAAIC,KAAJ,CACJ,4DACE,sBAFE,CAAN;AAID;;AAEDN,QAAAA,YAAY,CAACK,SAAb,GAAyB,CAAzB;AACD;AACF,KAnBD;AAoBD;;AAED,MAAIhB,MAAsB,GAAG,gBAAU9B,GAAV,EAAegD,QAAf,EAAyBC,MAAzB,EAAiCxB,UAAjC,EAA6C;AACxE,QAAIN,QAAQ,CAAC+B,GAAT,CAAalD,GAAb,CAAJ,EAAuB;AACvBmB,IAAAA,QAAQ,CAACY,GAAT,CAAa/B,GAAb;AACAmD,IAAAA,KAAK,CAACC,CAAN,GAAU3B,UAAU,KAAK,KAAK,CAApB,GAAwBD,KAAxB,GAAgCC,UAA1C;AACAR,IAAAA,MAAM,CAAC+B,QAAD,EAAWC,MAAX,CAAN;AACD,GALD;;AAQW,oBAAUjD,GAAV,EAAegD,QAAf,EAAyBC,MAAzB,EAAiCxB,UAAjC,EAA6C;AACpD,QAAIN,QAAQ,CAAC+B,GAAT,CAAalD,GAAb,CAAJ,EAAuB;AACvBmB,IAAAA,QAAQ,CAACY,GAAT,CAAa/B,GAAb;AACAmD,IAAAA,KAAK,CAACC,CAAN,GAAU3B,UAAU,KAAK,KAAK,CAApB,GAAwBD,KAAxB,GAAgCC,UAA1C;AACAJ,IAAAA,KAAK,CAACgC,GAAN,CAAUrD,GAAV,EAAeiB,MAAM,CAAC+B,QAAD,EAAWC,MAAX,CAArB;AACD;;AANH,MAAI,OAAOlC,QAAP,KAAoB,WAAxB,EAAqC;AACnCe,IAAAA,MAAM,WAAN;AAMD;;AAED,SAAO;AACL9B,IAAAA,GADK;AAELwB,IAAAA,KAFK;AAGL8B,IAAAA,MAAM,EAAE;AACNvB,MAAAA,GAAG,CAACwB,IAAD,EAAO;AACR,YAAMC,QAAQ,GAAGjC,WAAW,CAACkC,GAAZ,CAAgBF,IAAhB,KAAyB;AACxCG,UAAAA,CAAC,EAAE,CADqC;AAExCC,UAAAA,CAAC,EAAElC,UAAU,CAACD,KAAD;AAF2B,SAA1C;AAIAD,QAAAA,WAAW,CAAC8B,GAAZ,CAAgBE,IAAhB,EAAsBC,QAAtB;AACAA,QAAAA,QAAQ,CAACE,CAAT;AACA,eAAOF,QAAQ,CAACG,CAAhB;AACD,OATK;;AAUNC,MAAAA,MAAM,CAACL,IAAD,EAAO;AACX,YAAMC,QAAQ,GAAGjC,WAAW,CAACkC,GAAZ,CAAgBF,IAAhB,CAAjB;AACA,YAAI,CAACC,QAAL,EAAe,OAAO,CAAC,CAAR;;AACf,YAAIA,QAAQ,CAACE,CAAT,KAAe,CAAnB,EAAsB;AACpBnC,UAAAA,WAAW,CAACqC,MAAZ,CAAmBL,IAAnB;AACAC,UAAAA,QAAQ,CAACG,CAAT,CAAWE,KAAX;AACD;;AACD,eAAO,EAAEL,QAAQ,CAACE,CAAlB;AACD,OAlBK;;AAmBNI,MAAAA,IAAI,EAAEvC,WAAW,CAACuC,IAAZ,CAAiB9B,IAAjB,CAAsBT,WAAtB;AAnBA,KAHH;AAwBLN,IAAAA,MAxBK;AAyBLa,IAAAA,MAzBK;AA0BLX,IAAAA,QA1BK;AA2BLE,IAAAA;AA3BK,GAAP;AA6BD;AAsID;AACA;AACO,SAASI,UAAT,CAAoBjB,OAApB,EAAoE;AACzE;AACA,MAAM;AAAER,IAAAA,GAAF;AAAOc,IAAAA,SAAP;AAAkBL,IAAAA,KAAlB;AAAyBG,IAAAA,YAAzB;AAAuCC,IAAAA;AAAvC,MAAkDL,OAAxD;AACA,MAAIuD,GAA4B,GAAG,IAAnC;AACA,MAAIvC,KAA2B,GAAG,IAAlC;AACA,MAAIwC,gCAAgC,GAAG,KAAvC;;AAEA,MAAI,OAAOjD,QAAP,KAAoB,WAAxB,EAAqC;AACnCiD,IAAAA,gCAAgC,GAC9B,mBAAmBC,MAAnB,IACA,aAAaC,aAAa,CAACC,SAD3B,IAEA,wBAAwBC,QAAQ,CAACD,SAHnC;;AAKA,QAAI,CAACH,gCAAL,EAAuC;AACrCD,MAAAA,GAAG,GAAGhD,QAAQ,CAACsD,aAAT,CAAuB,OAAvB,CAAN;AACAN,MAAAA,GAAG,CAACO,YAAJ,cAA8BtE,GAA9B;;AAEA,UAAIS,KAAJ,EAAW;AACTsD,QAAAA,GA