@niledatabase/react 3.0.0-alpha.38 → 3.0.0-alpha.39

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.
package/dist/index.js.map CHANGED
@@ -1 +1 @@
1
- {"version":3,"sources":["../src/index.ts","../src/EmailSignIn/Form.tsx","../components/ui/form.tsx","../../../node_modules/clsx/dist/clsx.mjs","../../../node_modules/tailwind-merge/src/lib/class-group-utils.ts","../../../node_modules/tailwind-merge/src/lib/lru-cache.ts","../../../node_modules/tailwind-merge/src/lib/parse-class-name.ts","../../../node_modules/tailwind-merge/src/lib/config-utils.ts","../../../node_modules/tailwind-merge/src/lib/merge-classlist.ts","../../../node_modules/tailwind-merge/src/lib/tw-join.ts","../../../node_modules/tailwind-merge/src/lib/create-tailwind-merge.ts","../../../node_modules/tailwind-merge/src/lib/from-theme.ts","../../../node_modules/tailwind-merge/src/lib/validators.ts","../../../node_modules/tailwind-merge/src/lib/default-config.ts","../../../node_modules/tailwind-merge/src/lib/merge-configs.ts","../../../node_modules/tailwind-merge/src/lib/extend-tailwind-merge.ts","../../../node_modules/tailwind-merge/src/lib/tw-merge.ts","../lib/utils.ts","../components/ui/label.tsx","../../../node_modules/class-variance-authority/node_modules/clsx/dist/clsx.mjs","../../../node_modules/class-variance-authority/dist/index.mjs","../components/ui/input.tsx","../components/ui/button.tsx","../src/EmailSignIn/hooks.ts","../src/EmailSignIn/EmailSignInButton.tsx","../src/GoogleLoginButton/GoogleLoginButton.tsx","../src/SignUpForm/SignUpForm.tsx","../src/SignUpForm/Form.tsx","../src/SignUpForm/hooks.tsx","../src/SignInForm/SignInForm.tsx","../src/SignInForm/Form.tsx","../src/SignInForm/hooks.tsx"],"sourcesContent":["export {\n default as EmailSignIn,\n EmailSignInButton,\n useEmailSignIn,\n} from './EmailSignIn';\n\nexport { default as Google } from './GoogleLoginButton';\n\nexport { default as SignUpForm, useSignUp } from './SignUpForm';\n\nexport { default as SignInForm, useSignIn } from './SignInForm';\n\nexport { Email, Password } from '../components/ui/form';\n\nexport { signIn, signOut } from 'next-auth/react';\n","'use client';\nimport React from 'react';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { useForm } from 'react-hook-form';\nimport { Mail } from 'lucide-react';\n\nimport { Email, Form } from '../../components/ui/form';\nimport { Button } from '../../components/ui/button';\n\nimport { EmailSignInInfo, Props } from './types';\nimport { useSignIn } from './hooks';\n\nconst queryClient = new QueryClient();\n\nexport default function EmailSigningIn(props: Props) {\n const { client, ...remaining } = props ?? {};\n return (\n <QueryClientProvider client={client ?? queryClient}>\n <EmailSignInForm {...remaining} />\n </QueryClientProvider>\n );\n}\nexport function EmailSignInForm(props: Props & EmailSignInInfo) {\n const signIn = useSignIn(props);\n const form = useForm({ defaultValues: { email: '' } });\n return (\n <Form {...form}>\n <form\n onSubmit={form.handleSubmit(({ email }) => signIn && signIn({ email }))}\n className=\"space-y-8\"\n >\n <Email />\n <Button type=\"submit\" className=\"flex flex-row gap-2\">\n <Mail />\n Sign in with email\n </Button>\n </form>\n </Form>\n );\n}\n","import * as React from 'react';\nimport * as LabelPrimitive from '@radix-ui/react-label';\nimport { Slot } from '@radix-ui/react-slot';\nimport {\n Controller,\n ControllerProps,\n FieldPath,\n FieldValues,\n FormProvider,\n useFormContext,\n} from 'react-hook-form';\n\nimport { cn } from '../../lib/utils';\n\nimport { Label } from './label';\nimport { Input } from './input';\n\nconst Form = FormProvider;\n\ntype FormFieldContextValue<\n TFieldValues extends FieldValues = FieldValues,\n TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>\n> = {\n name: TName;\n};\n\nconst FormFieldContext = React.createContext<FormFieldContextValue>(\n {} as FormFieldContextValue\n);\n\ntype FormFieldType = <\n TFieldValues extends FieldValues = FieldValues,\n TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>\n>(\n props: ControllerProps<TFieldValues, TName>\n) => React.ReactElement;\n\nconst FormField: FormFieldType = ({ ...props }) => {\n return (\n <FormFieldContext.Provider value={{ name: props.name }}>\n <Controller {...props} />\n </FormFieldContext.Provider>\n );\n};\n\nconst useFormField = () => {\n const fieldContext = React.useContext(FormFieldContext);\n const itemContext = React.useContext(FormItemContext);\n const { getFieldState, formState } = useFormContext();\n\n const fieldState = getFieldState(fieldContext.name, formState);\n\n if (!fieldContext) {\n throw new Error('useFormField should be used within <FormField>');\n }\n\n const { id } = itemContext;\n\n return {\n id,\n name: fieldContext.name,\n formItemId: `${id}-form-item`,\n formDescriptionId: `${id}-form-item-description`,\n formMessageId: `${id}-form-item-message`,\n ...fieldState,\n };\n};\n\ntype FormItemContextValue = {\n id: string;\n};\n\nconst FormItemContext = React.createContext<FormItemContextValue>(\n {} as FormItemContextValue\n);\n\nconst FormItem = React.forwardRef<\n HTMLDivElement,\n React.HTMLAttributes<HTMLDivElement>\n>(({ className, ...props }, ref) => {\n const id = React.useId();\n\n return (\n <FormItemContext.Provider value={{ id }}>\n <div ref={ref} className={cn('space-y-2', className)} {...props} />\n </FormItemContext.Provider>\n );\n});\nFormItem.displayName = 'FormItem';\n\nconst FormLabel = React.forwardRef<\n React.ComponentRef<typeof LabelPrimitive.Root>,\n React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root>\n>(({ className, ...props }, ref) => {\n const { error, formItemId } = useFormField();\n\n return (\n <Label\n ref={ref}\n className={cn(error && 'text-destructive', className)}\n htmlFor={formItemId}\n {...props}\n />\n );\n});\nFormLabel.displayName = 'FormLabel';\n\nconst FormControl = React.forwardRef<\n React.ComponentRef<typeof Slot>,\n React.ComponentPropsWithoutRef<typeof Slot>\n>(({ ...props }, ref) => {\n const { error, formItemId, formDescriptionId, formMessageId } =\n useFormField();\n\n return (\n <Slot\n ref={ref}\n id={formItemId}\n aria-describedby={\n !error\n ? `${formDescriptionId}`\n : `${formDescriptionId} ${formMessageId}`\n }\n aria-invalid={!!error}\n {...props}\n />\n );\n});\nFormControl.displayName = 'FormControl';\n\nconst FormDescription = React.forwardRef<\n HTMLParagraphElement,\n React.HTMLAttributes<HTMLParagraphElement>\n>(({ className, ...props }, ref) => {\n const { formDescriptionId } = useFormField();\n\n return (\n <p\n ref={ref}\n id={formDescriptionId}\n className={cn('text-sm text-muted-foreground', className)}\n {...props}\n />\n );\n});\nFormDescription.displayName = 'FormDescription';\n\nconst FormMessage = React.forwardRef<\n HTMLParagraphElement,\n React.HTMLAttributes<HTMLParagraphElement>\n>(({ className, children, ...props }, ref) => {\n const { error, formMessageId } = useFormField();\n const body = error ? String(error?.message) : children;\n\n if (!body) {\n return null;\n }\n\n return (\n <p\n ref={ref}\n id={formMessageId}\n className={cn('text-sm font-medium text-destructive', className)}\n {...props}\n >\n {body}\n </p>\n );\n});\nFormMessage.displayName = 'FormMessage';\n\nconst Email = () => {\n const form = useFormContext();\n return (\n <FormField\n control={form.control}\n name=\"email\"\n render={({ field }) => {\n return (\n <FormItem>\n <FormLabel>Email</FormLabel>\n <FormControl>\n <Input\n placeholder=\"Email\"\n {...field}\n autoComplete=\"current-email\"\n />\n </FormControl>\n <FormDescription>Your email address</FormDescription>\n <FormMessage />\n </FormItem>\n );\n }}\n />\n );\n};\n\nconst Password = () => {\n const form = useFormContext();\n return (\n <FormField\n control={form.control}\n name=\"password\"\n render={({ field }) => {\n return (\n <FormItem>\n <FormLabel>Password</FormLabel>\n <FormControl>\n <Input\n placeholder=\"Password\"\n {...field}\n type=\"password\"\n autoComplete=\"current-password\"\n />\n </FormControl>\n <FormDescription>The desired password</FormDescription>\n <FormMessage />\n </FormItem>\n );\n }}\n />\n );\n};\n\nexport {\n useFormField,\n Form,\n FormItem,\n FormLabel,\n FormControl,\n FormDescription,\n FormMessage,\n FormField,\n Email,\n Password,\n};\n","function r(e){var t,f,n=\"\";if(\"string\"==typeof e||\"number\"==typeof e)n+=e;else if(\"object\"==typeof e)if(Array.isArray(e)){var o=e.length;for(t=0;t<o;t++)e[t]&&(f=r(e[t]))&&(n&&(n+=\" \"),n+=f)}else for(f in e)e[f]&&(n&&(n+=\" \"),n+=f);return n}export function clsx(){for(var e,t,f=0,n=\"\",o=arguments.length;f<o;f++)(e=arguments[f])&&(t=r(e))&&(n&&(n+=\" \"),n+=t);return n}export default clsx;","import {\n ClassGroup,\n ClassValidator,\n Config,\n GenericClassGroupIds,\n GenericConfig,\n GenericThemeGroupIds,\n ThemeGetter,\n ThemeObject,\n} from './types'\n\nexport interface ClassPartObject {\n nextPart: Map<string, ClassPartObject>\n validators: ClassValidatorObject[]\n classGroupId?: GenericClassGroupIds\n}\n\ninterface ClassValidatorObject {\n classGroupId: GenericClassGroupIds\n validator: ClassValidator\n}\n\nconst CLASS_PART_SEPARATOR = '-'\n\nexport const createClassGroupUtils = (config: GenericConfig) => {\n const classMap = createClassMap(config)\n const { conflictingClassGroups, conflictingClassGroupModifiers } = config\n\n const getClassGroupId = (className: string) => {\n const classParts = className.split(CLASS_PART_SEPARATOR)\n\n // Classes like `-inset-1` produce an empty string as first classPart. We assume that classes for negative values are used correctly and remove it from classParts.\n if (classParts[0] === '' && classParts.length !== 1) {\n classParts.shift()\n }\n\n return getGroupRecursive(classParts, classMap) || getGroupIdForArbitraryProperty(className)\n }\n\n const getConflictingClassGroupIds = (\n classGroupId: GenericClassGroupIds,\n hasPostfixModifier: boolean,\n ) => {\n const conflicts = conflictingClassGroups[classGroupId] || []\n\n if (hasPostfixModifier && conflictingClassGroupModifiers[classGroupId]) {\n return [...conflicts, ...conflictingClassGroupModifiers[classGroupId]!]\n }\n\n return conflicts\n }\n\n return {\n getClassGroupId,\n getConflictingClassGroupIds,\n }\n}\n\nconst getGroupRecursive = (\n classParts: string[],\n classPartObject: ClassPartObject,\n): GenericClassGroupIds | undefined => {\n if (classParts.length === 0) {\n return classPartObject.classGroupId\n }\n\n const currentClassPart = classParts[0]!\n const nextClassPartObject = classPartObject.nextPart.get(currentClassPart)\n const classGroupFromNextClassPart = nextClassPartObject\n ? getGroupRecursive(classParts.slice(1), nextClassPartObject)\n : undefined\n\n if (classGroupFromNextClassPart) {\n return classGroupFromNextClassPart\n }\n\n if (classPartObject.validators.length === 0) {\n return undefined\n }\n\n const classRest = classParts.join(CLASS_PART_SEPARATOR)\n\n return classPartObject.validators.find(({ validator }) => validator(classRest))?.classGroupId\n}\n\nconst arbitraryPropertyRegex = /^\\[(.+)\\]$/\n\nconst getGroupIdForArbitraryProperty = (className: string) => {\n if (arbitraryPropertyRegex.test(className)) {\n const arbitraryPropertyClassName = arbitraryPropertyRegex.exec(className)![1]\n const property = arbitraryPropertyClassName?.substring(\n 0,\n arbitraryPropertyClassName.indexOf(':'),\n )\n\n if (property) {\n // I use two dots here because one dot is used as prefix for class groups in plugins\n return 'arbitrary..' + property\n }\n }\n}\n\n/**\n * Exported for testing only\n */\nexport const createClassMap = (config: Config<GenericClassGroupIds, GenericThemeGroupIds>) => {\n const { theme, prefix } = config\n const classMap: ClassPartObject = {\n nextPart: new Map<string, ClassPartObject>(),\n validators: [],\n }\n\n const prefixedClassGroupEntries = getPrefixedClassGroupEntries(\n Object.entries(config.classGroups),\n prefix,\n )\n\n prefixedClassGroupEntries.forEach(([classGroupId, classGroup]) => {\n processClassesRecursively(classGroup, classMap, classGroupId, theme)\n })\n\n return classMap\n}\n\nconst processClassesRecursively = (\n classGroup: ClassGroup<GenericThemeGroupIds>,\n classPartObject: ClassPartObject,\n classGroupId: GenericClassGroupIds,\n theme: ThemeObject<GenericThemeGroupIds>,\n) => {\n classGroup.forEach((classDefinition) => {\n if (typeof classDefinition === 'string') {\n const classPartObjectToEdit =\n classDefinition === '' ? classPartObject : getPart(classPartObject, classDefinition)\n classPartObjectToEdit.classGroupId = classGroupId\n return\n }\n\n if (typeof classDefinition === 'function') {\n if (isThemeGetter(classDefinition)) {\n processClassesRecursively(\n classDefinition(theme),\n classPartObject,\n classGroupId,\n theme,\n )\n return\n }\n\n classPartObject.validators.push({\n validator: classDefinition,\n classGroupId,\n })\n\n return\n }\n\n Object.entries(classDefinition).forEach(([key, classGroup]) => {\n processClassesRecursively(\n classGroup,\n getPart(classPartObject, key),\n classGroupId,\n theme,\n )\n })\n })\n}\n\nconst getPart = (classPartObject: ClassPartObject, path: string) => {\n let currentClassPartObject = classPartObject\n\n path.split(CLASS_PART_SEPARATOR).forEach((pathPart) => {\n if (!currentClassPartObject.nextPart.has(pathPart)) {\n currentClassPartObject.nextPart.set(pathPart, {\n nextPart: new Map(),\n validators: [],\n })\n }\n\n currentClassPartObject = currentClassPartObject.nextPart.get(pathPart)!\n })\n\n return currentClassPartObject\n}\n\nconst isThemeGetter = (func: ClassValidator | ThemeGetter): func is ThemeGetter =>\n (func as ThemeGetter).isThemeGetter\n\nconst getPrefixedClassGroupEntries = (\n classGroupEntries: Array<[classGroupId: string, classGroup: ClassGroup<GenericThemeGroupIds>]>,\n prefix: string | undefined,\n): Array<[classGroupId: string, classGroup: ClassGroup<GenericThemeGroupIds>]> => {\n if (!prefix) {\n return classGroupEntries\n }\n\n return classGroupEntries.map(([classGroupId, classGroup]) => {\n const prefixedClassGroup = classGroup.map((classDefinition) => {\n if (typeof classDefinition === 'string') {\n return prefix + classDefinition\n }\n\n if (typeof classDefinition === 'object') {\n return Object.fromEntries(\n Object.entries(classDefinition).map(([key, value]) => [prefix + key, value]),\n )\n }\n\n return classDefinition\n })\n\n return [classGroupId, prefixedClassGroup]\n })\n}\n","// Export is needed because TypeScript complains about an error otherwise:\n// Error: …/tailwind-merge/src/config-utils.ts(8,17): semantic error TS4058: Return type of exported function has or is using name 'LruCache' from external module \"…/tailwind-merge/src/lru-cache\" but cannot be named.\nexport interface LruCache<Key, Value> {\n get(key: Key): Value | undefined\n set(key: Key, value: Value): void\n}\n\n// LRU cache inspired from hashlru (https://github.com/dominictarr/hashlru/blob/v1.0.4/index.js) but object replaced with Map to improve performance\nexport const createLruCache = <Key, Value>(maxCacheSize: number): LruCache<Key, Value> => {\n if (maxCacheSize < 1) {\n return {\n get: () => undefined,\n set: () => {},\n }\n }\n\n let cacheSize = 0\n let cache = new Map<Key, Value>()\n let previousCache = new Map<Key, Value>()\n\n const update = (key: Key, value: Value) => {\n cache.set(key, value)\n cacheSize++\n\n if (cacheSize > maxCacheSize) {\n cacheSize = 0\n previousCache = cache\n cache = new Map()\n }\n }\n\n return {\n get(key) {\n let value = cache.get(key)\n\n if (value !== undefined) {\n return value\n }\n if ((value = previousCache.get(key)) !== undefined) {\n update(key, value)\n return value\n }\n },\n set(key, value) {\n if (cache.has(key)) {\n cache.set(key, value)\n } else {\n update(key, value)\n }\n },\n }\n}\n","import { GenericConfig } from './types'\n\nexport const IMPORTANT_MODIFIER = '!'\n\nexport const createParseClassName = (config: GenericConfig) => {\n const { separator, experimentalParseClassName } = config\n const isSeparatorSingleCharacter = separator.length === 1\n const firstSeparatorCharacter = separator[0]\n const separatorLength = separator.length\n\n // parseClassName inspired by https://github.com/tailwindlabs/tailwindcss/blob/v3.2.2/src/util/splitAtTopLevelOnly.js\n const parseClassName = (className: string) => {\n const modifiers = []\n\n let bracketDepth = 0\n let modifierStart = 0\n let postfixModifierPosition: number | undefined\n\n for (let index = 0; index < className.length; index++) {\n let currentCharacter = className[index]\n\n if (bracketDepth === 0) {\n if (\n currentCharacter === firstSeparatorCharacter &&\n (isSeparatorSingleCharacter ||\n className.slice(index, index + separatorLength) === separator)\n ) {\n modifiers.push(className.slice(modifierStart, index))\n modifierStart = index + separatorLength\n continue\n }\n\n if (currentCharacter === '/') {\n postfixModifierPosition = index\n continue\n }\n }\n\n if (currentCharacter === '[') {\n bracketDepth++\n } else if (currentCharacter === ']') {\n bracketDepth--\n }\n }\n\n const baseClassNameWithImportantModifier =\n modifiers.length === 0 ? className : className.substring(modifierStart)\n const hasImportantModifier =\n baseClassNameWithImportantModifier.startsWith(IMPORTANT_MODIFIER)\n const baseClassName = hasImportantModifier\n ? baseClassNameWithImportantModifier.substring(1)\n : baseClassNameWithImportantModifier\n\n const maybePostfixModifierPosition =\n postfixModifierPosition && postfixModifierPosition > modifierStart\n ? postfixModifierPosition - modifierStart\n : undefined\n\n return {\n modifiers,\n hasImportantModifier,\n baseClassName,\n maybePostfixModifierPosition,\n }\n }\n\n if (experimentalParseClassName) {\n return (className: string) => experimentalParseClassName({ className, parseClassName })\n }\n\n return parseClassName\n}\n\n/**\n * Sorts modifiers according to following schema:\n * - Predefined modifiers are sorted alphabetically\n * - When an arbitrary variant appears, it must be preserved which modifiers are before and after it\n */\nexport const sortModifiers = (modifiers: string[]) => {\n if (modifiers.length <= 1) {\n return modifiers\n }\n\n const sortedModifiers: string[] = []\n let unsortedModifiers: string[] = []\n\n modifiers.forEach((modifier) => {\n const isArbitraryVariant = modifier[0] === '['\n\n if (isArbitraryVariant) {\n sortedModifiers.push(...unsortedModifiers.sort(), modifier)\n unsortedModifiers = []\n } else {\n unsortedModifiers.push(modifier)\n }\n })\n\n sortedModifiers.push(...unsortedModifiers.sort())\n\n return sortedModifiers\n}\n","import { createClassGroupUtils } from './class-group-utils'\nimport { createLruCache } from './lru-cache'\nimport { createParseClassName } from './parse-class-name'\nimport { GenericConfig } from './types'\n\nexport type ConfigUtils = ReturnType<typeof createConfigUtils>\n\nexport const createConfigUtils = (config: GenericConfig) => ({\n cache: createLruCache<string, string>(config.cacheSize),\n parseClassName: createParseClassName(config),\n ...createClassGroupUtils(config),\n})\n","import { ConfigUtils } from './config-utils'\nimport { IMPORTANT_MODIFIER, sortModifiers } from './parse-class-name'\n\nconst SPLIT_CLASSES_REGEX = /\\s+/\n\nexport const mergeClassList = (classList: string, configUtils: ConfigUtils) => {\n const { parseClassName, getClassGroupId, getConflictingClassGroupIds } = configUtils\n\n /**\n * Set of classGroupIds in following format:\n * `{importantModifier}{variantModifiers}{classGroupId}`\n * @example 'float'\n * @example 'hover:focus:bg-color'\n * @example 'md:!pr'\n */\n const classGroupsInConflict: string[] = []\n const classNames = classList.trim().split(SPLIT_CLASSES_REGEX)\n\n let result = ''\n\n for (let index = classNames.length - 1; index >= 0; index -= 1) {\n const originalClassName = classNames[index]!\n\n const { modifiers, hasImportantModifier, baseClassName, maybePostfixModifierPosition } =\n parseClassName(originalClassName)\n\n let hasPostfixModifier = Boolean(maybePostfixModifierPosition)\n let classGroupId = getClassGroupId(\n hasPostfixModifier\n ? baseClassName.substring(0, maybePostfixModifierPosition)\n : baseClassName,\n )\n\n if (!classGroupId) {\n if (!hasPostfixModifier) {\n // Not a Tailwind class\n result = originalClassName + (result.length > 0 ? ' ' + result : result)\n continue\n }\n\n classGroupId = getClassGroupId(baseClassName)\n\n if (!classGroupId) {\n // Not a Tailwind class\n result = originalClassName + (result.length > 0 ? ' ' + result : result)\n continue\n }\n\n hasPostfixModifier = false\n }\n\n const variantModifier = sortModifiers(modifiers).join(':')\n\n const modifierId = hasImportantModifier\n ? variantModifier + IMPORTANT_MODIFIER\n : variantModifier\n\n const classId = modifierId + classGroupId\n\n if (classGroupsInConflict.includes(classId)) {\n // Tailwind class omitted due to conflict\n continue\n }\n\n classGroupsInConflict.push(classId)\n\n const conflictGroups = getConflictingClassGroupIds(classGroupId, hasPostfixModifier)\n for (let i = 0; i < conflictGroups.length; ++i) {\n const group = conflictGroups[i]!\n classGroupsInConflict.push(modifierId + group)\n }\n\n // Tailwind class not in conflict\n result = originalClassName + (result.length > 0 ? ' ' + result : result)\n }\n\n return result\n}\n","/**\n * The code in this file is copied from https://github.com/lukeed/clsx and modified to suit the needs of tailwind-merge better.\n *\n * Specifically:\n * - Runtime code from https://github.com/lukeed/clsx/blob/v1.2.1/src/index.js\n * - TypeScript types from https://github.com/lukeed/clsx/blob/v1.2.1/clsx.d.ts\n *\n * Original code has MIT license: Copyright (c) Luke Edwards <luke.edwards05@gmail.com> (lukeed.com)\n */\n\nexport type ClassNameValue = ClassNameArray | string | null | undefined | 0 | 0n | false\ntype ClassNameArray = ClassNameValue[]\n\nexport function twJoin(...classLists: ClassNameValue[]): string\nexport function twJoin() {\n let index = 0\n let argument: ClassNameValue\n let resolvedValue: string\n let string = ''\n\n while (index < arguments.length) {\n if ((argument = arguments[index++])) {\n if ((resolvedValue = toValue(argument))) {\n string && (string += ' ')\n string += resolvedValue\n }\n }\n }\n return string\n}\n\nconst toValue = (mix: ClassNameArray | string) => {\n if (typeof mix === 'string') {\n return mix\n }\n\n let resolvedValue: string\n let string = ''\n\n for (let k = 0; k < mix.length; k++) {\n if (mix[k]) {\n if ((resolvedValue = toValue(mix[k] as ClassNameArray | string))) {\n string && (string += ' ')\n string += resolvedValue\n }\n }\n }\n\n return string\n}\n","import { createConfigUtils } from './config-utils'\nimport { mergeClassList } from './merge-classlist'\nimport { ClassNameValue, twJoin } from './tw-join'\nimport { GenericConfig } from './types'\n\ntype CreateConfigFirst = () => GenericConfig\ntype CreateConfigSubsequent = (config: GenericConfig) => GenericConfig\ntype TailwindMerge = (...classLists: ClassNameValue[]) => string\ntype ConfigUtils = ReturnType<typeof createConfigUtils>\n\nexport function createTailwindMerge(\n createConfigFirst: CreateConfigFirst,\n ...createConfigRest: CreateConfigSubsequent[]\n): TailwindMerge {\n let configUtils: ConfigUtils\n let cacheGet: ConfigUtils['cache']['get']\n let cacheSet: ConfigUtils['cache']['set']\n let functionToCall = initTailwindMerge\n\n function initTailwindMerge(classList: string) {\n const config = createConfigRest.reduce(\n (previousConfig, createConfigCurrent) => createConfigCurrent(previousConfig),\n createConfigFirst() as GenericConfig,\n )\n\n configUtils = createConfigUtils(config)\n cacheGet = configUtils.cache.get\n cacheSet = configUtils.cache.set\n functionToCall = tailwindMerge\n\n return tailwindMerge(classList)\n }\n\n function tailwindMerge(classList: string) {\n const cachedResult = cacheGet(classList)\n\n if (cachedResult) {\n return cachedResult\n }\n\n const result = mergeClassList(classList, configUtils)\n cacheSet(classList, result)\n\n return result\n }\n\n return function callTailwindMerge() {\n return functionToCall(twJoin.apply(null, arguments as any))\n }\n}\n","import { DefaultThemeGroupIds, NoInfer, ThemeGetter, ThemeObject } from './types'\n\nexport const fromTheme = <\n AdditionalThemeGroupIds extends string = never,\n DefaultThemeGroupIdsInner extends string = DefaultThemeGroupIds,\n>(key: NoInfer<DefaultThemeGroupIdsInner | AdditionalThemeGroupIds>): ThemeGetter => {\n const themeGetter = (theme: ThemeObject<DefaultThemeGroupIdsInner | AdditionalThemeGroupIds>) =>\n theme[key] || []\n\n themeGetter.isThemeGetter = true as const\n\n return themeGetter\n}\n","const arbitraryValueRegex = /^\\[(?:([a-z-]+):)?(.+)\\]$/i\nconst fractionRegex = /^\\d+\\/\\d+$/\nconst stringLengths = new Set(['px', 'full', 'screen'])\nconst tshirtUnitRegex = /^(\\d+(\\.\\d+)?)?(xs|sm|md|lg|xl)$/\nconst lengthUnitRegex =\n /\\d+(%|px|r?em|[sdl]?v([hwib]|min|max)|pt|pc|in|cm|mm|cap|ch|ex|r?lh|cq(w|h|i|b|min|max))|\\b(calc|min|max|clamp)\\(.+\\)|^0$/\nconst colorFunctionRegex = /^(rgba?|hsla?|hwb|(ok)?(lab|lch))\\(.+\\)$/\n// Shadow always begins with x and y offset separated by underscore optionally prepended by inset\nconst shadowRegex = /^(inset_)?-?((\\d+)?\\.?(\\d+)[a-z]+|0)_-?((\\d+)?\\.?(\\d+)[a-z]+|0)/\nconst imageRegex =\n /^(url|image|image-set|cross-fade|element|(repeating-)?(linear|radial|conic)-gradient)\\(.+\\)$/\n\nexport const isLength = (value: string) =>\n isNumber(value) || stringLengths.has(value) || fractionRegex.test(value)\n\nexport const isArbitraryLength = (value: string) =>\n getIsArbitraryValue(value, 'length', isLengthOnly)\n\nexport const isNumber = (value: string) => Boolean(value) && !Number.isNaN(Number(value))\n\nexport const isArbitraryNumber = (value: string) => getIsArbitraryValue(value, 'number', isNumber)\n\nexport const isInteger = (value: string) => Boolean(value) && Number.isInteger(Number(value))\n\nexport const isPercent = (value: string) => value.endsWith('%') && isNumber(value.slice(0, -1))\n\nexport const isArbitraryValue = (value: string) => arbitraryValueRegex.test(value)\n\nexport const isTshirtSize = (value: string) => tshirtUnitRegex.test(value)\n\nconst sizeLabels = new Set(['length', 'size', 'percentage'])\n\nexport const isArbitrarySize = (value: string) => getIsArbitraryValue(value, sizeLabels, isNever)\n\nexport const isArbitraryPosition = (value: string) =>\n getIsArbitraryValue(value, 'position', isNever)\n\nconst imageLabels = new Set(['image', 'url'])\n\nexport const isArbitraryImage = (value: string) => getIsArbitraryValue(value, imageLabels, isImage)\n\nexport const isArbitraryShadow = (value: string) => getIsArbitraryValue(value, '', isShadow)\n\nexport const isAny = () => true\n\nconst getIsArbitraryValue = (\n value: string,\n label: string | Set<string>,\n testValue: (value: string) => boolean,\n) => {\n const result = arbitraryValueRegex.exec(value)\n\n if (result) {\n if (result[1]) {\n return typeof label === 'string' ? result[1] === label : label.has(result[1])\n }\n\n return testValue(result[2]!)\n }\n\n return false\n}\n\nconst isLengthOnly = (value: string) =>\n // `colorFunctionRegex` check is necessary because color functions can have percentages in them which which would be incorrectly classified as lengths.\n // For example, `hsl(0 0% 0%)` would be classified as a length without this check.\n // I could also use lookbehind assertion in `lengthUnitRegex` but that isn't supported widely enough.\n lengthUnitRegex.test(value) && !colorFunctionRegex.test(value)\n\nconst isNever = () => false\n\nconst isShadow = (value: string) => shadowRegex.test(value)\n\nconst isImage = (value: string) => imageRegex.test(value)\n","import { fromTheme } from './from-theme'\nimport { Config, DefaultClassGroupIds, DefaultThemeGroupIds } from './types'\nimport {\n isAny,\n isArbitraryImage,\n isArbitraryLength,\n isArbitraryNumber,\n isArbitraryPosition,\n isArbitraryShadow,\n isArbitrarySize,\n isArbitraryValue,\n isInteger,\n isLength,\n isNumber,\n isPercent,\n isTshirtSize,\n} from './validators'\n\nexport const getDefaultConfig = () => {\n const colors = fromTheme('colors')\n const spacing = fromTheme('spacing')\n const blur = fromTheme('blur')\n const brightness = fromTheme('brightness')\n const borderColor = fromTheme('borderColor')\n const borderRadius = fromTheme('borderRadius')\n const borderSpacing = fromTheme('borderSpacing')\n const borderWidth = fromTheme('borderWidth')\n const contrast = fromTheme('contrast')\n const grayscale = fromTheme('grayscale')\n const hueRotate = fromTheme('hueRotate')\n const invert = fromTheme('invert')\n const gap = fromTheme('gap')\n const gradientColorStops = fromTheme('gradientColorStops')\n const gradientColorStopPositions = fromTheme('gradientColorStopPositions')\n const inset = fromTheme('inset')\n const margin = fromTheme('margin')\n const opacity = fromTheme('opacity')\n const padding = fromTheme('padding')\n const saturate = fromTheme('saturate')\n const scale = fromTheme('scale')\n const sepia = fromTheme('sepia')\n const skew = fromTheme('skew')\n const space = fromTheme('space')\n const translate = fromTheme('translate')\n\n const getOverscroll = () => ['auto', 'contain', 'none'] as const\n const getOverflow = () => ['auto', 'hidden', 'clip', 'visible', 'scroll'] as const\n const getSpacingWithAutoAndArbitrary = () => ['auto', isArbitraryValue, spacing] as const\n const getSpacingWithArbitrary = () => [isArbitraryValue, spacing] as const\n const getLengthWithEmptyAndArbitrary = () => ['', isLength, isArbitraryLength] as const\n const getNumberWithAutoAndArbitrary = () => ['auto', isNumber, isArbitraryValue] as const\n const getPositions = () =>\n [\n 'bottom',\n 'center',\n 'left',\n 'left-bottom',\n 'left-top',\n 'right',\n 'right-bottom',\n 'right-top',\n 'top',\n ] as const\n const getLineStyles = () => ['solid', 'dashed', 'dotted', 'double', 'none'] as const\n const getBlendModes = () =>\n [\n 'normal',\n 'multiply',\n 'screen',\n 'overlay',\n 'darken',\n 'lighten',\n 'color-dodge',\n 'color-burn',\n 'hard-light',\n 'soft-light',\n 'difference',\n 'exclusion',\n 'hue',\n 'saturation',\n 'color',\n 'luminosity',\n ] as const\n const getAlign = () =>\n ['start', 'end', 'center', 'between', 'around', 'evenly', 'stretch'] as const\n const getZeroAndEmpty = () => ['', '0', isArbitraryValue] as const\n const getBreaks = () =>\n ['auto', 'avoid', 'all', 'avoid-page', 'page', 'left', 'right', 'column'] as const\n const getNumberAndArbitrary = () => [isNumber, isArbitraryValue]\n\n return {\n cacheSize: 500,\n separator: ':',\n theme: {\n colors: [isAny],\n spacing: [isLength, isArbitraryLength],\n blur: ['none', '', isTshirtSize, isArbitraryValue],\n brightness: getNumberAndArbitrary(),\n borderColor: [colors],\n borderRadius: ['none', '', 'full', isTshirtSize, isArbitraryValue],\n borderSpacing: getSpacingWithArbitrary(),\n borderWidth: getLengthWithEmptyAndArbitrary(),\n contrast: getNumberAndArbitrary(),\n grayscale: getZeroAndEmpty(),\n hueRotate: getNumberAndArbitrary(),\n invert: getZeroAndEmpty(),\n gap: getSpacingWithArbitrary(),\n gradientColorStops: [colors],\n gradientColorStopPositions: [isPercent, isArbitraryLength],\n inset: getSpacingWithAutoAndArbitrary(),\n margin: getSpacingWithAutoAndArbitrary(),\n opacity: getNumberAndArbitrary(),\n padding: getSpacingWithArbitrary(),\n saturate: getNumberAndArbitrary(),\n scale: getNumberAndArbitrary(),\n sepia: getZeroAndEmpty(),\n skew: getNumberAndArbitrary(),\n space: getSpacingWithArbitrary(),\n translate: getSpacingWithArbitrary(),\n },\n classGroups: {\n // Layout\n /**\n * Aspect Ratio\n * @see https://tailwindcss.com/docs/aspect-ratio\n */\n aspect: [{ aspect: ['auto', 'square', 'video', isArbitraryValue] }],\n /**\n * Container\n * @see https://tailwindcss.com/docs/container\n */\n container: ['container'],\n /**\n * Columns\n * @see https://tailwindcss.com/docs/columns\n */\n columns: [{ columns: [isTshirtSize] }],\n /**\n * Break After\n * @see https://tailwindcss.com/docs/break-after\n */\n 'break-after': [{ 'break-after': getBreaks() }],\n /**\n * Break Before\n * @see https://tailwindcss.com/docs/break-before\n */\n 'break-before': [{ 'break-before': getBreaks() }],\n /**\n * Break Inside\n * @see https://tailwindcss.com/docs/break-inside\n */\n 'break-inside': [{ 'break-inside': ['auto', 'avoid', 'avoid-page', 'avoid-column'] }],\n /**\n * Box Decoration Break\n * @see https://tailwindcss.com/docs/box-decoration-break\n */\n 'box-decoration': [{ 'box-decoration': ['slice', 'clone'] }],\n /**\n * Box Sizing\n * @see https://tailwindcss.com/docs/box-sizing\n */\n box: [{ box: ['border', 'content'] }],\n /**\n * Display\n * @see https://tailwindcss.com/docs/display\n */\n display: [\n 'block',\n 'inline-block',\n 'inline',\n 'flex',\n 'inline-flex',\n 'table',\n 'inline-table',\n 'table-caption',\n 'table-cell',\n 'table-column',\n 'table-column-group',\n 'table-footer-group',\n 'table-header-group',\n 'table-row-group',\n 'table-row',\n 'flow-root',\n 'grid',\n 'inline-grid',\n 'contents',\n 'list-item',\n 'hidden',\n ],\n /**\n * Floats\n * @see https://tailwindcss.com/docs/float\n */\n float: [{ float: ['right', 'left', 'none', 'start', 'end'] }],\n /**\n * Clear\n * @see https://tailwindcss.com/docs/clear\n */\n clear: [{ clear: ['left', 'right', 'both', 'none', 'start', 'end'] }],\n /**\n * Isolation\n * @see https://tailwindcss.com/docs/isolation\n */\n isolation: ['isolate', 'isolation-auto'],\n /**\n * Object Fit\n * @see https://tailwindcss.com/docs/object-fit\n */\n 'object-fit': [{ object: ['contain', 'cover', 'fill', 'none', 'scale-down'] }],\n /**\n * Object Position\n * @see https://tailwindcss.com/docs/object-position\n */\n 'object-position': [{ object: [...getPositions(), isArbitraryValue] }],\n /**\n * Overflow\n * @see https://tailwindcss.com/docs/overflow\n */\n overflow: [{ overflow: getOverflow() }],\n /**\n * Overflow X\n * @see https://tailwindcss.com/docs/overflow\n */\n 'overflow-x': [{ 'overflow-x': getOverflow() }],\n /**\n * Overflow Y\n * @see https://tailwindcss.com/docs/overflow\n */\n 'overflow-y': [{ 'overflow-y': getOverflow() }],\n /**\n * Overscroll Behavior\n * @see https://tailwindcss.com/docs/overscroll-behavior\n */\n overscroll: [{ overscroll: getOverscroll() }],\n /**\n * Overscroll Behavior X\n * @see https://tailwindcss.com/docs/overscroll-behavior\n */\n 'overscroll-x': [{ 'overscroll-x': getOverscroll() }],\n /**\n * Overscroll Behavior Y\n * @see https://tailwindcss.com/docs/overscroll-behavior\n */\n 'overscroll-y': [{ 'overscroll-y': getOverscroll() }],\n /**\n * Position\n * @see https://tailwindcss.com/docs/position\n */\n position: ['static', 'fixed', 'absolute', 'relative', 'sticky'],\n /**\n * Top / Right / Bottom / Left\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n inset: [{ inset: [inset] }],\n /**\n * Right / Left\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n 'inset-x': [{ 'inset-x': [inset] }],\n /**\n * Top / Bottom\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n 'inset-y': [{ 'inset-y': [inset] }],\n /**\n * Start\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n start: [{ start: [inset] }],\n /**\n * End\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n end: [{ end: [inset] }],\n /**\n * Top\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n top: [{ top: [inset] }],\n /**\n * Right\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n right: [{ right: [inset] }],\n /**\n * Bottom\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n bottom: [{ bottom: [inset] }],\n /**\n * Left\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n left: [{ left: [inset] }],\n /**\n * Visibility\n * @see https://tailwindcss.com/docs/visibility\n */\n visibility: ['visible', 'invisible', 'collapse'],\n /**\n * Z-Index\n * @see https://tailwindcss.com/docs/z-index\n */\n z: [{ z: ['auto', isInteger, isArbitraryValue] }],\n // Flexbox and Grid\n /**\n * Flex Basis\n * @see https://tailwindcss.com/docs/flex-basis\n */\n basis: [{ basis: getSpacingWithAutoAndArbitrary() }],\n /**\n * Flex Direction\n * @see https://tailwindcss.com/docs/flex-direction\n */\n 'flex-direction': [{ flex: ['row', 'row-reverse', 'col', 'col-reverse'] }],\n /**\n * Flex Wrap\n * @see https://tailwindcss.com/docs/flex-wrap\n */\n 'flex-wrap': [{ flex: ['wrap', 'wrap-reverse', 'nowrap'] }],\n /**\n * Flex\n * @see https://tailwindcss.com/docs/flex\n */\n flex: [{ flex: ['1', 'auto', 'initial', 'none', isArbitraryValue] }],\n /**\n * Flex Grow\n * @see https://tailwindcss.com/docs/flex-grow\n */\n grow: [{ grow: getZeroAndEmpty() }],\n /**\n * Flex Shrink\n * @see https://tailwindcss.com/docs/flex-shrink\n */\n shrink: [{ shrink: getZeroAndEmpty() }],\n /**\n * Order\n * @see https://tailwindcss.com/docs/order\n */\n order: [{ order: ['first', 'last', 'none', isInteger, isArbitraryValue] }],\n /**\n * Grid Template Columns\n * @see https://tailwindcss.com/docs/grid-template-columns\n */\n 'grid-cols': [{ 'grid-cols': [isAny] }],\n /**\n * Grid Column Start / End\n * @see https://tailwindcss.com/docs/grid-column\n */\n 'col-start-end': [\n {\n col: [\n 'auto',\n { span: ['full', isInteger, isArbitraryValue] },\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Grid Column Start\n * @see https://tailwindcss.com/docs/grid-column\n */\n 'col-start': [{ 'col-start': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Column End\n * @see https://tailwindcss.com/docs/grid-column\n */\n 'col-end': [{ 'col-end': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Template Rows\n * @see https://tailwindcss.com/docs/grid-template-rows\n */\n 'grid-rows': [{ 'grid-rows': [isAny] }],\n /**\n * Grid Row Start / End\n * @see https://tailwindcss.com/docs/grid-row\n */\n 'row-start-end': [\n { row: ['auto', { span: [isInteger, isArbitraryValue] }, isArbitraryValue] },\n ],\n /**\n * Grid Row Start\n * @see https://tailwindcss.com/docs/grid-row\n */\n 'row-start': [{ 'row-start': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Row End\n * @see https://tailwindcss.com/docs/grid-row\n */\n 'row-end': [{ 'row-end': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Auto Flow\n * @see https://tailwindcss.com/docs/grid-auto-flow\n */\n 'grid-flow': [{ 'grid-flow': ['row', 'col', 'dense', 'row-dense', 'col-dense'] }],\n /**\n * Grid Auto Columns\n * @see https://tailwindcss.com/docs/grid-auto-columns\n */\n 'auto-cols': [{ 'auto-cols': ['auto', 'min', 'max', 'fr', isArbitraryValue] }],\n /**\n * Grid Auto Rows\n * @see https://tailwindcss.com/docs/grid-auto-rows\n */\n 'auto-rows': [{ 'auto-rows': ['auto', 'min', 'max', 'fr', isArbitraryValue] }],\n /**\n * Gap\n * @see https://tailwindcss.com/docs/gap\n */\n gap: [{ gap: [gap] }],\n /**\n * Gap X\n * @see https://tailwindcss.com/docs/gap\n */\n 'gap-x': [{ 'gap-x': [gap] }],\n /**\n * Gap Y\n * @see https://tailwindcss.com/docs/gap\n */\n 'gap-y': [{ 'gap-y': [gap] }],\n /**\n * Justify Content\n * @see https://tailwindcss.com/docs/justify-content\n */\n 'justify-content': [{ justify: ['normal', ...getAlign()] }],\n /**\n * Justify Items\n * @see https://tailwindcss.com/docs/justify-items\n */\n 'justify-items': [{ 'justify-items': ['start', 'end', 'center', 'stretch'] }],\n /**\n * Justify Self\n * @see https://tailwindcss.com/docs/justify-self\n */\n 'justify-self': [{ 'justify-self': ['auto', 'start', 'end', 'center', 'stretch'] }],\n /**\n * Align Content\n * @see https://tailwindcss.com/docs/align-content\n */\n 'align-content': [{ content: ['normal', ...getAlign(), 'baseline'] }],\n /**\n * Align Items\n * @see https://tailwindcss.com/docs/align-items\n */\n 'align-items': [{ items: ['start', 'end', 'center', 'baseline', 'stretch'] }],\n /**\n * Align Self\n * @see https://tailwindcss.com/docs/align-self\n */\n 'align-self': [{ self: ['auto', 'start', 'end', 'center', 'stretch', 'baseline'] }],\n /**\n * Place Content\n * @see https://tailwindcss.com/docs/place-content\n */\n 'place-content': [{ 'place-content': [...getAlign(), 'baseline'] }],\n /**\n * Place Items\n * @see https://tailwindcss.com/docs/place-items\n */\n 'place-items': [{ 'place-items': ['start', 'end', 'center', 'baseline', 'stretch'] }],\n /**\n * Place Self\n * @see https://tailwindcss.com/docs/place-self\n */\n 'place-self': [{ 'place-self': ['auto', 'start', 'end', 'center', 'stretch'] }],\n // Spacing\n /**\n * Padding\n * @see https://tailwindcss.com/docs/padding\n */\n p: [{ p: [padding] }],\n /**\n * Padding X\n * @see https://tailwindcss.com/docs/padding\n */\n px: [{ px: [padding] }],\n /**\n * Padding Y\n * @see https://tailwindcss.com/docs/padding\n */\n py: [{ py: [padding] }],\n /**\n * Padding Start\n * @see https://tailwindcss.com/docs/padding\n */\n ps: [{ ps: [padding] }],\n /**\n * Padding End\n * @see https://tailwindcss.com/docs/padding\n */\n pe: [{ pe: [padding] }],\n /**\n * Padding Top\n * @see https://tailwindcss.com/docs/padding\n */\n pt: [{ pt: [padding] }],\n /**\n * Padding Right\n * @see https://tailwindcss.com/docs/padding\n */\n pr: [{ pr: [padding] }],\n /**\n * Padding Bottom\n * @see https://tailwindcss.com/docs/padding\n */\n pb: [{ pb: [padding] }],\n /**\n * Padding Left\n * @see https://tailwindcss.com/docs/padding\n */\n pl: [{ pl: [padding] }],\n /**\n * Margin\n * @see https://tailwindcss.com/docs/margin\n */\n m: [{ m: [margin] }],\n /**\n * Margin X\n * @see https://tailwindcss.com/docs/margin\n */\n mx: [{ mx: [margin] }],\n /**\n * Margin Y\n * @see https://tailwindcss.com/docs/margin\n */\n my: [{ my: [margin] }],\n /**\n * Margin Start\n * @see https://tailwindcss.com/docs/margin\n */\n ms: [{ ms: [margin] }],\n /**\n * Margin End\n * @see https://tailwindcss.com/docs/margin\n */\n me: [{ me: [margin] }],\n /**\n * Margin Top\n * @see https://tailwindcss.com/docs/margin\n */\n mt: [{ mt: [margin] }],\n /**\n * Margin Right\n * @see https://tailwindcss.com/docs/margin\n */\n mr: [{ mr: [margin] }],\n /**\n * Margin Bottom\n * @see https://tailwindcss.com/docs/margin\n */\n mb: [{ mb: [margin] }],\n /**\n * Margin Left\n * @see https://tailwindcss.com/docs/margin\n */\n ml: [{ ml: [margin] }],\n /**\n * Space Between X\n * @see https://tailwindcss.com/docs/space\n */\n 'space-x': [{ 'space-x': [space] }],\n /**\n * Space Between X Reverse\n * @see https://tailwindcss.com/docs/space\n */\n 'space-x-reverse': ['space-x-reverse'],\n /**\n * Space Between Y\n * @see https://tailwindcss.com/docs/space\n */\n 'space-y': [{ 'space-y': [space] }],\n /**\n * Space Between Y Reverse\n * @see https://tailwindcss.com/docs/space\n */\n 'space-y-reverse': ['space-y-reverse'],\n // Sizing\n /**\n * Width\n * @see https://tailwindcss.com/docs/width\n */\n w: [\n {\n w: [\n 'auto',\n 'min',\n 'max',\n 'fit',\n 'svw',\n 'lvw',\n 'dvw',\n isArbitraryValue,\n spacing,\n ],\n },\n ],\n /**\n * Min-Width\n * @see https://tailwindcss.com/docs/min-width\n */\n 'min-w': [{ 'min-w': [isArbitraryValue, spacing, 'min', 'max', 'fit'] }],\n /**\n * Max-Width\n * @see https://tailwindcss.com/docs/max-width\n */\n 'max-w': [\n {\n 'max-w': [\n isArbitraryValue,\n spacing,\n 'none',\n 'full',\n 'min',\n 'max',\n 'fit',\n 'prose',\n { screen: [isTshirtSize] },\n isTshirtSize,\n ],\n },\n ],\n /**\n * Height\n * @see https://tailwindcss.com/docs/height\n */\n h: [\n {\n h: [\n isArbitraryValue,\n spacing,\n 'auto',\n 'min',\n 'max',\n 'fit',\n 'svh',\n 'lvh',\n 'dvh',\n ],\n },\n ],\n /**\n * Min-Height\n * @see https://tailwindcss.com/docs/min-height\n */\n 'min-h': [\n { 'min-h': [isArbitraryValue, spacing, 'min', 'max', 'fit', 'svh', 'lvh', 'dvh'] },\n ],\n /**\n * Max-Height\n * @see https://tailwindcss.com/docs/max-height\n */\n 'max-h': [\n { 'max-h': [isArbitraryValue, spacing, 'min', 'max', 'fit', 'svh', 'lvh', 'dvh'] },\n ],\n /**\n * Size\n * @see https://tailwindcss.com/docs/size\n */\n size: [{ size: [isArbitraryValue, spacing, 'auto', 'min', 'max', 'fit'] }],\n // Typography\n /**\n * Font Size\n * @see https://tailwindcss.com/docs/font-size\n */\n 'font-size': [{ text: ['base', isTshirtSize, isArbitraryLength] }],\n /**\n * Font Smoothing\n * @see https://tailwindcss.com/docs/font-smoothing\n */\n 'font-smoothing': ['antialiased', 'subpixel-antialiased'],\n /**\n * Font Style\n * @see https://tailwindcss.com/docs/font-style\n */\n 'font-style': ['italic', 'not-italic'],\n /**\n * Font Weight\n * @see https://tailwindcss.com/docs/font-weight\n */\n 'font-weight': [\n {\n font: [\n 'thin',\n 'extralight',\n 'light',\n 'normal',\n 'medium',\n 'semibold',\n 'bold',\n 'extrabold',\n 'black',\n isArbitraryNumber,\n ],\n },\n ],\n /**\n * Font Family\n * @see https://tailwindcss.com/docs/font-family\n */\n 'font-family': [{ font: [isAny] }],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-normal': ['normal-nums'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-ordinal': ['ordinal'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-slashed-zero': ['slashed-zero'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-figure': ['lining-nums', 'oldstyle-nums'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-spacing': ['proportional-nums', 'tabular-nums'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-fraction': ['diagonal-fractions', 'stacked-fractons'],\n /**\n * Letter Spacing\n * @see https://tailwindcss.com/docs/letter-spacing\n */\n tracking: [\n {\n tracking: [\n 'tighter',\n 'tight',\n 'normal',\n 'wide',\n 'wider',\n 'widest',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Line Clamp\n * @see https://tailwindcss.com/docs/line-clamp\n */\n 'line-clamp': [{ 'line-clamp': ['none', isNumber, isArbitraryNumber] }],\n /**\n * Line Height\n * @see https://tailwindcss.com/docs/line-height\n */\n leading: [\n {\n leading: [\n 'none',\n 'tight',\n 'snug',\n 'normal',\n 'relaxed',\n 'loose',\n isLength,\n isArbitraryValue,\n ],\n },\n ],\n /**\n * List Style Image\n * @see https://tailwindcss.com/docs/list-style-image\n */\n 'list-image': [{ 'list-image': ['none', isArbitraryValue] }],\n /**\n * List Style Type\n * @see https://tailwindcss.com/docs/list-style-type\n */\n 'list-style-type': [{ list: ['none', 'disc', 'decimal', isArbitraryValue] }],\n /**\n * List Style Position\n * @see https://tailwindcss.com/docs/list-style-position\n */\n 'list-style-position': [{ list: ['inside', 'outside'] }],\n /**\n * Placeholder Color\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/placeholder-color\n */\n 'placeholder-color': [{ placeholder: [colors] }],\n /**\n * Placeholder Opacity\n * @see https://tailwindcss.com/docs/placeholder-opacity\n */\n 'placeholder-opacity': [{ 'placeholder-opacity': [opacity] }],\n /**\n * Text Alignment\n * @see https://tailwindcss.com/docs/text-align\n */\n 'text-alignment': [{ text: ['left', 'center', 'right', 'justify', 'start', 'end'] }],\n /**\n * Text Color\n * @see https://tailwindcss.com/docs/text-color\n */\n 'text-color': [{ text: [colors] }],\n /**\n * Text Opacity\n * @see https://tailwindcss.com/docs/text-opacity\n */\n 'text-opacity': [{ 'text-opacity': [opacity] }],\n /**\n * Text Decoration\n * @see https://tailwindcss.com/docs/text-decoration\n */\n 'text-decoration': ['underline', 'overline', 'line-through', 'no-underline'],\n /**\n * Text Decoration Style\n * @see https://tailwindcss.com/docs/text-decoration-style\n */\n 'text-decoration-style': [{ decoration: [...getLineStyles(), 'wavy'] }],\n /**\n * Text Decoration Thickness\n * @see https://tailwindcss.com/docs/text-decoration-thickness\n */\n 'text-decoration-thickness': [\n { decoration: ['auto', 'from-font', isLength, isArbitraryLength] },\n ],\n /**\n * Text Underline Offset\n * @see https://tailwindcss.com/docs/text-underline-offset\n */\n 'underline-offset': [{ 'underline-offset': ['auto', isLength, isArbitraryValue] }],\n /**\n * Text Decoration Color\n * @see https://tailwindcss.com/docs/text-decoration-color\n */\n 'text-decoration-color': [{ decoration: [colors] }],\n /**\n * Text Transform\n * @see https://tailwindcss.com/docs/text-transform\n */\n 'text-transform': ['uppercase', 'lowercase', 'capitalize', 'normal-case'],\n /**\n * Text Overflow\n * @see https://tailwindcss.com/docs/text-overflow\n */\n 'text-overflow': ['truncate', 'text-ellipsis', 'text-clip'],\n /**\n * Text Wrap\n * @see https://tailwindcss.com/docs/text-wrap\n */\n 'text-wrap': [{ text: ['wrap', 'nowrap', 'balance', 'pretty'] }],\n /**\n * Text Indent\n * @see https://tailwindcss.com/docs/text-indent\n */\n indent: [{ indent: getSpacingWithArbitrary() }],\n /**\n * Vertical Alignment\n * @see https://tailwindcss.com/docs/vertical-align\n */\n 'vertical-align': [\n {\n align: [\n 'baseline',\n 'top',\n 'middle',\n 'bottom',\n 'text-top',\n 'text-bottom',\n 'sub',\n 'super',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Whitespace\n * @see https://tailwindcss.com/docs/whitespace\n */\n whitespace: [\n { whitespace: ['normal', 'nowrap', 'pre', 'pre-line', 'pre-wrap', 'break-spaces'] },\n ],\n /**\n * Word Break\n * @see https://tailwindcss.com/docs/word-break\n */\n break: [{ break: ['normal', 'words', 'all', 'keep'] }],\n /**\n * Hyphens\n * @see https://tailwindcss.com/docs/hyphens\n */\n hyphens: [{ hyphens: ['none', 'manual', 'auto'] }],\n /**\n * Content\n * @see https://tailwindcss.com/docs/content\n */\n content: [{ content: ['none', isArbitraryValue] }],\n // Backgrounds\n /**\n * Background Attachment\n * @see https://tailwindcss.com/docs/background-attachment\n */\n 'bg-attachment': [{ bg: ['fixed', 'local', 'scroll'] }],\n /**\n * Background Clip\n * @see https://tailwindcss.com/docs/background-clip\n */\n 'bg-clip': [{ 'bg-clip': ['border', 'padding', 'content', 'text'] }],\n /**\n * Background Opacity\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/background-opacity\n */\n 'bg-opacity': [{ 'bg-opacity': [opacity] }],\n /**\n * Background Origin\n * @see https://tailwindcss.com/docs/background-origin\n */\n 'bg-origin': [{ 'bg-origin': ['border', 'padding', 'content'] }],\n /**\n * Background Position\n * @see https://tailwindcss.com/docs/background-position\n */\n 'bg-position': [{ bg: [...getPositions(), isArbitraryPosition] }],\n /**\n * Background Repeat\n * @see https://tailwindcss.com/docs/background-repeat\n */\n 'bg-repeat': [{ bg: ['no-repeat', { repeat: ['', 'x', 'y', 'round', 'space'] }] }],\n /**\n * Background Size\n * @see https://tailwindcss.com/docs/background-size\n */\n 'bg-size': [{ bg: ['auto', 'cover', 'contain', isArbitrarySize] }],\n /**\n * Background Image\n * @see https://tailwindcss.com/docs/background-image\n */\n 'bg-image': [\n {\n bg: [\n 'none',\n { 'gradient-to': ['t', 'tr', 'r', 'br', 'b', 'bl', 'l', 'tl'] },\n isArbitraryImage,\n ],\n },\n ],\n /**\n * Background Color\n * @see https://tailwindcss.com/docs/background-color\n */\n 'bg-color': [{ bg: [colors] }],\n /**\n * Gradient Color Stops From Position\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-from-pos': [{ from: [gradientColorStopPositions] }],\n /**\n * Gradient Color Stops Via Position\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-via-pos': [{ via: [gradientColorStopPositions] }],\n /**\n * Gradient Color Stops To Position\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-to-pos': [{ to: [gradientColorStopPositions] }],\n /**\n * Gradient Color Stops From\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-from': [{ from: [gradientColorStops] }],\n /**\n * Gradient Color Stops Via\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-via': [{ via: [gradientColorStops] }],\n /**\n * Gradient Color Stops To\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-to': [{ to: [gradientColorStops] }],\n // Borders\n /**\n * Border Radius\n * @see https://tailwindcss.com/docs/border-radius\n */\n rounded: [{ rounded: [borderRadius] }],\n /**\n * Border Radius Start\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-s': [{ 'rounded-s': [borderRadius] }],\n /**\n * Border Radius End\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-e': [{ 'rounded-e': [borderRadius] }],\n /**\n * Border Radius Top\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-t': [{ 'rounded-t': [borderRadius] }],\n /**\n * Border Radius Right\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-r': [{ 'rounded-r': [borderRadius] }],\n /**\n * Border Radius Bottom\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-b': [{ 'rounded-b': [borderRadius] }],\n /**\n * Border Radius Left\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-l': [{ 'rounded-l': [borderRadius] }],\n /**\n * Border Radius Start Start\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-ss': [{ 'rounded-ss': [borderRadius] }],\n /**\n * Border Radius Start End\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-se': [{ 'rounded-se': [borderRadius] }],\n /**\n * Border Radius End End\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-ee': [{ 'rounded-ee': [borderRadius] }],\n /**\n * Border Radius End Start\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-es': [{ 'rounded-es': [borderRadius] }],\n /**\n * Border Radius Top Left\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-tl': [{ 'rounded-tl': [borderRadius] }],\n /**\n * Border Radius Top Right\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-tr': [{ 'rounded-tr': [borderRadius] }],\n /**\n * Border Radius Bottom Right\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-br': [{ 'rounded-br': [borderRadius] }],\n /**\n * Border Radius Bottom Left\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-bl': [{ 'rounded-bl': [borderRadius] }],\n /**\n * Border Width\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w': [{ border: [borderWidth] }],\n /**\n * Border Width X\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-x': [{ 'border-x': [borderWidth] }],\n /**\n * Border Width Y\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-y': [{ 'border-y': [borderWidth] }],\n /**\n * Border Width Start\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-s': [{ 'border-s': [borderWidth] }],\n /**\n * Border Width End\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-e': [{ 'border-e': [borderWidth] }],\n /**\n * Border Width Top\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-t': [{ 'border-t': [borderWidth] }],\n /**\n * Border Width Right\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-r': [{ 'border-r': [borderWidth] }],\n /**\n * Border Width Bottom\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-b': [{ 'border-b': [borderWidth] }],\n /**\n * Border Width Left\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-l': [{ 'border-l': [borderWidth] }],\n /**\n * Border Opacity\n * @see https://tailwindcss.com/docs/border-opacity\n */\n 'border-opacity': [{ 'border-opacity': [opacity] }],\n /**\n * Border Style\n * @see https://tailwindcss.com/docs/border-style\n */\n 'border-style': [{ border: [...getLineStyles(), 'hidden'] }],\n /**\n * Divide Width X\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-x': [{ 'divide-x': [borderWidth] }],\n /**\n * Divide Width X Reverse\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-x-reverse': ['divide-x-reverse'],\n /**\n * Divide Width Y\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-y': [{ 'divide-y': [borderWidth] }],\n /**\n * Divide Width Y Reverse\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-y-reverse': ['divide-y-reverse'],\n /**\n * Divide Opacity\n * @see https://tailwindcss.com/docs/divide-opacity\n */\n 'divide-opacity': [{ 'divide-opacity': [opacity] }],\n /**\n * Divide Style\n * @see https://tailwindcss.com/docs/divide-style\n */\n 'divide-style': [{ divide: getLineStyles() }],\n /**\n * Border Color\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color': [{ border: [borderColor] }],\n /**\n * Border Color X\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-x': [{ 'border-x': [borderColor] }],\n /**\n * Border Color Y\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-y': [{ 'border-y': [borderColor] }],\n /**\n * Border Color Top\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-t': [{ 'border-t': [borderColor] }],\n /**\n * Border Color Right\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-r': [{ 'border-r': [borderColor] }],\n /**\n * Border Color Bottom\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-b': [{ 'border-b': [borderColor] }],\n /**\n * Border Color Left\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-l': [{ 'border-l': [borderColor] }],\n /**\n * Divide Color\n * @see https://tailwindcss.com/docs/divide-color\n */\n 'divide-color': [{ divide: [borderColor] }],\n /**\n * Outline Style\n * @see https://tailwindcss.com/docs/outline-style\n */\n 'outline-style': [{ outline: ['', ...getLineStyles()] }],\n /**\n * Outline Offset\n * @see https://tailwindcss.com/docs/outline-offset\n */\n 'outline-offset': [{ 'outline-offset': [isLength, isArbitraryValue] }],\n /**\n * Outline Width\n * @see https://tailwindcss.com/docs/outline-width\n */\n 'outline-w': [{ outline: [isLength, isArbitraryLength] }],\n /**\n * Outline Color\n * @see https://tailwindcss.com/docs/outline-color\n */\n 'outline-color': [{ outline: [colors] }],\n /**\n * Ring Width\n * @see https://tailwindcss.com/docs/ring-width\n */\n 'ring-w': [{ ring: getLengthWithEmptyAndArbitrary() }],\n /**\n * Ring Width Inset\n * @see https://tailwindcss.com/docs/ring-width\n */\n 'ring-w-inset': ['ring-inset'],\n /**\n * Ring Color\n * @see https://tailwindcss.com/docs/ring-color\n */\n 'ring-color': [{ ring: [colors] }],\n /**\n * Ring Opacity\n * @see https://tailwindcss.com/docs/ring-opacity\n */\n 'ring-opacity': [{ 'ring-opacity': [opacity] }],\n /**\n * Ring Offset Width\n * @see https://tailwindcss.com/docs/ring-offset-width\n */\n 'ring-offset-w': [{ 'ring-offset': [isLength, isArbitraryLength] }],\n /**\n * Ring Offset Color\n * @see https://tailwindcss.com/docs/ring-offset-color\n */\n 'ring-offset-color': [{ 'ring-offset': [colors] }],\n // Effects\n /**\n * Box Shadow\n * @see https://tailwindcss.com/docs/box-shadow\n */\n shadow: [{ shadow: ['', 'inner', 'none', isTshirtSize, isArbitraryShadow] }],\n /**\n * Box Shadow Color\n * @see https://tailwindcss.com/docs/box-shadow-color\n */\n 'shadow-color': [{ shadow: [isAny] }],\n /**\n * Opacity\n * @see https://tailwindcss.com/docs/opacity\n */\n opacity: [{ opacity: [opacity] }],\n /**\n * Mix Blend Mode\n * @see https://tailwindcss.com/docs/mix-blend-mode\n */\n 'mix-blend': [{ 'mix-blend': [...getBlendModes(), 'plus-lighter', 'plus-darker'] }],\n /**\n * Background Blend Mode\n * @see https://tailwindcss.com/docs/background-blend-mode\n */\n 'bg-blend': [{ 'bg-blend': getBlendModes() }],\n // Filters\n /**\n * Filter\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/filter\n */\n filter: [{ filter: ['', 'none'] }],\n /**\n * Blur\n * @see https://tailwindcss.com/docs/blur\n */\n blur: [{ blur: [blur] }],\n /**\n * Brightness\n * @see https://tailwindcss.com/docs/brightness\n */\n brightness: [{ brightness: [brightness] }],\n /**\n * Contrast\n * @see https://tailwindcss.com/docs/contrast\n */\n contrast: [{ contrast: [contrast] }],\n /**\n * Drop Shadow\n * @see https://tailwindcss.com/docs/drop-shadow\n */\n 'drop-shadow': [{ 'drop-shadow': ['', 'none', isTshirtSize, isArbitraryValue] }],\n /**\n * Grayscale\n * @see https://tailwindcss.com/docs/grayscale\n */\n grayscale: [{ grayscale: [grayscale] }],\n /**\n * Hue Rotate\n * @see https://tailwindcss.com/docs/hue-rotate\n */\n 'hue-rotate': [{ 'hue-rotate': [hueRotate] }],\n /**\n * Invert\n * @see https://tailwindcss.com/docs/invert\n */\n invert: [{ invert: [invert] }],\n /**\n * Saturate\n * @see https://tailwindcss.com/docs/saturate\n */\n saturate: [{ saturate: [saturate] }],\n /**\n * Sepia\n * @see https://tailwindcss.com/docs/sepia\n */\n sepia: [{ sepia: [sepia] }],\n /**\n * Backdrop Filter\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/backdrop-filter\n */\n 'backdrop-filter': [{ 'backdrop-filter': ['', 'none'] }],\n /**\n * Backdrop Blur\n * @see https://tailwindcss.com/docs/backdrop-blur\n */\n 'backdrop-blur': [{ 'backdrop-blur': [blur] }],\n /**\n * Backdrop Brightness\n * @see https://tailwindcss.com/docs/backdrop-brightness\n */\n 'backdrop-brightness': [{ 'backdrop-brightness': [brightness] }],\n /**\n * Backdrop Contrast\n * @see https://tailwindcss.com/docs/backdrop-contrast\n */\n 'backdrop-contrast': [{ 'backdrop-contrast': [contrast] }],\n /**\n * Backdrop Grayscale\n * @see https://tailwindcss.com/docs/backdrop-grayscale\n */\n 'backdrop-grayscale': [{ 'backdrop-grayscale': [grayscale] }],\n /**\n * Backdrop Hue Rotate\n * @see https://tailwindcss.com/docs/backdrop-hue-rotate\n */\n 'backdrop-hue-rotate': [{ 'backdrop-hue-rotate': [hueRotate] }],\n /**\n * Backdrop Invert\n * @see https://tailwindcss.com/docs/backdrop-invert\n */\n 'backdrop-invert': [{ 'backdrop-invert': [invert] }],\n /**\n * Backdrop Opacity\n * @see https://tailwindcss.com/docs/backdrop-opacity\n */\n 'backdrop-opacity': [{ 'backdrop-opacity': [opacity] }],\n /**\n * Backdrop Saturate\n * @see https://tailwindcss.com/docs/backdrop-saturate\n */\n 'backdrop-saturate': [{ 'backdrop-saturate': [saturate] }],\n /**\n * Backdrop Sepia\n * @see https://tailwindcss.com/docs/backdrop-sepia\n */\n 'backdrop-sepia': [{ 'backdrop-sepia': [sepia] }],\n // Tables\n /**\n * Border Collapse\n * @see https://tailwindcss.com/docs/border-collapse\n */\n 'border-collapse': [{ border: ['collapse', 'separate'] }],\n /**\n * Border Spacing\n * @see https://tailwindcss.com/docs/border-spacing\n */\n 'border-spacing': [{ 'border-spacing': [borderSpacing] }],\n /**\n * Border Spacing X\n * @see https://tailwindcss.com/docs/border-spacing\n */\n 'border-spacing-x': [{ 'border-spacing-x': [borderSpacing] }],\n /**\n * Border Spacing Y\n * @see https://tailwindcss.com/docs/border-spacing\n */\n 'border-spacing-y': [{ 'border-spacing-y': [borderSpacing] }],\n /**\n * Table Layout\n * @see https://tailwindcss.com/docs/table-layout\n */\n 'table-layout': [{ table: ['auto', 'fixed'] }],\n /**\n * Caption Side\n * @see https://tailwindcss.com/docs/caption-side\n */\n caption: [{ caption: ['top', 'bottom'] }],\n // Transitions and Animation\n /**\n * Tranisition Property\n * @see https://tailwindcss.com/docs/transition-property\n */\n transition: [\n {\n transition: [\n 'none',\n 'all',\n '',\n 'colors',\n 'opacity',\n 'shadow',\n 'transform',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Transition Duration\n * @see https://tailwindcss.com/docs/transition-duration\n */\n duration: [{ duration: getNumberAndArbitrary() }],\n /**\n * Transition Timing Function\n * @see https://tailwindcss.com/docs/transition-timing-function\n */\n ease: [{ ease: ['linear', 'in', 'out', 'in-out', isArbitraryValue] }],\n /**\n * Transition Delay\n * @see https://tailwindcss.com/docs/transition-delay\n */\n delay: [{ delay: getNumberAndArbitrary() }],\n /**\n * Animation\n * @see https://tailwindcss.com/docs/animation\n */\n animate: [{ animate: ['none', 'spin', 'ping', 'pulse', 'bounce', isArbitraryValue] }],\n // Transforms\n /**\n * Transform\n * @see https://tailwindcss.com/docs/transform\n */\n transform: [{ transform: ['', 'gpu', 'none'] }],\n /**\n * Scale\n * @see https://tailwindcss.com/docs/scale\n */\n scale: [{ scale: [scale] }],\n /**\n * Scale X\n * @see https://tailwindcss.com/docs/scale\n */\n 'scale-x': [{ 'scale-x': [scale] }],\n /**\n * Scale Y\n * @see https://tailwindcss.com/docs/scale\n */\n 'scale-y': [{ 'scale-y': [scale] }],\n /**\n * Rotate\n * @see https://tailwindcss.com/docs/rotate\n */\n rotate: [{ rotate: [isInteger, isArbitraryValue] }],\n /**\n * Translate X\n * @see https://tailwindcss.com/docs/translate\n */\n 'translate-x': [{ 'translate-x': [translate] }],\n /**\n * Translate Y\n * @see https://tailwindcss.com/docs/translate\n */\n 'translate-y': [{ 'translate-y': [translate] }],\n /**\n * Skew X\n * @see https://tailwindcss.com/docs/skew\n */\n 'skew-x': [{ 'skew-x': [skew] }],\n /**\n * Skew Y\n * @see https://tailwindcss.com/docs/skew\n */\n 'skew-y': [{ 'skew-y': [skew] }],\n /**\n * Transform Origin\n * @see https://tailwindcss.com/docs/transform-origin\n */\n 'transform-origin': [\n {\n origin: [\n 'center',\n 'top',\n 'top-right',\n 'right',\n 'bottom-right',\n 'bottom',\n 'bottom-left',\n 'left',\n 'top-left',\n isArbitraryValue,\n ],\n },\n ],\n // Interactivity\n /**\n * Accent Color\n * @see https://tailwindcss.com/docs/accent-color\n */\n accent: [{ accent: ['auto', colors] }],\n /**\n * Appearance\n * @see https://tailwindcss.com/docs/appearance\n */\n appearance: [{ appearance: ['none', 'auto'] }],\n /**\n * Cursor\n * @see https://tailwindcss.com/docs/cursor\n */\n cursor: [\n {\n cursor: [\n 'auto',\n 'default',\n 'pointer',\n 'wait',\n 'text',\n 'move',\n 'help',\n 'not-allowed',\n 'none',\n 'context-menu',\n 'progress',\n 'cell',\n 'crosshair',\n 'vertical-text',\n 'alias',\n 'copy',\n 'no-drop',\n 'grab',\n 'grabbing',\n 'all-scroll',\n 'col-resize',\n 'row-resize',\n 'n-resize',\n 'e-resize',\n 's-resize',\n 'w-resize',\n 'ne-resize',\n 'nw-resize',\n 'se-resize',\n 'sw-resize',\n 'ew-resize',\n 'ns-resize',\n 'nesw-resize',\n 'nwse-resize',\n 'zoom-in',\n 'zoom-out',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Caret Color\n * @see https://tailwindcss.com/docs/just-in-time-mode#caret-color-utilities\n */\n 'caret-color': [{ caret: [colors] }],\n /**\n * Pointer Events\n * @see https://tailwindcss.com/docs/pointer-events\n */\n 'pointer-events': [{ 'pointer-events': ['none', 'auto'] }],\n /**\n * Resize\n * @see https://tailwindcss.com/docs/resize\n */\n resize: [{ resize: ['none', 'y', 'x', ''] }],\n /**\n * Scroll Behavior\n * @see https://tailwindcss.com/docs/scroll-behavior\n */\n 'scroll-behavior': [{ scroll: ['auto', 'smooth'] }],\n /**\n * Scroll Margin\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-m': [{ 'scroll-m': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin X\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mx': [{ 'scroll-mx': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Y\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-my': [{ 'scroll-my': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Start\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-ms': [{ 'scroll-ms': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin End\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-me': [{ 'scroll-me': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Top\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mt': [{ 'scroll-mt': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Right\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mr': [{ 'scroll-mr': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Bottom\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mb': [{ 'scroll-mb': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Left\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-ml': [{ 'scroll-ml': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-p': [{ 'scroll-p': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding X\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-px': [{ 'scroll-px': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Y\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-py': [{ 'scroll-py': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Start\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-ps': [{ 'scroll-ps': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding End\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pe': [{ 'scroll-pe': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Top\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pt': [{ 'scroll-pt': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Right\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pr': [{ 'scroll-pr': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Bottom\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pb': [{ 'scroll-pb': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Left\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pl': [{ 'scroll-pl': getSpacingWithArbitrary() }],\n /**\n * Scroll Snap Align\n * @see https://tailwindcss.com/docs/scroll-snap-align\n */\n 'snap-align': [{ snap: ['start', 'end', 'center', 'align-none'] }],\n /**\n * Scroll Snap Stop\n * @see https://tailwindcss.com/docs/scroll-snap-stop\n */\n 'snap-stop': [{ snap: ['normal', 'always'] }],\n /**\n * Scroll Snap Type\n * @see https://tailwindcss.com/docs/scroll-snap-type\n */\n 'snap-type': [{ snap: ['none', 'x', 'y', 'both'] }],\n /**\n * Scroll Snap Type Strictness\n * @see https://tailwindcss.com/docs/scroll-snap-type\n */\n 'snap-strictness': [{ snap: ['mandatory', 'proximity'] }],\n /**\n * Touch Action\n * @see https://tailwindcss.com/docs/touch-action\n */\n touch: [\n {\n touch: ['auto', 'none', 'manipulation'],\n },\n ],\n /**\n * Touch Action X\n * @see https://tailwindcss.com/docs/touch-action\n */\n 'touch-x': [\n {\n 'touch-pan': ['x', 'left', 'right'],\n },\n ],\n /**\n * Touch Action Y\n * @see https://tailwindcss.com/docs/touch-action\n */\n 'touch-y': [\n {\n 'touch-pan': ['y', 'up', 'down'],\n },\n ],\n /**\n * Touch Action Pinch Zoom\n * @see https://tailwindcss.com/docs/touch-action\n */\n 'touch-pz': ['touch-pinch-zoom'],\n /**\n * User Select\n * @see https://tailwindcss.com/docs/user-select\n */\n select: [{ select: ['none', 'text', 'all', 'auto'] }],\n /**\n * Will Change\n * @see https://tailwindcss.com/docs/will-change\n */\n 'will-change': [\n { 'will-change': ['auto', 'scroll', 'contents', 'transform', isArbitraryValue] },\n ],\n // SVG\n /**\n * Fill\n * @see https://tailwindcss.com/docs/fill\n */\n fill: [{ fill: [colors, 'none'] }],\n /**\n * Stroke Width\n * @see https://tailwindcss.com/docs/stroke-width\n */\n 'stroke-w': [{ stroke: [isLength, isArbitraryLength, isArbitraryNumber] }],\n /**\n * Stroke\n * @see https://tailwindcss.com/docs/stroke\n */\n stroke: [{ stroke: [colors, 'none'] }],\n // Accessibility\n /**\n * Screen Readers\n * @see https://tailwindcss.com/docs/screen-readers\n */\n sr: ['sr-only', 'not-sr-only'],\n /**\n * Forced Color Adjust\n * @see https://tailwindcss.com/docs/forced-color-adjust\n */\n 'forced-color-adjust': [{ 'forced-color-adjust': ['auto', 'none'] }],\n },\n conflictingClassGroups: {\n overflow: ['overflow-x', 'overflow-y'],\n overscroll: ['overscroll-x', 'overscroll-y'],\n inset: ['inset-x', 'inset-y', 'start', 'end', 'top', 'right', 'bottom', 'left'],\n 'inset-x': ['right', 'left'],\n 'inset-y': ['top', 'bottom'],\n flex: ['basis', 'grow', 'shrink'],\n gap: ['gap-x', 'gap-y'],\n p: ['px', 'py', 'ps', 'pe', 'pt', 'pr', 'pb', 'pl'],\n px: ['pr', 'pl'],\n py: ['pt', 'pb'],\n m: ['mx', 'my', 'ms', 'me', 'mt', 'mr', 'mb', 'ml'],\n mx: ['mr', 'ml'],\n my: ['mt', 'mb'],\n size: ['w', 'h'],\n 'font-size': ['leading'],\n 'fvn-normal': [\n 'fvn-ordinal',\n 'fvn-slashed-zero',\n 'fvn-figure',\n 'fvn-spacing',\n 'fvn-fraction',\n ],\n 'fvn-ordinal': ['fvn-normal'],\n 'fvn-slashed-zero': ['fvn-normal'],\n 'fvn-figure': ['fvn-normal'],\n 'fvn-spacing': ['fvn-normal'],\n 'fvn-fraction': ['fvn-normal'],\n 'line-clamp': ['display', 'overflow'],\n rounded: [\n 'rounded-s',\n 'rounded-e',\n 'rounded-t',\n 'rounded-r',\n 'rounded-b',\n 'rounded-l',\n 'rounded-ss',\n 'rounded-se',\n 'rounded-ee',\n 'rounded-es',\n 'rounded-tl',\n 'rounded-tr',\n 'rounded-br',\n 'rounded-bl',\n ],\n 'rounded-s': ['rounded-ss', 'rounded-es'],\n 'rounded-e': ['rounded-se', 'rounded-ee'],\n 'rounded-t': ['rounded-tl', 'rounded-tr'],\n 'rounded-r': ['rounded-tr', 'rounded-br'],\n 'rounded-b': ['rounded-br', 'rounded-bl'],\n 'rounded-l': ['rounded-tl', 'rounded-bl'],\n 'border-spacing': ['border-spacing-x', 'border-spacing-y'],\n 'border-w': [\n 'border-w-s',\n 'border-w-e',\n 'border-w-t',\n 'border-w-r',\n 'border-w-b',\n 'border-w-l',\n ],\n 'border-w-x': ['border-w-r', 'border-w-l'],\n 'border-w-y': ['border-w-t', 'border-w-b'],\n 'border-color': [\n 'border-color-t',\n 'border-color-r',\n 'border-color-b',\n 'border-color-l',\n ],\n 'border-color-x': ['border-color-r', 'border-color-l'],\n 'border-color-y': ['border-color-t', 'border-color-b'],\n 'scroll-m': [\n 'scroll-mx',\n 'scroll-my',\n 'scroll-ms',\n 'scroll-me',\n 'scroll-mt',\n 'scroll-mr',\n 'scroll-mb',\n 'scroll-ml',\n ],\n 'scroll-mx': ['scroll-mr', 'scroll-ml'],\n 'scroll-my': ['scroll-mt', 'scroll-mb'],\n 'scroll-p': [\n 'scroll-px',\n 'scroll-py',\n 'scroll-ps',\n 'scroll-pe',\n 'scroll-pt',\n 'scroll-pr',\n 'scroll-pb',\n 'scroll-pl',\n ],\n 'scroll-px': ['scroll-pr', 'scroll-pl'],\n 'scroll-py': ['scroll-pt', 'scroll-pb'],\n touch: ['touch-x', 'touch-y', 'touch-pz'],\n 'touch-x': ['touch'],\n 'touch-y': ['touch'],\n 'touch-pz': ['touch'],\n },\n conflictingClassGroupModifiers: {\n 'font-size': ['leading'],\n },\n } as const satisfies Config<DefaultClassGroupIds, DefaultThemeGroupIds>\n}\n","import { ConfigExtension, GenericConfig } from './types'\n\n/**\n * @param baseConfig Config where other config will be merged into. This object will be mutated.\n * @param configExtension Partial config to merge into the `baseConfig`.\n */\nexport const mergeConfigs = <ClassGroupIds extends string, ThemeGroupIds extends string = never>(\n baseConfig: GenericConfig,\n {\n cacheSize,\n prefix,\n separator,\n experimentalParseClassName,\n extend = {},\n override = {},\n }: ConfigExtension<ClassGroupIds, ThemeGroupIds>,\n) => {\n overrideProperty(baseConfig, 'cacheSize', cacheSize)\n overrideProperty(baseConfig, 'prefix', prefix)\n overrideProperty(baseConfig, 'separator', separator)\n overrideProperty(baseConfig, 'experimentalParseClassName', experimentalParseClassName)\n\n for (const configKey in override) {\n overrideConfigProperties(\n baseConfig[configKey as keyof typeof override],\n override[configKey as keyof typeof override],\n )\n }\n\n for (const key in extend) {\n mergeConfigProperties(\n baseConfig[key as keyof typeof extend],\n extend[key as keyof typeof extend],\n )\n }\n\n return baseConfig\n}\n\nconst overrideProperty = <T extends object, K extends keyof T>(\n baseObject: T,\n overrideKey: K,\n overrideValue: T[K] | undefined,\n) => {\n if (overrideValue !== undefined) {\n baseObject[overrideKey] = overrideValue\n }\n}\n\nconst overrideConfigProperties = (\n baseObject: Partial<Record<string, readonly unknown[]>>,\n overrideObject: Partial<Record<string, readonly unknown[]>> | undefined,\n) => {\n if (overrideObject) {\n for (const key in overrideObject) {\n overrideProperty(baseObject, key, overrideObject[key])\n }\n }\n}\n\nconst mergeConfigProperties = (\n baseObject: Partial<Record<string, readonly unknown[]>>,\n mergeObject: Partial<Record<string, readonly unknown[]>> | undefined,\n) => {\n if (mergeObject) {\n for (const key in mergeObject) {\n const mergeValue = mergeObject[key]\n\n if (mergeValue !== undefined) {\n baseObject[key] = (baseObject[key] || []).concat(mergeValue)\n }\n }\n }\n}\n","import { createTailwindMerge } from './create-tailwind-merge'\nimport { getDefaultConfig } from './default-config'\nimport { mergeConfigs } from './merge-configs'\nimport { ConfigExtension, DefaultClassGroupIds, DefaultThemeGroupIds, GenericConfig } from './types'\n\ntype CreateConfigSubsequent = (config: GenericConfig) => GenericConfig\n\nexport const extendTailwindMerge = <\n AdditionalClassGroupIds extends string = never,\n AdditionalThemeGroupIds extends string = never,\n>(\n configExtension:\n | ConfigExtension<\n DefaultClassGroupIds | AdditionalClassGroupIds,\n DefaultThemeGroupIds | AdditionalThemeGroupIds\n >\n | CreateConfigSubsequent,\n ...createConfig: CreateConfigSubsequent[]\n) =>\n typeof configExtension === 'function'\n ? createTailwindMerge(getDefaultConfig, configExtension, ...createConfig)\n : createTailwindMerge(\n () => mergeConfigs(getDefaultConfig(), configExtension),\n ...createConfig,\n )\n","import { createTailwindMerge } from './create-tailwind-merge'\nimport { getDefaultConfig } from './default-config'\n\nexport const twMerge = createTailwindMerge(getDefaultConfig)\n","import { clsx, type ClassValue } from 'clsx';\nimport { twMerge } from 'tailwind-merge';\n\nexport function cn(...inputs: ClassValue[]) {\n return twMerge(clsx(inputs));\n}\n","import * as React from 'react';\nimport * as LabelPrimitive from '@radix-ui/react-label';\nimport { cva, type VariantProps } from 'class-variance-authority';\n\nimport { cn } from '../../lib/utils';\n\nconst labelVariants = cva(\n 'text-sm font-medium leading-none peer-disabled:cursor-not-allowed peer-disabled:opacity-70'\n);\n\nconst Label = React.forwardRef<\n React.ComponentRef<typeof LabelPrimitive.Root>,\n React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root> &\n VariantProps<typeof labelVariants>\n>(({ className, ...props }, ref) => (\n <LabelPrimitive.Root\n ref={ref}\n className={cn(labelVariants(), className)}\n {...props}\n />\n));\nLabel.displayName = LabelPrimitive.Root.displayName;\n\nexport { Label };\n","function r(e){var t,f,n=\"\";if(\"string\"==typeof e||\"number\"==typeof e)n+=e;else if(\"object\"==typeof e)if(Array.isArray(e))for(t=0;t<e.length;t++)e[t]&&(f=r(e[t]))&&(n&&(n+=\" \"),n+=f);else for(t in e)e[t]&&(n&&(n+=\" \"),n+=t);return n}export function clsx(){for(var e,t,f=0,n=\"\";f<arguments.length;)(e=arguments[f++])&&(t=r(e))&&(n&&(n+=\" \"),n+=t);return n}export default clsx;","import { clsx } from \"clsx\";\nconst falsyToString = (value)=>typeof value === \"boolean\" ? \"\".concat(value) : value === 0 ? \"0\" : value;\nexport const cx = clsx;\nexport const cva = (base, config)=>{\n return (props)=>{\n var ref;\n if ((config === null || config === void 0 ? void 0 : config.variants) == null) return cx(base, props === null || props === void 0 ? void 0 : props.class, props === null || props === void 0 ? void 0 : props.className);\n const { variants , defaultVariants } = config;\n const getVariantClassNames = Object.keys(variants).map((variant)=>{\n const variantProp = props === null || props === void 0 ? void 0 : props[variant];\n const defaultVariantProp = defaultVariants === null || defaultVariants === void 0 ? void 0 : defaultVariants[variant];\n if (variantProp === null) return null;\n const variantKey = falsyToString(variantProp) || falsyToString(defaultVariantProp);\n return variants[variant][variantKey];\n });\n const propsWithoutUndefined = props && Object.entries(props).reduce((acc, param)=>{\n let [key, value] = param;\n if (value === undefined) {\n return acc;\n }\n acc[key] = value;\n return acc;\n }, {});\n const getCompoundVariantClassNames = config === null || config === void 0 ? void 0 : (ref = config.compoundVariants) === null || ref === void 0 ? void 0 : ref.reduce((acc, param1)=>{\n let { class: cvClass , className: cvClassName , ...compoundVariantOptions } = param1;\n return Object.entries(compoundVariantOptions).every((param)=>{\n let [key, value] = param;\n return Array.isArray(value) ? value.includes({\n ...defaultVariants,\n ...propsWithoutUndefined\n }[key]) : ({\n ...defaultVariants,\n ...propsWithoutUndefined\n })[key] === value;\n }) ? [\n ...acc,\n cvClass,\n cvClassName\n ] : acc;\n }, []);\n return cx(base, getVariantClassNames, getCompoundVariantClassNames, props === null || props === void 0 ? void 0 : props.class, props === null || props === void 0 ? void 0 : props.className);\n };\n};\n\n\n//# sourceMappingURL=index.mjs.map","import * as React from 'react';\n\nimport { cn } from '../../lib/utils';\n\nexport type InputProps = React.InputHTMLAttributes<HTMLInputElement>;\n\nconst Input = React.forwardRef<HTMLInputElement, InputProps>(\n ({ className, type, ...props }, ref) => {\n return (\n <input\n type={type}\n className={cn(\n 'flex h-10 w-full rounded-md border border-input bg-background px-3 py-2 text-sm ring-offset-background file:border-0 file:bg-transparent file:text-sm file:font-medium file:text-foreground placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50',\n className\n )}\n ref={ref}\n {...props}\n />\n );\n }\n);\nInput.displayName = 'Input';\n\nexport { Input };\n","import * as React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\nimport { cva, type VariantProps } from 'class-variance-authority';\n\nimport { cn } from '../../lib/utils';\n\nconst buttonVariants = cva(\n 'inline-flex items-center justify-center whitespace-nowrap rounded-md text-sm font-medium ring-offset-background transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50',\n {\n variants: {\n variant: {\n default: 'bg-primary text-primary-foreground hover:bg-primary/90',\n destructive:\n 'bg-destructive text-destructive-foreground hover:bg-destructive/90',\n outline:\n 'border border-input bg-background hover:bg-accent hover:text-accent-foreground',\n secondary:\n 'bg-secondary text-secondary-foreground hover:bg-secondary/80',\n ghost: 'hover:bg-accent hover:text-accent-foreground',\n link: 'text-primary underline-offset-4 hover:underline',\n },\n size: {\n default: 'h-10 px-4 py-2',\n sm: 'h-9 rounded-md px-3',\n lg: 'h-11 rounded-md px-8',\n icon: 'h-10 w-10',\n },\n },\n defaultVariants: {\n variant: 'default',\n size: 'default',\n },\n }\n);\n\nexport interface ButtonProps\n extends React.ButtonHTMLAttributes<HTMLButtonElement>,\n VariantProps<typeof buttonVariants> {\n asChild?: boolean;\n}\n\nconst Button = React.forwardRef<HTMLButtonElement, ButtonProps>(\n ({ className, variant, size, asChild = false, ...props }, ref) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(buttonVariants({ variant, size, className }))}\n ref={ref}\n {...props}\n />\n );\n }\n);\nButton.displayName = 'Button';\n\nexport { Button, buttonVariants };\n","import { signIn } from 'next-auth/react';\nimport { useMutation } from '@tanstack/react-query';\n\nimport { Props } from './types';\n\nexport function useSignIn(params?: Props) {\n const {\n onSuccess,\n onError,\n beforeMutate,\n callbackUrl,\n redirect = false,\n } = params ?? {};\n const mutation = useMutation({\n mutationFn: async (_data) => {\n const d = { ..._data, callbackUrl, redirect };\n const possibleData = beforeMutate && beforeMutate(d);\n const data = possibleData ?? d;\n return (await signIn('email', data)) as unknown as Response;\n },\n onSuccess,\n onError,\n });\n return mutation.mutate;\n}\n","'use client';\nimport { Slot } from '@radix-ui/react-slot';\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Mail } from 'lucide-react';\n\nimport { ButtonProps, buttonVariants } from '../../components/ui/button';\nimport { cn } from '../../lib/utils';\n\ntype EmailError = void | {\n error: string;\n ok: boolean;\n status: number;\n url: null | string;\n};\ntype AllProps = ButtonProps & {\n callbackUrl?: string;\n redirect?: boolean;\n email: string;\n onSent?: () => void;\n onFailure?: (error: EmailError) => void;\n};\n\n/**\n * This works when the email identity provider is configured in the admin dashboard.\n * @param props callbackUrl: the url to send the user to from their email\n * @param props redirect: redirect to the default (unbranded) 'check your email' page. default is false\n * @param props email: the email to send to\n * @param props onSent: called if the email was sent\n * @param props onFailure: called if there was a reportable\n * @returns a JSX.Element to render\n */\n\nconst EmailSignInButton = React.forwardRef<HTMLButtonElement, AllProps>(\n (\n {\n callbackUrl,\n className,\n variant,\n size,\n asChild = false,\n redirect = false,\n email,\n onFailure,\n onSent,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(buttonVariants({ variant, size, className }))}\n ref={ref}\n onClick={async () => {\n const res = await signIn('email', { email, callbackUrl, redirect });\n\n if (res && 'error' in res) {\n onFailure && onFailure(res as EmailError);\n } else {\n onSent && onSent();\n }\n }}\n {...props}\n >\n {props.children ? (\n props.children\n ) : (\n <div className=\"flex flex-row gap-2 items-center\">\n <Mail />\n Continue with Email\n </div>\n )}\n </Comp>\n );\n }\n);\n\nEmailSignInButton.displayName = 'EmailSignInButton';\nexport default EmailSignInButton;\n","import React from 'react';\nimport { signIn } from 'next-auth/react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\n/**\n * A component for a Google login button, according to their design language.\n * This works when an identity provider is configured in the admin dashboard.\n * @param props href: a string to override the URL provided by the context\n * @returns a JSX.Element to render\n */\nconst GoogleSSOButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string }\n>(\n (\n { callbackUrl, className, variant, size, asChild = false, ...props },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#4285f4] hover:bg-[#4285f4] hover:bg-opacity-90 pl-[3px]'\n )}\n ref={ref}\n onClick={() => {\n signIn('google', { callbackUrl });\n }}\n {...props}\n >\n <div className=\"inline-flex items-center flex-1 justify-between font-roboto rounded-[4px] gap-4 google-logo\">\n <div\n style={{\n background: 'white',\n borderRadius: '4px',\n padding: '0.5rem',\n }}\n >\n <GoogleLogo />\n </div>\n <div>Continue with Google</div>\n </div>\n </Comp>\n );\n }\n);\nGoogleSSOButton.displayName = 'GoogleSSOButton';\nexport default GoogleSSOButton;\n\nfunction GoogleLogo() {\n return (\n <svg xmlns=\"http://www.w3.org/2000/svg\" width=\"18\" height=\"18\">\n <g fill=\"#000\" fillRule=\"evenodd\">\n <path\n d=\"M9 3.48c1.69 0 2.83.73 3.48 1.34l2.54-2.48C13.46.89 11.43 0 9 0 5.48 0 2.44 2.02.96 4.96l2.91 2.26C4.6 5.05 6.62 3.48 9 3.48z\"\n fill=\"#EA4335\"\n />\n <path\n d=\"M17.64 9.2c0-.74-.06-1.28-.19-1.84H9v3.34h4.96c-.1.83-.64 2.08-1.84 2.92l2.84 2.2c1.7-1.57 2.68-3.88 2.68-6.62z\"\n fill=\"#4285F4\"\n />\n <path\n d=\"M3.88 10.78A5.54 5.54 0 0 1 3.58 9c0-.62.11-1.22.29-1.78L.96 4.96A9.008 9.008 0 0 0 0 9c0 1.45.35 2.82.96 4.04l2.92-2.26z\"\n fill=\"#FBBC05\"\n />\n <path\n d=\"M9 18c2.43 0 4.47-.8 5.96-2.18l-2.84-2.2c-.76.53-1.78.9-3.12.9-2.38 0-4.4-1.57-5.12-3.74L.97 13.04C2.45 15.98 5.48 18 9 18z\"\n fill=\"#34A853\"\n />\n <path fill=\"none\" d=\"M0 0h18v18H0z\" />\n </g>\n </svg>\n );\n}\n","import React from 'react';\n\nimport { Props } from './types';\nimport SignUpForm from './Form';\n\nexport default function SigningUp(props: Props) {\n return (\n <div className=\"flex flex-col gap-4\">\n <div className=\"font-sans text-3xl\">Sign up</div>\n <SignUpForm {...props} />\n </div>\n );\n}\n","'use client';\nimport React from 'react';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { useForm } from 'react-hook-form';\n\nimport { Email, Form, Password } from '../../components/ui/form';\nimport { Button } from '../../components/ui/button';\n\nimport { Props } from './types';\nimport { useSignUp } from './hooks';\n\nconst queryClient = new QueryClient();\nexport default function SignUpForm(props: Props) {\n const { client } = props ?? {};\n return (\n <QueryClientProvider client={client ?? queryClient}>\n <SignInForm {...props} />\n </QueryClientProvider>\n );\n}\n\nexport function SignInForm(props: Props) {\n const signUp = useSignUp(props);\n const form = useForm({ defaultValues: { email: '', password: '' } });\n\n return (\n <Form {...form}>\n <form\n onSubmit={form.handleSubmit(({ email, password }) =>\n signUp({ email, password })\n )}\n className=\"space-y-8\"\n >\n <Email />\n <Password />\n <Button>Sign up</Button>\n </form>\n </Form>\n );\n}\n","import { QueryClient, useMutation } from '@tanstack/react-query';\nimport { useEffect } from 'react';\n\nimport { Props, SignUpInfo } from './types';\n\nexport function useSignUp<T extends SignUpInfo>(\n params: Props,\n client?: QueryClient\n) {\n const { onSuccess, onError, beforeMutate, callbackUrl } = params;\n\n const mutation = useMutation(\n {\n mutationFn: async (_data) => {\n const possibleData = beforeMutate && beforeMutate(_data);\n const payload: T = { ..._data, ...possibleData };\n const { tenantId, newTenantName, ...body } = payload;\n let fetchUrl =\n payload.fetchURL ?? `${window.location.origin}/api/signup`;\n\n const searchParams = new URLSearchParams();\n\n if (newTenantName) {\n searchParams.set('newTenantName', newTenantName);\n }\n if (tenantId) {\n searchParams.set('tenantId', tenantId);\n }\n\n if (searchParams.size > 0) {\n fetchUrl += `?${searchParams}`;\n }\n\n return await fetch(fetchUrl, {\n body: JSON.stringify(body),\n method: 'POST',\n });\n },\n\n onSuccess: (data, variables) => {\n if (callbackUrl) {\n window.location.href = callbackUrl;\n }\n onSuccess && onSuccess(data, variables);\n },\n onError,\n },\n client\n );\n useEffect(() => {\n fetch('/api/auth/providers');\n fetch('/api/auth/csrf');\n }, []);\n return mutation.mutate;\n}\n","import React from 'react';\n\nimport FormSignIn from './Form';\nimport { Props } from './types';\n\nexport default function SigningIn(props: Props) {\n return (\n <div className=\"flex flex-col gap-4\">\n <h2 className=\"font-sans text-3xl\">Sign In</h2>\n <FormSignIn {...props} />\n </div>\n );\n}\n","'use client';\nimport React from 'react';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { useForm } from 'react-hook-form';\n\nimport { Button } from '../../components/ui/button';\nimport { Email, Form, Password } from '../../components/ui/form';\n\nimport { useSignIn } from './hooks';\nimport { Props } from './types';\n\nconst queryClient = new QueryClient();\n\nexport default function SigningIn(props: Props) {\n const { client, ...remaining } = props ?? {};\n return (\n <QueryClientProvider client={client ?? queryClient}>\n <SignInForm {...remaining} />\n </QueryClientProvider>\n );\n}\n\nexport function SignInForm(props: Props) {\n const signIn = useSignIn(props);\n const form = useForm({ defaultValues: { email: '', password: '' } });\n\n return (\n <Form {...form}>\n <form\n onSubmit={form.handleSubmit(\n ({ email, password }) => signIn && signIn({ email, password })\n )}\n className=\"space-y-8\"\n >\n <Email />\n <Password />\n <Button type=\"submit\">Sign In</Button>\n </form>\n </Form>\n );\n}\n","import { useMutation } from '@tanstack/react-query';\nimport { signIn } from 'next-auth/react';\n\nimport { Props, LoginInfo } from './types';\n\nexport function useSignIn(params?: Props) {\n const { onSuccess, onError, beforeMutate, callbackUrl } = params ?? {};\n const mutation = useMutation({\n mutationFn: async (_data: LoginInfo) => {\n const d = { ..._data, callbackUrl };\n const possibleData = beforeMutate && beforeMutate(d);\n const data = possibleData ?? d;\n return await signIn('credentials', data);\n },\n onSuccess,\n onError,\n });\n return mutation.mutate;\n}\n"],"mappings":";ykBAAA,IAAAA,GAAA,GAAAC,GAAAD,GAAA,WAAAE,EAAA,gBAAAC,GAAA,sBAAAC,GAAA,WAAAC,GAAA,aAAAC,EAAA,eAAAC,GAAA,eAAAC,GAAA,+DAAAC,EAAA,cAAAA,EAAA,cAAAC,IAAA,eAAAC,GAAAX,ICCA,IAAAY,EAAkB,oBAClBC,GAAiD,iCACjDC,GAAwB,2BACxBC,GAAqB,wBCJrB,IAAAC,EAAuB,oBAEvBC,GAAqB,gCACrBC,EAOO,2BCVP,SAASC,GAAE,EAAE,CAAC,IAAI,EAAEC,EAAEC,EAAE,GAAG,GAAa,OAAO,GAAjB,UAA8B,OAAO,GAAjB,SAAmBA,GAAG,UAAoB,OAAO,GAAjB,SAAmB,GAAG,MAAM,QAAQ,CAAC,EAAE,CAAC,IAAIC,EAAE,EAAE,OAAO,IAAI,EAAE,EAAE,EAAEA,EAAE,IAAI,EAAE,CAAC,IAAIF,EAAED,GAAE,EAAE,CAAC,CAAC,KAAKE,IAAIA,GAAG,KAAKA,GAAGD,EAAE,KAAM,KAAIA,KAAK,EAAE,EAAEA,CAAC,IAAIC,IAAIA,GAAG,KAAKA,GAAGD,GAAG,OAAOC,CAAC,CAAQ,SAASE,IAAM,CAAC,QAAQ,EAAE,EAAEH,EAAE,EAAEC,EAAE,GAAGC,EAAE,UAAU,OAAOF,EAAEE,EAAEF,KAAK,EAAE,UAAUA,CAAC,KAAK,EAAED,GAAE,CAAC,KAAKE,IAAIA,GAAG,KAAKA,GAAG,GAAG,OAAOA,CAAC,CCsB/W,IAAMG,GAAuB,IAEhBC,GAAyBC,GAAyB,CAC3D,IAAMC,EAAWC,GAAeF,CAAM,EAChC,CAAEG,uBAAAA,EAAwBC,+BAAAA,CAAgC,EAAGJ,EA0BnE,MAAO,CACHK,gBAzBqBC,GAAqB,CAC1C,IAAMC,EAAaD,EAAUE,MAAMV,EAAoB,EAGvD,OAAIS,EAAW,CAAC,IAAM,IAAMA,EAAWE,SAAW,GAC9CF,EAAWG,MAAK,EAGbC,GAAkBJ,EAAYN,CAAQ,GAAKW,GAA+BN,CAAS,CAC9F,EAiBIO,4BAfgCA,CAChCC,EACAC,IACA,CACA,IAAMC,EAAYb,EAAuBW,CAAY,GAAK,CAAA,EAE1D,OAAIC,GAAsBX,EAA+BU,CAAY,EAC1D,CAAC,GAAGE,EAAW,GAAGZ,EAA+BU,CAAY,CAAE,EAGnEE,CACX,EAMJ,EAEML,GAAoBA,CACtBJ,EACAU,IACkC,CAvCtC,IAAAC,EAwCI,GAAIX,EAAWE,SAAW,EACtB,OAAOQ,EAAgBH,aAG3B,IAAMK,EAAmBZ,EAAW,CAAC,EAC/Ba,EAAsBH,EAAgBI,SAASC,IAAIH,CAAgB,EACnEI,EAA8BH,EAC9BT,GAAkBJ,EAAWiB,MAAM,CAAC,EAAGJ,CAAmB,EAC1DK,OAEN,GAAIF,EACA,OAAOA,EAGX,GAAIN,EAAgBS,WAAWjB,SAAW,EACtC,OAGJ,IAAMkB,EAAYpB,EAAWqB,KAAK9B,EAAoB,EAEtD,OAAOmB,EAAAA,EAAgBS,WAAWG,KAAK,CAAC,CAAEC,UAAAA,CAAW,IAAKA,EAAUH,CAAS,CAAC,IAAvEV,YAAAA,EAA0EH,YACrF,EAEMiB,GAAyB,aAEzBnB,GAAkCN,GAAqB,CACzD,GAAIyB,GAAuBC,KAAK1B,CAAS,EAAG,CACxC,IAAM2B,EAA6BF,GAAuBG,KAAK5B,CAAS,EAAG,CAAC,EACtE6B,EAAWF,GAAAA,YAAAA,EAA4BG,UACzC,EACAH,EAA2BI,QAAQ,GAAG,GAG1C,GAAIF,EAEA,MAAO,cAAgBA,CAE9B,CACL,EAKajC,GAAkBF,GAA8D,CACzF,GAAM,CAAEsC,MAAAA,EAAOC,OAAAA,CAAQ,EAAGvC,EACpBC,EAA4B,CAC9BoB,SAAU,IAAImB,IACdd,WAAY,CAAA,GAQhBe,OALkCC,GAC9BC,OAAOC,QAAQ5C,EAAO6C,WAAW,EACjCN,CAAM,EAGgBO,QAAQ,CAAC,CAAChC,EAAciC,CAAU,IAAK,CAC7DC,GAA0BD,EAAY9C,EAAUa,EAAcwB,CAAK,CACvE,CAAC,EAEMrC,CACX,EAEM+C,GAA4BA,CAC9BD,EACA9B,EACAH,EACAwB,IACA,CACAS,EAAWD,QAASG,GAAmB,CACnC,GAAI,OAAOA,GAAoB,SAAU,CACrC,IAAMC,EACFD,IAAoB,GAAKhC,EAAkBkC,GAAQlC,EAAiBgC,CAAe,EACvFC,EAAsBpC,aAAeA,EACrC,MACH,CAED,GAAI,OAAOmC,GAAoB,WAAY,CACvC,GAAIG,GAAcH,CAAe,EAAG,CAChCD,GACIC,EAAgBX,CAAK,EACrBrB,EACAH,EACAwB,CAAK,EAET,MACH,CAEDrB,EAAgBS,WAAW2B,KAAK,CAC5BvB,UAAWmB,EACXnC,aAAAA,CACH,CAAA,EAED,MACH,CAED6B,OAAOC,QAAQK,CAAe,EAAEH,QAAQ,CAAC,CAACQ,EAAKP,CAAU,IAAK,CAC1DC,GACID,EACAI,GAAQlC,EAAiBqC,CAAG,EAC5BxC,EACAwB,CAAK,CAEb,CAAC,CACL,CAAC,CACL,EAEMa,GAAUA,CAAClC,EAAkCsC,IAAgB,CAC/D,IAAIC,EAAyBvC,EAE7BsC,OAAAA,EAAK/C,MAAMV,EAAoB,EAAEgD,QAASW,GAAY,CAC7CD,EAAuBnC,SAASqC,IAAID,CAAQ,GAC7CD,EAAuBnC,SAASsC,IAAIF,EAAU,CAC1CpC,SAAU,IAAImB,IACdd,WAAY,CAAA,CACf,CAAA,EAGL8B,EAAyBA,EAAuBnC,SAASC,IAAImC,CAAQ,CACzE,CAAC,EAEMD,CACX,EAEMJ,GAAiBQ,GAClBA,EAAqBR,cAEpBV,GAA+BA,CACjCmB,EACAtB,IAEKA,EAIEsB,EAAkBC,IAAI,CAAC,CAAChD,EAAciC,CAAU,IAAK,CACxD,IAAMgB,EAAqBhB,EAAWe,IAAKb,GACnC,OAAOA,GAAoB,SACpBV,EAASU,EAGhB,OAAOA,GAAoB,SACpBN,OAAOqB,YACVrB,OAAOC,QAAQK,CAAe,EAAEa,IAAI,CAAC,CAACR,EAAKW,CAAK,IAAM,CAAC1B,EAASe,EAAKW,CAAK,CAAC,CAAC,EAI7EhB,CACV,EAED,MAAO,CAACnC,EAAciD,CAAkB,CAC5C,CAAC,EAnBUF,ECzLFK,GAA8BC,GAA8C,CACrF,GAAIA,EAAe,EACf,MAAO,CACH7C,IAAKA,IAAA,GACLqC,IAAKA,IAAK,CAAG,GAIrB,IAAIS,EAAY,EACZC,EAAQ,IAAI7B,IACZ8B,EAAgB,IAAI9B,IAElB+B,EAASA,CAACjB,EAAUW,IAAgB,CACtCI,EAAMV,IAAIL,EAAKW,CAAK,EACpBG,IAEIA,EAAYD,IACZC,EAAY,EACZE,EAAgBD,EAChBA,EAAQ,IAAI7B,IAEpB,EAEA,MAAO,CACHlB,IAAIgC,EAAG,CACH,IAAIW,EAAQI,EAAM/C,IAAIgC,CAAG,EAEzB,GAAIW,IAAUxC,OACV,OAAOwC,EAEX,IAAKA,EAAQK,EAAchD,IAAIgC,CAAG,KAAO7B,OACrC8C,OAAAA,EAAOjB,EAAKW,CAAK,EACVA,CAEd,EACDN,IAAIL,EAAKW,EAAK,CACNI,EAAMX,IAAIJ,CAAG,EACbe,EAAMV,IAAIL,EAAKW,CAAK,EAEpBM,EAAOjB,EAAKW,CAAK,CAExB,EAET,ECjDaO,GAAqB,IAErBC,GAAwBzE,GAAyB,CAC1D,GAAM,CAAE0E,UAAAA,EAAWC,2BAAAA,CAA4B,EAAG3E,EAC5C4E,EAA6BF,EAAUjE,SAAW,EAClDoE,EAA0BH,EAAU,CAAC,EACrCI,EAAkBJ,EAAUjE,OAG5BsE,EAAkBzE,GAAqB,CACzC,IAAM0E,EAAY,CAAA,EAEdC,EAAe,EACfC,EAAgB,EAChBC,EAEJ,QAASC,EAAQ,EAAGA,EAAQ9E,EAAUG,OAAQ2E,IAAS,CACnD,IAAIC,EAAmB/E,EAAU8E,CAAK,EAEtC,GAAIH,IAAiB,EAAG,CACpB,GACII,IAAqBR,IACpBD,GACGtE,EAAUkB,MAAM4D,EAAOA,EAAQN,CAAe,IAAMJ,GAC1D,CACEM,EAAU3B,KAAK/C,EAAUkB,MAAM0D,EAAeE,CAAK,CAAC,EACpDF,EAAgBE,EAAQN,EACxB,QACH,CAED,GAAIO,IAAqB,IAAK,CAC1BF,EAA0BC,EAC1B,QACH,CACJ,CAEGC,IAAqB,IACrBJ,IACOI,IAAqB,KAC5BJ,GAEP,CAED,IAAMK,EACFN,EAAUvE,SAAW,EAAIH,EAAYA,EAAU8B,UAAU8C,CAAa,EACpEK,EACFD,EAAmCE,WAAWhB,EAAkB,EAC9DiB,EAAgBF,EAChBD,EAAmClD,UAAU,CAAC,EAC9CkD,EAEAI,EACFP,GAA2BA,EAA0BD,EAC/CC,EAA0BD,EAC1BzD,OAEV,MAAO,CACHuD,UAAAA,EACAO,qBAAAA,EACAE,cAAAA,EACAC,6BAAAA,EAER,EAEA,OAAIf,EACQrE,GAAsBqE,EAA2B,CAAErE,UAAAA,EAAWyE,eAAAA,CAAgB,CAAA,EAGnFA,CACX,EAOaY,GAAiBX,GAAuB,CACjD,GAAIA,EAAUvE,QAAU,EACpB,OAAOuE,EAGX,IAAMY,EAA4B,CAAA,EAC9BC,EAA8B,CAAA,EAElCb,OAAAA,EAAUlC,QAASgD,GAAY,CACAA,EAAS,CAAC,IAAM,KAGvCF,EAAgBvC,KAAK,GAAGwC,EAAkBE,KAAM,EAAED,CAAQ,EAC1DD,EAAoB,CAAA,GAEpBA,EAAkBxC,KAAKyC,CAAQ,CAEvC,CAAC,EAEDF,EAAgBvC,KAAK,GAAGwC,EAAkBE,KAAM,CAAA,EAEzCH,CACX,EC7FaI,GAAqBhG,IAA2B,CACzDqE,MAAOH,GAA+BlE,EAAOoE,SAAS,EACtDW,eAAgBN,GAAqBzE,CAAM,EAC3C,GAAGD,GAAsBC,CAAM,CAClC,GCRKiG,GAAsB,MAEfC,GAAiBA,CAACC,EAAmBC,IAA4B,CAC1E,GAAM,CAAErB,eAAAA,EAAgB1E,gBAAAA,EAAiBQ,4BAAAA,CAA2B,EAAKuF,EASnEC,EAAkC,CAAA,EAClCC,EAAaH,EAAUI,KAAM,EAAC/F,MAAMyF,EAAmB,EAEzDO,EAAS,GAEb,QAASpB,EAAQkB,EAAW7F,OAAS,EAAG2E,GAAS,EAAGA,GAAS,EAAG,CAC5D,IAAMqB,EAAoBH,EAAWlB,CAAK,EAEpC,CAAEJ,UAAAA,EAAWO,qBAAAA,EAAsBE,cAAAA,EAAeC,6BAAAA,GACpDX,EAAe0B,CAAiB,EAEhC1F,EAAqB2F,EAAQhB,EAC7B5E,EAAeT,EACfU,EACM0E,EAAcrD,UAAU,EAAGsD,CAA4B,EACvDD,CAAa,EAGvB,GAAI,CAAC3E,EAAc,CACf,GAAI,CAACC,EAAoB,CAErByF,EAASC,GAAqBD,EAAO/F,OAAS,EAAI,IAAM+F,EAASA,GACjE,QACH,CAID,GAFA1F,EAAeT,EAAgBoF,CAAa,EAExC,CAAC3E,EAAc,CAEf0F,EAASC,GAAqBD,EAAO/F,OAAS,EAAI,IAAM+F,EAASA,GACjE,QACH,CAEDzF,EAAqB,EACxB,CAED,IAAM4F,EAAkBhB,GAAcX,CAAS,EAAEpD,KAAK,GAAG,EAEnDgF,EAAarB,EACboB,EAAkBnC,GAClBmC,EAEAE,EAAUD,EAAa9F,EAE7B,GAAIuF,EAAsBS,SAASD,CAAO,EAEtC,SAGJR,EAAsBhD,KAAKwD,CAAO,EAElC,IAAME,EAAiBlG,EAA4BC,EAAcC,CAAkB,EACnF,QAASiG,EAAI,EAAGA,EAAID,EAAetG,OAAQ,EAAEuG,EAAG,CAC5C,IAAMC,EAAQF,EAAeC,CAAC,EAC9BX,EAAsBhD,KAAKuD,EAAaK,CAAK,CAChD,CAGDT,EAASC,GAAqBD,EAAO/F,OAAS,EAAI,IAAM+F,EAASA,EACpE,CAED,OAAOA,CACX,WC/DgBU,IAAM,CAClB,IAAI9B,EAAQ,EACR+B,EACAC,EACAC,EAAS,GAEb,KAAOjC,EAAQkC,UAAU7G,SAChB0G,EAAWG,UAAUlC,GAAO,KACxBgC,EAAgBG,GAAQJ,CAAQ,KACjCE,IAAWA,GAAU,KACrBA,GAAUD,GAItB,OAAOC,CACX,CAEA,IAAME,GAAWC,GAAgC,CAC7C,GAAI,OAAOA,GAAQ,SACf,OAAOA,EAGX,IAAIJ,EACAC,EAAS,GAEb,QAASI,EAAI,EAAGA,EAAID,EAAI/G,OAAQgH,IACxBD,EAAIC,CAAC,IACAL,EAAgBG,GAAQC,EAAIC,CAAC,CAA4B,KAC1DJ,IAAWA,GAAU,KACrBA,GAAUD,GAKtB,OAAOC,CACX,WCvCgBK,GACZC,KACGC,EAA0C,CAE7C,IAAIxB,EACAyB,EACAC,EACAC,EAAiBC,EAErB,SAASA,EAAkB7B,EAAiB,CACxC,IAAMnG,EAAS4H,EAAiBK,OAC5B,CAACC,EAAgBC,IAAwBA,EAAoBD,CAAc,EAC3EP,EAAiB,CAAmB,EAGxCvB,OAAAA,EAAcJ,GAAkBhG,CAAM,EACtC6H,EAAWzB,EAAY/B,MAAM/C,IAC7BwG,EAAW1B,EAAY/B,MAAMV,IAC7BoE,EAAiBK,EAEVA,EAAcjC,CAAS,CACjC,CAED,SAASiC,EAAcjC,EAAiB,CACpC,IAAMkC,EAAeR,EAAS1B,CAAS,EAEvC,GAAIkC,EACA,OAAOA,EAGX,IAAM7B,EAASN,GAAeC,EAAWC,CAAW,EACpD0B,OAAAA,EAAS3B,EAAWK,CAAM,EAEnBA,CACV,CAED,OAAO,UAA0B,CAC7B,OAAOuB,EAAeb,GAAOoB,MAAM,KAAMhB,SAAgB,CAAC,CAC9D,CACJ,CC/Ca,IAAAiB,EAGXjF,GAAkF,CAChF,IAAMkF,EAAelG,GACjBA,EAAMgB,CAAG,GAAK,CAAA,EAElBkF,OAAAA,EAAYpF,cAAgB,GAErBoF,CACX,ECZMC,GAAsB,6BACtBC,GAAgB,aAChBC,GAAgB,IAAIC,IAAI,CAAC,KAAM,OAAQ,QAAQ,CAAC,EAChDC,GAAkB,mCAClBC,GACF,4HACEC,GAAqB,2CAErBC,GAAc,kEACdC,GACF,+FAESC,EAAYjF,GACrBkF,EAASlF,CAAK,GAAK0E,GAAcjF,IAAIO,CAAK,GAAKyE,GAAc1G,KAAKiC,CAAK,EAE9DmF,EAAqBnF,GAC9BoF,EAAoBpF,EAAO,SAAUqF,EAAY,EAExCH,EAAYlF,GAAkByC,EAAQzC,GAAU,CAACsF,OAAOC,MAAMD,OAAOtF,CAAK,CAAC,EAE3EwF,GAAqBxF,GAAkBoF,EAAoBpF,EAAO,SAAUkF,CAAQ,EAEpFO,EAAazF,GAAkByC,EAAQzC,GAAUsF,OAAOG,UAAUH,OAAOtF,CAAK,CAAC,EAE/E0F,GAAa1F,GAAkBA,EAAM2F,SAAS,GAAG,GAAKT,EAASlF,EAAMzC,MAAM,EAAG,EAAE,CAAC,EAEjFqI,EAAoB5F,GAAkBwE,GAAoBzG,KAAKiC,CAAK,EAEpE6F,EAAgB7F,GAAkB4E,GAAgB7G,KAAKiC,CAAK,EAEnE8F,GAAa,IAAInB,IAAI,CAAC,SAAU,OAAQ,YAAY,CAAC,EAE9CoB,GAAmB/F,GAAkBoF,EAAoBpF,EAAO8F,GAAYE,EAAO,EAEnFC,GAAuBjG,GAChCoF,EAAoBpF,EAAO,WAAYgG,EAAO,EAE5CE,GAAc,IAAIvB,IAAI,CAAC,QAAS,KAAK,CAAC,EAE/BwB,GAAoBnG,GAAkBoF,EAAoBpF,EAAOkG,GAAaE,EAAO,EAErFC,GAAqBrG,GAAkBoF,EAAoBpF,EAAO,GAAIsG,EAAQ,EAE9EC,EAAQA,IAAM,GAErBnB,EAAsBA,CACxBpF,EACAwG,EACAC,IACA,CACA,IAAMlE,EAASiC,GAAoBvG,KAAK+B,CAAK,EAE7C,OAAIuC,EACIA,EAAO,CAAC,EACD,OAAOiE,GAAU,SAAWjE,EAAO,CAAC,IAAMiE,EAAQA,EAAM/G,IAAI8C,EAAO,CAAC,CAAC,EAGzEkE,EAAUlE,EAAO,CAAC,CAAE,EAGxB,EACX,EAEM8C,GAAgBrF,GAIlB6E,GAAgB9G,KAAKiC,CAAK,GAAK,CAAC8E,GAAmB/G,KAAKiC,CAAK,EAE3DgG,GAAUA,IAAM,GAEhBM,GAAYtG,GAAkB+E,GAAYhH,KAAKiC,CAAK,EAEpDoG,GAAWpG,GAAkBgF,GAAWjH,KAAKiC,CAAK,ECvDjD,IAAM0G,GAAmBA,IAAK,CACjC,IAAMC,EAASC,EAAU,QAAQ,EAC3BC,EAAUD,EAAU,SAAS,EAC7BE,EAAOF,EAAU,MAAM,EACvBG,EAAaH,EAAU,YAAY,EACnCI,EAAcJ,EAAU,aAAa,EACrCK,EAAeL,EAAU,cAAc,EACvCM,EAAgBN,EAAU,eAAe,EACzCO,EAAcP,EAAU,aAAa,EACrCQ,EAAWR,EAAU,UAAU,EAC/BS,EAAYT,EAAU,WAAW,EACjCU,EAAYV,EAAU,WAAW,EACjCW,EAASX,EAAU,QAAQ,EAC3BY,EAAMZ,EAAU,KAAK,EACrBa,EAAqBb,EAAU,oBAAoB,EACnDc,EAA6Bd,EAAU,4BAA4B,EACnEe,EAAQf,EAAU,OAAO,EACzBgB,EAAShB,EAAU,QAAQ,EAC3BiB,EAAUjB,EAAU,SAAS,EAC7BkB,EAAUlB,EAAU,SAAS,EAC7BmB,EAAWnB,EAAU,UAAU,EAC/BoB,EAAQpB,EAAU,OAAO,EACzBqB,EAAQrB,EAAU,OAAO,EACzBsB,GAAOtB,EAAU,MAAM,EACvBuB,GAAQvB,EAAU,OAAO,EACzBwB,GAAYxB,EAAU,WAAW,EAEjCyB,GAAgBA,IAAM,CAAC,OAAQ,UAAW,MAAM,EAChDC,GAAcA,IAAM,CAAC,OAAQ,SAAU,OAAQ,UAAW,QAAQ,EAClEC,GAAiCA,IAAM,CAAC,OAAQC,EAAkB3B,CAAO,EACzE4B,EAA0BA,IAAM,CAACD,EAAkB3B,CAAO,EAC1D6B,GAAiCA,IAAM,CAAC,GAAIC,EAAUC,CAAiB,EACvEC,EAAgCA,IAAM,CAAC,OAAQC,EAAUN,CAAgB,EACzEO,GAAeA,IACjB,CACI,SACA,SACA,OACA,cACA,WACA,QACA,eACA,YACA,KAAK,EAEPC,EAAgBA,IAAM,CAAC,QAAS,SAAU,SAAU,SAAU,MAAM,EACpEC,GAAgBA,IAClB,CACI,SACA,WACA,SACA,UACA,SACA,UACA,cACA,aACA,aACA,aACA,aACA,YACA,MACA,aACA,QACA,YAAY,EAEdC,GAAWA,IACb,CAAC,QAAS,MAAO,SAAU,UAAW,SAAU,SAAU,SAAS,EACjEC,EAAkBA,IAAM,CAAC,GAAI,IAAKX,CAAgB,EAClDY,GAAYA,IACd,CAAC,OAAQ,QAAS,MAAO,aAAc,OAAQ,OAAQ,QAAS,QAAQ,EACtEC,EAAwBA,IAAM,CAACP,EAAUN,CAAgB,EAE/D,MAAO,CACHc,UAAW,IACXC,UAAW,IACXC,MAAO,CACH7C,OAAQ,CAAC8C,CAAK,EACd5C,QAAS,CAAC8B,EAAUC,CAAiB,EACrC9B,KAAM,CAAC,OAAQ,GAAI4C,EAAclB,CAAgB,EACjDzB,WAAYsC,EAAuB,EACnCrC,YAAa,CAACL,CAAM,EACpBM,aAAc,CAAC,OAAQ,GAAI,OAAQyC,EAAclB,CAAgB,EACjEtB,cAAeuB,EAAyB,EACxCtB,YAAauB,GAAgC,EAC7CtB,SAAUiC,EAAuB,EACjChC,UAAW8B,EAAiB,EAC5B7B,UAAW+B,EAAuB,EAClC9B,OAAQ4B,EAAiB,EACzB3B,IAAKiB,EAAyB,EAC9BhB,mBAAoB,CAACd,CAAM,EAC3Be,2BAA4B,CAACiC,GAAWf,CAAiB,EACzDjB,MAAOY,GAAgC,EACvCX,OAAQW,GAAgC,EACxCV,QAASwB,EAAuB,EAChCvB,QAASW,EAAyB,EAClCV,SAAUsB,EAAuB,EACjCrB,MAAOqB,EAAuB,EAC9BpB,MAAOkB,EAAiB,EACxBjB,KAAMmB,EAAuB,EAC7BlB,MAAOM,EAAyB,EAChCL,UAAWK,EAAyB,CACvC,EACDmB,YAAa,CAMTC,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQ,SAAU,QAASrB,CAAgB,EAAG,EAKlEsB,UAAW,CAAC,WAAW,EAKvBC,QAAS,CAAC,CAAEA,QAAS,CAACL,CAAY,CAAC,CAAE,EAKrC,cAAe,CAAC,CAAE,cAAeN,GAAW,CAAA,CAAE,EAK9C,eAAgB,CAAC,CAAE,eAAgBA,GAAW,CAAA,CAAE,EAKhD,eAAgB,CAAC,CAAE,eAAgB,CAAC,OAAQ,QAAS,aAAc,cAAc,EAAG,EAKpF,iBAAkB,CAAC,CAAE,iBAAkB,CAAC,QAAS,OAAO,CAAC,CAAE,EAK3DY,IAAK,CAAC,CAAEA,IAAK,CAAC,SAAU,SAAS,CAAC,CAAE,EAKpCC,QAAS,CACL,QACA,eACA,SACA,OACA,cACA,QACA,eACA,gBACA,aACA,eACA,qBACA,qBACA,qBACA,kBACA,YACA,YACA,OACA,cACA,WACA,YACA,QAAQ,EAMZC,MAAO,CAAC,CAAEA,MAAO,CAAC,QAAS,OAAQ,OAAQ,QAAS,KAAK,EAAG,EAK5DC,MAAO,CAAC,CAAEA,MAAO,CAAC,OAAQ,QAAS,OAAQ,OAAQ,QAAS,KAAK,EAAG,EAKpEC,UAAW,CAAC,UAAW,gBAAgB,EAKvC,aAAc,CAAC,CAAEC,OAAQ,CAAC,UAAW,QAAS,OAAQ,OAAQ,YAAY,EAAG,EAK7E,kBAAmB,CAAC,CAAEA,OAAQ,CAAC,GAAGtB,GAAc,EAAEP,CAAgB,EAAG,EAKrE8B,SAAU,CAAC,CAAEA,SAAUhC,GAAa,CAAA,CAAE,EAKtC,aAAc,CAAC,CAAE,aAAcA,GAAa,CAAA,CAAE,EAK9C,aAAc,CAAC,CAAE,aAAcA,GAAa,CAAA,CAAE,EAK9CiC,WAAY,CAAC,CAAEA,WAAYlC,GAAe,CAAA,CAAE,EAK5C,eAAgB,CAAC,CAAE,eAAgBA,GAAe,CAAA,CAAE,EAKpD,eAAgB,CAAC,CAAE,eAAgBA,GAAe,CAAA,CAAE,EAKpDmC,SAAU,CAAC,SAAU,QAAS,WAAY,WAAY,QAAQ,EAK9D7C,MAAO,CAAC,CAAEA,MAAO,CAACA,CAAK,CAAC,CAAE,EAK1B,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlC,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlC8C,MAAO,CAAC,CAAEA,MAAO,CAAC9C,CAAK,CAAC,CAAE,EAK1B+C,IAAK,CAAC,CAAEA,IAAK,CAAC/C,CAAK,CAAC,CAAE,EAKtBgD,IAAK,CAAC,CAAEA,IAAK,CAAChD,CAAK,CAAC,CAAE,EAKtBiD,MAAO,CAAC,CAAEA,MAAO,CAACjD,CAAK,CAAC,CAAE,EAK1BkD,OAAQ,CAAC,CAAEA,OAAQ,CAAClD,CAAK,CAAC,CAAE,EAK5BmD,KAAM,CAAC,CAAEA,KAAM,CAACnD,CAAK,CAAC,CAAE,EAKxBoD,WAAY,CAAC,UAAW,YAAa,UAAU,EAK/CC,EAAG,CAAC,CAAEA,EAAG,CAAC,OAAQC,EAAWzC,CAAgB,EAAG,EAMhD0C,MAAO,CAAC,CAAEA,MAAO3C,GAAgC,CAAA,CAAE,EAKnD,iBAAkB,CAAC,CAAE4C,KAAM,CAAC,MAAO,cAAe,MAAO,aAAa,EAAG,EAKzE,YAAa,CAAC,CAAEA,KAAM,CAAC,OAAQ,eAAgB,QAAQ,EAAG,EAK1DA,KAAM,CAAC,CAAEA,KAAM,CAAC,IAAK,OAAQ,UAAW,OAAQ3C,CAAgB,EAAG,EAKnE4C,KAAM,CAAC,CAAEA,KAAMjC,EAAiB,CAAA,CAAE,EAKlCkC,OAAQ,CAAC,CAAEA,OAAQlC,EAAiB,CAAA,CAAE,EAKtCmC,MAAO,CAAC,CAAEA,MAAO,CAAC,QAAS,OAAQ,OAAQL,EAAWzC,CAAgB,EAAG,EAKzE,YAAa,CAAC,CAAE,YAAa,CAACiB,CAAK,CAAC,CAAE,EAKtC,gBAAiB,CACb,CACI8B,IAAK,CACD,OACA,CAAEC,KAAM,CAAC,OAAQP,EAAWzC,CAAgB,CAAG,EAC/CA,CAAgB,CAEvB,CAAA,EAML,YAAa,CAAC,CAAE,YAAaK,EAA+B,CAAA,CAAE,EAK9D,UAAW,CAAC,CAAE,UAAWA,EAA+B,CAAA,CAAE,EAK1D,YAAa,CAAC,CAAE,YAAa,CAACY,CAAK,CAAC,CAAE,EAKtC,gBAAiB,CACb,CAAEgC,IAAK,CAAC,OAAQ,CAAED,KAAM,CAACP,EAAWzC,CAAgB,GAAKA,CAAgB,CAAG,CAAA,EAMhF,YAAa,CAAC,CAAE,YAAaK,EAA+B,CAAA,CAAE,EAK9D,UAAW,CAAC,CAAE,UAAWA,EAA+B,CAAA,CAAE,EAK1D,YAAa,CAAC,CAAE,YAAa,CAAC,MAAO,MAAO,QAAS,YAAa,WAAW,EAAG,EAKhF,YAAa,CAAC,CAAE,YAAa,CAAC,OAAQ,MAAO,MAAO,KAAML,CAAgB,EAAG,EAK7E,YAAa,CAAC,CAAE,YAAa,CAAC,OAAQ,MAAO,MAAO,KAAMA,CAAgB,EAAG,EAK7EhB,IAAK,CAAC,CAAEA,IAAK,CAACA,CAAG,CAAC,CAAE,EAKpB,QAAS,CAAC,CAAE,QAAS,CAACA,CAAG,CAAC,CAAE,EAK5B,QAAS,CAAC,CAAE,QAAS,CAACA,CAAG,CAAC,CAAE,EAK5B,kBAAmB,CAAC,CAAEkE,QAAS,CAAC,SAAU,GAAGxC,GAAU,CAAA,EAAG,EAK1D,gBAAiB,CAAC,CAAE,gBAAiB,CAAC,QAAS,MAAO,SAAU,SAAS,EAAG,EAK5E,eAAgB,CAAC,CAAE,eAAgB,CAAC,OAAQ,QAAS,MAAO,SAAU,SAAS,EAAG,EAKlF,gBAAiB,CAAC,CAAEyC,QAAS,CAAC,SAAU,GAAGzC,GAAU,EAAE,UAAU,EAAG,EAKpE,cAAe,CAAC,CAAE0C,MAAO,CAAC,QAAS,MAAO,SAAU,WAAY,SAAS,EAAG,EAK5E,aAAc,CAAC,CAAEC,KAAM,CAAC,OAAQ,QAAS,MAAO,SAAU,UAAW,UAAU,EAAG,EAKlF,gBAAiB,CAAC,CAAE,gBAAiB,CAAC,GAAG3C,GAAU,EAAE,UAAU,EAAG,EAKlE,cAAe,CAAC,CAAE,cAAe,CAAC,QAAS,MAAO,SAAU,WAAY,SAAS,EAAG,EAKpF,aAAc,CAAC,CAAE,aAAc,CAAC,OAAQ,QAAS,MAAO,SAAU,SAAS,EAAG,EAM9E4C,EAAG,CAAC,CAAEA,EAAG,CAAChE,CAAO,CAAC,CAAE,EAKpBiE,GAAI,CAAC,CAAEA,GAAI,CAACjE,CAAO,CAAC,CAAE,EAKtBkE,GAAI,CAAC,CAAEA,GAAI,CAAClE,CAAO,CAAC,CAAE,EAKtBmE,GAAI,CAAC,CAAEA,GAAI,CAACnE,CAAO,CAAC,CAAE,EAKtBoE,GAAI,CAAC,CAAEA,GAAI,CAACpE,CAAO,CAAC,CAAE,EAKtBqE,GAAI,CAAC,CAAEA,GAAI,CAACrE,CAAO,CAAC,CAAE,EAKtBsE,GAAI,CAAC,CAAEA,GAAI,CAACtE,CAAO,CAAC,CAAE,EAKtBuE,GAAI,CAAC,CAAEA,GAAI,CAACvE,CAAO,CAAC,CAAE,EAKtBwE,GAAI,CAAC,CAAEA,GAAI,CAACxE,CAAO,CAAC,CAAE,EAKtByE,EAAG,CAAC,CAAEA,EAAG,CAAC3E,CAAM,CAAC,CAAE,EAKnB4E,GAAI,CAAC,CAAEA,GAAI,CAAC5E,CAAM,CAAC,CAAE,EAKrB6E,GAAI,CAAC,CAAEA,GAAI,CAAC7E,CAAM,CAAC,CAAE,EAKrB8E,GAAI,CAAC,CAAEA,GAAI,CAAC9E,CAAM,CAAC,CAAE,EAKrB+E,GAAI,CAAC,CAAEA,GAAI,CAAC/E,CAAM,CAAC,CAAE,EAKrBgF,GAAI,CAAC,CAAEA,GAAI,CAAChF,CAAM,CAAC,CAAE,EAKrBiF,GAAI,CAAC,CAAEA,GAAI,CAACjF,CAAM,CAAC,CAAE,EAKrBkF,GAAI,CAAC,CAAEA,GAAI,CAAClF,CAAM,CAAC,CAAE,EAKrBmF,GAAI,CAAC,CAAEA,GAAI,CAACnF,CAAM,CAAC,CAAE,EAKrB,UAAW,CAAC,CAAE,UAAW,CAACO,EAAK,CAAC,CAAE,EAKlC,kBAAmB,CAAC,iBAAiB,EAKrC,UAAW,CAAC,CAAE,UAAW,CAACA,EAAK,CAAC,CAAE,EAKlC,kBAAmB,CAAC,iBAAiB,EAMrC6E,EAAG,CACC,CACIA,EAAG,CACC,OACA,MACA,MACA,MACA,MACA,MACA,MACAxE,EACA3B,CAAO,CAEd,CAAA,EAML,QAAS,CAAC,CAAE,QAAS,CAAC2B,EAAkB3B,EAAS,MAAO,MAAO,KAAK,EAAG,EAKvE,QAAS,CACL,CACI,QAAS,CACL2B,EACA3B,EACA,OACA,OACA,MACA,MACA,MACA,QACA,CAAEoG,OAAQ,CAACvD,CAAY,CAAG,EAC1BA,CAAY,CAEnB,CAAA,EAMLwD,EAAG,CACC,CACIA,EAAG,CACC1E,EACA3B,EACA,OACA,MACA,MACA,MACA,MACA,MACA,KAAK,CAEZ,CAAA,EAML,QAAS,CACL,CAAE,QAAS,CAAC2B,EAAkB3B,EAAS,MAAO,MAAO,MAAO,MAAO,MAAO,KAAK,CAAG,CAAA,EAMtF,QAAS,CACL,CAAE,QAAS,CAAC2B,EAAkB3B,EAAS,MAAO,MAAO,MAAO,MAAO,MAAO,KAAK,CAAG,CAAA,EAMtFsG,KAAM,CAAC,CAAEA,KAAM,CAAC3E,EAAkB3B,EAAS,OAAQ,MAAO,MAAO,KAAK,EAAG,EAMzE,YAAa,CAAC,CAAEuG,KAAM,CAAC,OAAQ1D,EAAcd,CAAiB,EAAG,EAKjE,iBAAkB,CAAC,cAAe,sBAAsB,EAKxD,aAAc,CAAC,SAAU,YAAY,EAKrC,cAAe,CACX,CACIyE,KAAM,CACF,OACA,aACA,QACA,SACA,SACA,WACA,OACA,YACA,QACAC,EAAiB,CAExB,CAAA,EAML,cAAe,CAAC,CAAED,KAAM,CAAC5D,CAAK,CAAC,CAAE,EAKjC,aAAc,CAAC,aAAa,EAK5B,cAAe,CAAC,SAAS,EAKzB,mBAAoB,CAAC,cAAc,EAKnC,aAAc,CAAC,cAAe,eAAe,EAK7C,cAAe,CAAC,oBAAqB,cAAc,EAKnD,eAAgB,CAAC,qBAAsB,kBAAkB,EAKzD8D,SAAU,CACN,CACIA,SAAU,CACN,UACA,QACA,SACA,OACA,QACA,SACA/E,CAAgB,CAEvB,CAAA,EAML,aAAc,CAAC,CAAE,aAAc,CAAC,OAAQM,EAAUwE,EAAiB,EAAG,EAKtEE,QAAS,CACL,CACIA,QAAS,CACL,OACA,QACA,OACA,SACA,UACA,QACA7E,EACAH,CAAgB,CAEvB,CAAA,EAML,aAAc,CAAC,CAAE,aAAc,CAAC,OAAQA,CAAgB,CAAC,CAAE,EAK3D,kBAAmB,CAAC,CAAEiF,KAAM,CAAC,OAAQ,OAAQ,UAAWjF,CAAgB,EAAG,EAK3E,sBAAuB,CAAC,CAAEiF,KAAM,CAAC,SAAU,SAAS,CAAC,CAAE,EAMvD,oBAAqB,CAAC,CAAEC,YAAa,CAAC/G,CAAM,CAAC,CAAE,EAK/C,sBAAuB,CAAC,CAAE,sBAAuB,CAACkB,CAAO,CAAC,CAAE,EAK5D,iBAAkB,CAAC,CAAEuF,KAAM,CAAC,OAAQ,SAAU,QAAS,UAAW,QAAS,KAAK,EAAG,EAKnF,aAAc,CAAC,CAAEA,KAAM,CAACzG,CAAM,CAAC,CAAE,EAKjC,eAAgB,CAAC,CAAE,eAAgB,CAACkB,CAAO,CAAC,CAAE,EAK9C,kBAAmB,CAAC,YAAa,WAAY,eAAgB,cAAc,EAK3E,wBAAyB,CAAC,CAAE8F,WAAY,CAAC,GAAG3E,EAAe,EAAE,MAAM,EAAG,EAKtE,4BAA6B,CACzB,CAAE2E,WAAY,CAAC,OAAQ,YAAahF,EAAUC,CAAiB,CAAG,CAAA,EAMtE,mBAAoB,CAAC,CAAE,mBAAoB,CAAC,OAAQD,EAAUH,CAAgB,EAAG,EAKjF,wBAAyB,CAAC,CAAEmF,WAAY,CAAChH,CAAM,CAAC,CAAE,EAKlD,iBAAkB,CAAC,YAAa,YAAa,aAAc,aAAa,EAKxE,gBAAiB,CAAC,WAAY,gBAAiB,WAAW,EAK1D,YAAa,CAAC,CAAEyG,KAAM,CAAC,OAAQ,SAAU,UAAW,QAAQ,EAAG,EAK/DQ,OAAQ,CAAC,CAAEA,OAAQnF,EAAyB,CAAA,CAAE,EAK9C,iBAAkB,CACd,CACIoF,MAAO,CACH,WACA,MACA,SACA,SACA,WACA,cACA,MACA,QACArF,CAAgB,CAEvB,CAAA,EAMLsF,WAAY,CACR,CAAEA,WAAY,CAAC,SAAU,SAAU,MAAO,WAAY,WAAY,cAAc,CAAG,CAAA,EAMvFC,MAAO,CAAC,CAAEA,MAAO,CAAC,SAAU,QAAS,MAAO,MAAM,EAAG,EAKrDC,QAAS,CAAC,CAAEA,QAAS,CAAC,OAAQ,SAAU,MAAM,EAAG,EAKjDrC,QAAS,CAAC,CAAEA,QAAS,CAAC,OAAQnD,CAAgB,CAAC,CAAE,EAMjD,gBAAiB,CAAC,CAAEyF,GAAI,CAAC,QAAS,QAAS,QAAQ,EAAG,EAKtD,UAAW,CAAC,CAAE,UAAW,CAAC,SAAU,UAAW,UAAW,MAAM,EAAG,EAMnE,aAAc,CAAC,CAAE,aAAc,CAACpG,CAAO,CAAC,CAAE,EAK1C,YAAa,CAAC,CAAE,YAAa,CAAC,SAAU,UAAW,SAAS,EAAG,EAK/D,cAAe,CAAC,CAAEoG,GAAI,CAAC,GAAGlF,GAAc,EAAEmF,EAAmB,EAAG,EAKhE,YAAa,CAAC,CAAED,GAAI,CAAC,YAAa,CAAEE,OAAQ,CAAC,GAAI,IAAK,IAAK,QAAS,OAAO,CAAC,CAAE,CAAC,CAAE,EAKjF,UAAW,CAAC,CAAEF,GAAI,CAAC,OAAQ,QAAS,UAAWG,EAAe,EAAG,EAKjE,WAAY,CACR,CACIH,GAAI,CACA,OACA,CAAE,cAAe,CAAC,IAAK,KAAM,IAAK,KAAM,IAAK,KAAM,IAAK,IAAI,CAAG,EAC/DI,EAAgB,CAEvB,CAAA,EAML,WAAY,CAAC,CAAEJ,GAAI,CAACtH,CAAM,CAAC,CAAE,EAK7B,oBAAqB,CAAC,CAAE2H,KAAM,CAAC5G,CAA0B,CAAC,CAAE,EAK5D,mBAAoB,CAAC,CAAE6G,IAAK,CAAC7G,CAA0B,CAAC,CAAE,EAK1D,kBAAmB,CAAC,CAAE8G,GAAI,CAAC9G,CAA0B,CAAC,CAAE,EAKxD,gBAAiB,CAAC,CAAE4G,KAAM,CAAC7G,CAAkB,CAAC,CAAE,EAKhD,eAAgB,CAAC,CAAE8G,IAAK,CAAC9G,CAAkB,CAAC,CAAE,EAK9C,cAAe,CAAC,CAAE+G,GAAI,CAAC/G,CAAkB,CAAC,CAAE,EAM5CgH,QAAS,CAAC,CAAEA,QAAS,CAACxH,CAAY,CAAC,CAAE,EAKrC,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,WAAY,CAAC,CAAEyH,OAAQ,CAACvH,CAAW,CAAC,CAAE,EAKtC,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,iBAAkB,CAAC,CAAE,iBAAkB,CAACU,CAAO,CAAC,CAAE,EAKlD,eAAgB,CAAC,CAAE6G,OAAQ,CAAC,GAAG1F,EAAe,EAAE,QAAQ,EAAG,EAK3D,WAAY,CAAC,CAAE,WAAY,CAAC7B,CAAW,CAAC,CAAE,EAK1C,mBAAoB,CAAC,kBAAkB,EAKvC,WAAY,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK1C,mBAAoB,CAAC,kBAAkB,EAKvC,iBAAkB,CAAC,CAAE,iBAAkB,CAACU,CAAO,CAAC,CAAE,EAKlD,eAAgB,CAAC,CAAE8G,OAAQ3F,EAAe,CAAA,CAAE,EAK5C,eAAgB,CAAC,CAAE0F,OAAQ,CAAC1H,CAAW,CAAC,CAAE,EAK1C,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,eAAgB,CAAC,CAAE2H,OAAQ,CAAC3H,CAAW,CAAC,CAAE,EAK1C,gBAAiB,CAAC,CAAE4H,QAAS,CAAC,GAAI,GAAG5F,EAAe,CAAA,EAAG,EAKvD,iBAAkB,CAAC,CAAE,iBAAkB,CAACL,EAAUH,CAAgB,CAAC,CAAE,EAKrE,YAAa,CAAC,CAAEoG,QAAS,CAACjG,EAAUC,CAAiB,CAAC,CAAE,EAKxD,gBAAiB,CAAC,CAAEgG,QAAS,CAACjI,CAAM,CAAC,CAAE,EAKvC,SAAU,CAAC,CAAEkI,KAAMnG,GAAgC,CAAA,CAAE,EAKrD,eAAgB,CAAC,YAAY,EAK7B,aAAc,CAAC,CAAEmG,KAAM,CAAClI,CAAM,CAAC,CAAE,EAKjC,eAAgB,CAAC,CAAE,eAAgB,CAACkB,CAAO,CAAC,CAAE,EAK9C,gBAAiB,CAAC,CAAE,cAAe,CAACc,EAAUC,CAAiB,CAAC,CAAE,EAKlE,oBAAqB,CAAC,CAAE,cAAe,CAACjC,CAAM,CAAC,CAAE,EAMjDmI,OAAQ,CAAC,CAAEA,OAAQ,CAAC,GAAI,QAAS,OAAQpF,EAAcqF,EAAiB,EAAG,EAK3E,eAAgB,CAAC,CAAED,OAAQ,CAACrF,CAAK,CAAC,CAAE,EAKpC5B,QAAS,CAAC,CAAEA,QAAS,CAACA,CAAO,CAAC,CAAE,EAKhC,YAAa,CAAC,CAAE,YAAa,CAAC,GAAGoB,GAAa,EAAI,eAAgB,aAAa,EAAG,EAKlF,WAAY,CAAC,CAAE,WAAYA,GAAe,CAAA,CAAE,EAO5C+F,OAAQ,CAAC,CAAEA,OAAQ,CAAC,GAAI,MAAM,CAAC,CAAE,EAKjClI,KAAM,CAAC,CAAEA,KAAM,CAACA,CAAI,CAAC,CAAE,EAKvBC,WAAY,CAAC,CAAEA,WAAY,CAACA,CAAU,CAAC,CAAE,EAKzCK,SAAU,CAAC,CAAEA,SAAU,CAACA,CAAQ,CAAC,CAAE,EAKnC,cAAe,CAAC,CAAE,cAAe,CAAC,GAAI,OAAQsC,EAAclB,CAAgB,EAAG,EAK/EnB,UAAW,CAAC,CAAEA,UAAW,CAACA,CAAS,CAAC,CAAE,EAKtC,aAAc,CAAC,CAAE,aAAc,CAACC,CAAS,CAAC,CAAE,EAK5CC,OAAQ,CAAC,CAAEA,OAAQ,CAACA,CAAM,CAAC,CAAE,EAK7BQ,SAAU,CAAC,CAAEA,SAAU,CAACA,CAAQ,CAAC,CAAE,EAKnCE,MAAO,CAAC,CAAEA,MAAO,CAACA,CAAK,CAAC,CAAE,EAM1B,kBAAmB,CAAC,CAAE,kBAAmB,CAAC,GAAI,MAAM,CAAC,CAAE,EAKvD,gBAAiB,CAAC,CAAE,gBAAiB,CAACnB,CAAI,CAAC,CAAE,EAK7C,sBAAuB,CAAC,CAAE,sBAAuB,CAACC,CAAU,CAAC,CAAE,EAK/D,oBAAqB,CAAC,CAAE,oBAAqB,CAACK,CAAQ,CAAC,CAAE,EAKzD,qBAAsB,CAAC,CAAE,qBAAsB,CAACC,CAAS,CAAC,CAAE,EAK5D,sBAAuB,CAAC,CAAE,sBAAuB,CAACC,CAAS,CAAC,CAAE,EAK9D,kBAAmB,CAAC,CAAE,kBAAmB,CAACC,CAAM,CAAC,CAAE,EAKnD,mBAAoB,CAAC,CAAE,mBAAoB,CAACM,CAAO,CAAC,CAAE,EAKtD,oBAAqB,CAAC,CAAE,oBAAqB,CAACE,CAAQ,CAAC,CAAE,EAKzD,iBAAkB,CAAC,CAAE,iBAAkB,CAACE,CAAK,CAAC,CAAE,EAMhD,kBAAmB,CAAC,CAAEyG,OAAQ,CAAC,WAAY,UAAU,CAAC,CAAE,EAKxD,iBAAkB,CAAC,CAAE,iBAAkB,CAACxH,CAAa,CAAC,CAAE,EAKxD,mBAAoB,CAAC,CAAE,mBAAoB,CAACA,CAAa,CAAC,CAAE,EAK5D,mBAAoB,CAAC,CAAE,mBAAoB,CAACA,CAAa,CAAC,CAAE,EAK5D,eAAgB,CAAC,CAAE+H,MAAO,CAAC,OAAQ,OAAO,CAAC,CAAE,EAK7CC,QAAS,CAAC,CAAEA,QAAS,CAAC,MAAO,QAAQ,CAAC,CAAE,EAMxCC,WAAY,CACR,CACIA,WAAY,CACR,OACA,MACA,GACA,SACA,UACA,SACA,YACA3G,CAAgB,CAEvB,CAAA,EAML4G,SAAU,CAAC,CAAEA,SAAU/F,EAAuB,CAAA,CAAE,EAKhDgG,KAAM,CAAC,CAAEA,KAAM,CAAC,SAAU,KAAM,MAAO,SAAU7G,CAAgB,EAAG,EAKpE8G,MAAO,CAAC,CAAEA,MAAOjG,EAAuB,CAAA,CAAE,EAK1CkG,QAAS,CAAC,CAAEA,QAAS,CAAC,OAAQ,OAAQ,OAAQ,QAAS,SAAU/G,CAAgB,EAAG,EAMpFgH,UAAW,CAAC,CAAEA,UAAW,CAAC,GAAI,MAAO,MAAM,EAAG,EAK9CxH,MAAO,CAAC,CAAEA,MAAO,CAACA,CAAK,CAAC,CAAE,EAK1B,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlC,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlCyH,OAAQ,CAAC,CAAEA,OAAQ,CAACxE,EAAWzC,CAAgB,CAAC,CAAE,EAKlD,cAAe,CAAC,CAAE,cAAe,CAACJ,EAAS,CAAC,CAAE,EAK9C,cAAe,CAAC,CAAE,cAAe,CAACA,EAAS,CAAC,CAAE,EAK9C,SAAU,CAAC,CAAE,SAAU,CAACF,EAAI,CAAC,CAAE,EAK/B,SAAU,CAAC,CAAE,SAAU,CAACA,EAAI,CAAC,CAAE,EAK/B,mBAAoB,CAChB,CACIwH,OAAQ,CACJ,SACA,MACA,YACA,QACA,eACA,SACA,cACA,OACA,WACAlH,CAAgB,CAEvB,CAAA,EAOLmH,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQhJ,CAAM,CAAC,CAAE,EAKrCiJ,WAAY,CAAC,CAAEA,WAAY,CAAC,OAAQ,MAAM,CAAC,CAAE,EAK7CC,OAAQ,CACJ,CACIA,OAAQ,CACJ,OACA,UACA,UACA,OACA,OACA,OACA,OACA,cACA,OACA,eACA,WACA,OACA,YACA,gBACA,QACA,OACA,UACA,OACA,WACA,aACA,aACA,aACA,WACA,WACA,WACA,WACA,YACA,YACA,YACA,YACA,YACA,YACA,cACA,cACA,UACA,WACArH,CAAgB,CAEvB,CAAA,EAML,cAAe,CAAC,CAAEsH,MAAO,CAACnJ,CAAM,CAAC,CAAE,EAKnC,iBAAkB,CAAC,CAAE,iBAAkB,CAAC,OAAQ,MAAM,CAAC,CAAE,EAKzDoJ,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQ,IAAK,IAAK,EAAE,EAAG,EAK3C,kBAAmB,CAAC,CAAEC,OAAQ,CAAC,OAAQ,QAAQ,CAAC,CAAE,EAKlD,WAAY,CAAC,CAAE,WAAYvH,EAAyB,CAAA,CAAE,EAKtD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,WAAY,CAAC,CAAE,WAAYA,EAAyB,CAAA,CAAE,EAKtD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,aAAc,CAAC,CAAEwH,KAAM,CAAC,QAAS,MAAO,SAAU,YAAY,EAAG,EAKjE,YAAa,CAAC,CAAEA,KAAM,CAAC,SAAU,QAAQ,CAAC,CAAE,EAK5C,YAAa,CAAC,CAAEA,KAAM,CAAC,OAAQ,IAAK,IAAK,MAAM,EAAG,EAKlD,kBAAmB,CAAC,CAAEA,KAAM,CAAC,YAAa,WAAW,CAAC,CAAE,EAKxDC,MAAO,CACH,CACIA,MAAO,CAAC,OAAQ,OAAQ,cAAc,CACzC,CAAA,EAML,UAAW,CACP,CACI,YAAa,CAAC,IAAK,OAAQ,OAAO,CACrC,CAAA,EAML,UAAW,CACP,CACI,YAAa,CAAC,IAAK,KAAM,MAAM,CAClC,CAAA,EAML,WAAY,CAAC,kBAAkB,EAK/BC,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQ,OAAQ,MAAO,MAAM,EAAG,EAKpD,cAAe,CACX,CAAE,cAAe,CAAC,OAAQ,SAAU,WAAY,YAAa3H,CAAgB,CAAG,CAAA,EAOpF4H,KAAM,CAAC,CAAEA,KAAM,CAACzJ,EAAQ,MAAM,CAAC,CAAE,EAKjC,WAAY,CAAC,CAAE0J,OAAQ,CAAC1H,EAAUC,EAAmB0E,EAAiB,EAAG,EAKzE+C,OAAQ,CAAC,CAAEA,OAAQ,CAAC1J,EAAQ,MAAM,CAAC,CAAE,EAMrC2J,GAAI,CAAC,UAAW,aAAa,EAK7B,sBAAuB,CAAC,CAAE,sBAAuB,CAAC,OAAQ,MAAM,CAAC,CAAE,CACtE,EACDC,uBAAwB,CACpBjG,SAAU,CAAC,aAAc,YAAY,EACrCC,WAAY,CAAC,eAAgB,cAAc,EAC3C5C,MAAO,CAAC,UAAW,UAAW,QAAS,MAAO,MAAO,QAAS,SAAU,MAAM,EAC9E,UAAW,CAAC,QAAS,MAAM,EAC3B,UAAW,CAAC,MAAO,QAAQ,EAC3BwD,KAAM,CAAC,QAAS,OAAQ,QAAQ,EAChC3D,IAAK,CAAC,QAAS,OAAO,EACtBsE,EAAG,CAAC,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,IAAI,EAClDC,GAAI,CAAC,KAAM,IAAI,EACfC,GAAI,CAAC,KAAM,IAAI,EACfO,EAAG,CAAC,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,IAAI,EAClDC,GAAI,CAAC,KAAM,IAAI,EACfC,GAAI,CAAC,KAAM,IAAI,EACfU,KAAM,CAAC,IAAK,GAAG,EACf,YAAa,CAAC,SAAS,EACvB,aAAc,CACV,cACA,mBACA,aACA,cACA,cAAc,EAElB,cAAe,CAAC,YAAY,EAC5B,mBAAoB,CAAC,YAAY,EACjC,aAAc,CAAC,YAAY,EAC3B,cAAe,CAAC,YAAY,EAC5B,eAAgB,CAAC,YAAY,EAC7B,aAAc,CAAC,UAAW,UAAU,EACpCsB,QAAS,CACL,YACA,YACA,YACA,YACA,YACA,YACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,YAAY,EAEhB,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,iBAAkB,CAAC,mBAAoB,kBAAkB,EACzD,WAAY,CACR,aACA,aACA,aACA,aACA,aACA,YAAY,EAEhB,aAAc,CAAC,aAAc,YAAY,EACzC,aAAc,CAAC,aAAc,YAAY,EACzC,eAAgB,CACZ,iBACA,iBACA,iBACA,gBAAgB,EAEpB,iBAAkB,CAAC,iBAAkB,gBAAgB,EACrD,iBAAkB,CAAC,iBAAkB,gBAAgB,EACrD,WAAY,CACR,YACA,YACA,YACA,YACA,YACA,YACA,YACA,WAAW,EAEf,YAAa,CAAC,YAAa,WAAW,EACtC,YAAa,CAAC,YAAa,WAAW,EACtC,WAAY,CACR,YACA,YACA,YACA,YACA,YACA,YACA,YACA,WAAW,EAEf,YAAa,CAAC,YAAa,WAAW,EACtC,YAAa,CAAC,YAAa,WAAW,EACtCyB,MAAO,CAAC,UAAW,UAAW,UAAU,EACxC,UAAW,CAAC,OAAO,EACnB,UAAW,CAAC,OAAO,EACnB,WAAY,CAAC,OAAO,CACvB,EACDM,+BAAgC,CAC5B,YAAa,CAAC,SAAS,CAC1B,EAET,MGp0DaC,GAAUC,GAAoBC,EAAgB,ECApD,SAASC,KAAMC,EAAsB,CAC1C,OAAOC,GAAQC,GAAKF,CAAM,CAAC,CAC7B,CCLA,IAAAG,GAAuB,oBACvBC,GAAgC,oCCDhC,SAASC,GAAE,EAAE,CAAC,IAAI,EAAEC,EAAEC,EAAE,GAAG,GAAa,OAAO,GAAjB,UAA8B,OAAO,GAAjB,SAAmBA,GAAG,UAAoB,OAAO,GAAjB,SAAmB,GAAG,MAAM,QAAQ,CAAC,EAAE,IAAI,EAAE,EAAE,EAAE,EAAE,OAAO,IAAI,EAAE,CAAC,IAAID,EAAED,GAAE,EAAE,CAAC,CAAC,KAAKE,IAAIA,GAAG,KAAKA,GAAGD,OAAQ,KAAI,KAAK,EAAE,EAAE,CAAC,IAAIC,IAAIA,GAAG,KAAKA,GAAG,GAAG,OAAOA,CAAC,CAAQ,SAASC,IAAM,CAAC,QAAQ,EAAE,EAAEF,EAAE,EAAEC,EAAE,GAAGD,EAAE,UAAU,SAAS,EAAE,UAAUA,GAAG,KAAK,EAAED,GAAE,CAAC,KAAKE,IAAIA,GAAG,KAAKA,GAAG,GAAG,OAAOA,CAAC,CCCjW,IAAME,GAAiBC,GAAQ,OAAOA,GAAU,UAAY,GAAG,OAAOA,CAAK,EAAIA,IAAU,EAAI,IAAMA,EACtFC,GAAKC,GACLC,GAAM,CAACC,EAAMC,IACdC,GAAQ,CACZ,IAAIC,EACJ,IAAKF,GAAW,KAA4B,OAASA,EAAO,WAAa,KAAM,OAAOJ,GAAGG,EAAME,GAAU,KAA2B,OAASA,EAAM,MAAOA,GAAU,KAA2B,OAASA,EAAM,SAAS,EACvN,GAAM,CAAE,SAAAE,EAAW,gBAAAC,CAAiB,EAAIJ,EAClCK,EAAuB,OAAO,KAAKF,CAAQ,EAAE,IAAKG,GAAU,CAC9D,IAAMC,EAAcN,GAAU,KAA2B,OAASA,EAAMK,CAAO,EACzEE,EAAqBJ,GAAoB,KAAqC,OAASA,EAAgBE,CAAO,EACpH,GAAIC,IAAgB,KAAM,OAAO,KACjC,IAAME,EAAaf,GAAca,CAAW,GAAKb,GAAcc,CAAkB,EACjF,OAAOL,EAASG,CAAO,EAAEG,CAAU,CACvC,CAAC,EACKC,EAAwBT,GAAS,OAAO,QAAQA,CAAK,EAAE,OAAO,CAACU,EAAKC,IAAQ,CAC9E,GAAI,CAACC,EAAKlB,CAAK,EAAIiB,EACnB,OAAIjB,IAAU,SAGdgB,EAAIE,CAAG,EAAIlB,GACJgB,CACX,EAAG,CAAC,CAAC,EACCG,EAA+Bd,GAAW,OAAsCE,EAAMF,EAAO,oBAAsB,MAAQE,IAAQ,OAA7D,OAA+EA,EAAI,OAAO,CAACS,EAAKI,IAAS,CACjL,GAAI,CAAE,MAAOC,EAAU,UAAWC,EAAc,GAAGC,CAAuB,EAAIH,EAC9E,OAAO,OAAO,QAAQG,CAAsB,EAAE,MAAON,GAAQ,CACzD,GAAI,CAACC,EAAKlB,CAAK,EAAIiB,EACnB,OAAO,MAAM,QAAQjB,CAAK,EAAIA,EAAM,SAAS,CACzC,GAAGS,EACH,GAAGM,CACP,EAAEG,CAAG,CAAC,EAAK,CACP,GAAGT,EACH,GAAGM,CACP,EAAGG,CAAG,IAAMlB,CAChB,CAAC,EAAI,CACD,GAAGgB,EACHK,EACAC,CACJ,EAAIN,CACR,EAAG,CAAC,CAAC,EACL,OAAOf,GAAGG,EAAMM,EAAsBS,EAA8Bb,GAAU,KAA2B,OAASA,EAAM,MAAOA,GAAU,KAA2B,OAASA,EAAM,SAAS,CAChM,EFnCJ,IAAMkB,GAAgBC,GACpB,4FACF,EAEMC,GAAc,cAIlB,CAAC,CAAE,UAAAC,EAAW,GAAGC,CAAM,EAAGC,IAC1B,iBAAgB,QAAf,CACC,IAAKA,EACL,UAAWC,EAAGN,GAAc,EAAGG,CAAS,EACvC,GAAGC,EACN,CACD,EACDF,GAAM,YAA6B,QAAK,YGrBxC,IAAAK,GAAuB,oBAMvB,IAAMC,GAAc,cAClB,CAAC,CAAE,UAAAC,EAAW,KAAAC,EAAM,GAAGC,CAAM,EAAGC,IAE5B,iBAAC,SACC,KAAMF,EACN,UAAWG,EACT,oXACAJ,CACF,EACA,IAAKG,EACJ,GAAGD,EACN,CAGN,EACAH,GAAM,YAAc,QnBJpB,IAAMM,EAAO,eASPC,GAAyB,gBAC7B,CAAC,CACH,EASMC,GAA2B,CAAC,CAAE,GAAGC,CAAM,IAEzC,gBAACF,GAAiB,SAAjB,CAA0B,MAAO,CAAE,KAAME,EAAM,IAAK,GACnD,gBAAC,cAAY,GAAGA,EAAO,CACzB,EAIEC,GAAe,IAAM,CACzB,IAAMC,EAAqB,aAAWJ,EAAgB,EAChDK,EAAoB,aAAWC,EAAe,EAC9C,CAAE,cAAAC,EAAe,UAAAC,CAAU,KAAI,kBAAe,EAE9CC,EAAaF,EAAcH,EAAa,KAAMI,CAAS,EAE7D,GAAI,CAACJ,EACH,MAAM,IAAI,MAAM,gDAAgD,EAGlE,GAAM,CAAE,GAAAM,CAAG,EAAIL,EAEf,MAAO,CACL,GAAAK,EACA,KAAMN,EAAa,KACnB,WAAY,GAAGM,CAAE,aACjB,kBAAmB,GAAGA,CAAE,yBACxB,cAAe,GAAGA,CAAE,qBACpB,GAAGD,CACL,CACF,EAMMH,GAAwB,gBAC5B,CAAC,CACH,EAEMK,GAAiB,aAGrB,CAAC,CAAE,UAAAC,EAAW,GAAGV,CAAM,EAAGW,IAAQ,CAClC,IAAMH,EAAW,QAAM,EAEvB,OACE,gBAACJ,GAAgB,SAAhB,CAAyB,MAAO,CAAE,GAAAI,CAAG,GACpC,gBAAC,OAAI,IAAKG,EAAK,UAAWC,EAAG,YAAaF,CAAS,EAAI,GAAGV,EAAO,CACnE,CAEJ,CAAC,EACDS,GAAS,YAAc,WAEvB,IAAMI,GAAkB,aAGtB,CAAC,CAAE,UAAAH,EAAW,GAAGV,CAAM,EAAGW,IAAQ,CAClC,GAAM,CAAE,MAAAG,EAAO,WAAAC,CAAW,EAAId,GAAa,EAE3C,OACE,gBAACe,GAAA,CACC,IAAKL,EACL,UAAWC,EAAGE,GAAS,mBAAoBJ,CAAS,EACpD,QAASK,EACR,GAAGf,EACN,CAEJ,CAAC,EACDa,GAAU,YAAc,YAExB,IAAMI,GAAoB,aAGxB,CAAC,CAAE,GAAGjB,CAAM,EAAGW,IAAQ,CACvB,GAAM,CAAE,MAAAG,EAAO,WAAAC,EAAY,kBAAAG,EAAmB,cAAAC,CAAc,EAC1DlB,GAAa,EAEf,OACE,gBAAC,SACC,IAAKU,EACL,GAAII,EACJ,mBACGD,EAEG,GAAGI,CAAiB,IAAIC,CAAa,GADrC,GAAGD,CAAiB,GAG1B,eAAc,CAAC,CAACJ,EACf,GAAGd,EACN,CAEJ,CAAC,EACDiB,GAAY,YAAc,cAE1B,IAAMG,GAAwB,aAG5B,CAAC,CAAE,UAAAV,EAAW,GAAGV,CAAM,EAAGW,IAAQ,CAClC,GAAM,CAAE,kBAAAO,CAAkB,EAAIjB,GAAa,EAE3C,OACE,gBAAC,KACC,IAAKU,EACL,GAAIO,EACJ,UAAWN,EAAG,gCAAiCF,CAAS,EACvD,GAAGV,EACN,CAEJ,CAAC,EACDoB,GAAgB,YAAc,kBAE9B,IAAMC,GAAoB,aAGxB,CAAC,CAAE,UAAAX,EAAW,SAAAY,EAAU,GAAGtB,CAAM,EAAGW,IAAQ,CAC5C,GAAM,CAAE,MAAAG,EAAO,cAAAK,CAAc,EAAIlB,GAAa,EACxCsB,EAAOT,EAAQ,OAAOA,GAAA,YAAAA,EAAO,OAAO,EAAIQ,EAE9C,OAAKC,EAKH,gBAAC,KACC,IAAKZ,EACL,GAAIQ,EACJ,UAAWP,EAAG,uCAAwCF,CAAS,EAC9D,GAAGV,GAEHuB,CACH,EAXO,IAaX,CAAC,EACDF,GAAY,YAAc,cAE1B,IAAMG,EAAQ,IAAM,CAClB,IAAMC,KAAO,kBAAe,EAC5B,OACE,gBAAC1B,GAAA,CACC,QAAS0B,EAAK,QACd,KAAK,QACL,OAAQ,CAAC,CAAE,MAAAC,CAAM,IAEb,gBAACjB,GAAA,KACC,gBAACI,GAAA,KAAU,OAAK,EAChB,gBAACI,GAAA,KACC,gBAACU,GAAA,CACC,YAAY,QACX,GAAGD,EACJ,aAAa,gBACf,CACF,EACA,gBAACN,GAAA,KAAgB,oBAAkB,EACnC,gBAACC,GAAA,IAAY,CACf,EAGN,CAEJ,EAEMO,EAAW,IAAM,CACrB,IAAMH,KAAO,kBAAe,EAC5B,OACE,gBAAC1B,GAAA,CACC,QAAS0B,EAAK,QACd,KAAK,WACL,OAAQ,CAAC,CAAE,MAAAC,CAAM,IAEb,gBAACjB,GAAA,KACC,gBAACI,GAAA,KAAU,UAAQ,EACnB,gBAACI,GAAA,KACC,gBAACU,GAAA,CACC,YAAY,WACX,GAAGD,EACJ,KAAK,WACL,aAAa,mBACf,CACF,EACA,gBAACN,GAAA,KAAgB,sBAAoB,EACrC,gBAACC,GAAA,IAAY,CACf,EAGN,CAEJ,EoB9NA,IAAAQ,GAAuB,oBACvBC,GAAqB,gCAKrB,IAAMC,EAAiBC,GACrB,yRACA,CACE,SAAU,CACR,QAAS,CACP,QAAS,yDACT,YACE,qEACF,QACE,iFACF,UACE,+DACF,MAAO,+CACP,KAAM,iDACR,EACA,KAAM,CACJ,QAAS,iBACT,GAAI,sBACJ,GAAI,uBACJ,KAAM,WACR,CACF,EACA,gBAAiB,CACf,QAAS,UACT,KAAM,SACR,CACF,CACF,EAQMC,EAAe,cACnB,CAAC,CAAE,UAAAC,EAAW,QAAAC,EAAS,KAAAC,EAAM,QAAAC,EAAU,GAAO,GAAGC,CAAM,EAAGC,IAGtD,iBAFWF,EAAU,QAAO,SAE3B,CACC,UAAWG,EAAGT,EAAe,CAAE,QAAAI,EAAS,KAAAC,EAAM,UAAAF,CAAU,CAAC,CAAC,EAC1D,IAAKK,EACJ,GAAGD,EACN,CAGN,EACAL,EAAO,YAAc,SCrDrB,IAAAQ,GAAuB,2BACvBC,GAA4B,iCAIrB,SAASC,EAAUC,EAAgB,CACxC,GAAM,CACJ,UAAAC,EACA,QAAAC,EACA,aAAAC,EACA,YAAAC,EACA,SAAAC,EAAW,EACb,EAAIL,GAAA,KAAAA,EAAU,CAAC,EAWf,SAViB,gBAAY,CAC3B,WAAY,MAAOM,GAAU,CAC3B,IAAMC,EAAI,CAAE,GAAGD,EAAO,YAAAF,EAAa,SAAAC,CAAS,EACtCG,EAAeL,GAAgBA,EAAaI,CAAC,EAC7CE,EAAOD,GAAA,KAAAA,EAAgBD,EAC7B,OAAQ,QAAM,WAAO,QAASE,CAAI,CACpC,EACA,UAAAR,EACA,QAAAC,CACF,CAAC,EACe,MAClB,CtBZA,IAAMQ,GAAc,IAAI,eAET,SAARC,GAAgCC,EAAc,CACnD,GAAM,CAAE,OAAAC,EAAQ,GAAGC,CAAU,EAAIF,GAAA,KAAAA,EAAS,CAAC,EAC3C,OACE,EAAAG,QAAA,cAAC,wBAAoB,OAAQF,GAAA,KAAAA,EAAUH,IACrC,EAAAK,QAAA,cAACC,GAAA,CAAiB,GAAGF,EAAW,CAClC,CAEJ,CACO,SAASE,GAAgBJ,EAAgC,CAC9D,IAAMK,EAASC,EAAUN,CAAK,EACxBO,KAAO,YAAQ,CAAE,cAAe,CAAE,MAAO,EAAG,CAAE,CAAC,EACrD,OACE,EAAAJ,QAAA,cAACK,EAAA,CAAM,GAAGD,GACR,EAAAJ,QAAA,cAAC,QACC,SAAUI,EAAK,aAAa,CAAC,CAAE,MAAAE,CAAM,IAAMJ,GAAUA,EAAO,CAAE,MAAAI,CAAM,CAAC,CAAC,EACtE,UAAU,aAEV,EAAAN,QAAA,cAACO,EAAA,IAAM,EACP,EAAAP,QAAA,cAACQ,EAAA,CAAO,KAAK,SAAS,UAAU,uBAC9B,EAAAR,QAAA,cAAC,YAAK,EAAE,oBAEV,CACF,CACF,CAEJ,CuBtCA,IAAAS,GAAqB,gCACrBC,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,wBA6BrB,IAAMC,GAAoB,EAAAC,QAAM,WAC9B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,SAAAC,EAAW,GACX,MAAAC,EACA,UAAAC,EACA,OAAAC,EACA,GAAGC,CACL,EACAC,IAIE,EAAAX,QAAA,cAFWK,EAAU,QAAO,SAE3B,CACC,UAAWO,EAAGC,EAAe,CAAE,QAAAV,EAAS,KAAAC,EAAM,UAAAF,CAAU,CAAC,CAAC,EAC1D,IAAKS,EACL,QAAS,SAAY,CACnB,IAAMG,EAAM,QAAM,WAAO,QAAS,CAAE,MAAAP,EAAO,YAAAN,EAAa,SAAAK,CAAS,CAAC,EAE9DQ,GAAO,UAAWA,EACpBN,GAAaA,EAAUM,CAAiB,EAExCL,GAAUA,EAAO,CAErB,EACC,GAAGC,GAEHA,EAAM,SACLA,EAAM,SAEN,EAAAV,QAAA,cAAC,OAAI,UAAU,oCACb,EAAAA,QAAA,cAAC,YAAK,EAAE,qBAEV,CAEJ,CAGN,EAEAD,GAAkB,YAAc,oBAChC,IAAOgB,GAAQhB,GC/Ef,IAAAiB,EAAkB,oBAClBA,GAAuB,2BACvBC,GAAqB,gCAWrB,IAAMC,GAAkB,EAAAC,QAAM,WAI5B,CACE,CAAE,YAAAC,EAAa,UAAAC,EAAW,QAAAC,EAAS,KAAAC,EAAM,QAAAC,EAAU,GAAO,GAAGC,CAAM,EACnEC,IAIE,EAAAP,QAAA,cAFWK,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAF,CAAU,CAAC,EAC3C,8DACF,EACA,IAAKK,EACL,QAAS,IAAM,IACb,WAAO,SAAU,CAAE,YAAAN,CAAY,CAAC,CAClC,EACC,GAAGK,GAEJ,EAAAN,QAAA,cAAC,OAAI,UAAU,+FACb,EAAAA,QAAA,cAAC,OACC,MAAO,CACL,WAAY,QACZ,aAAc,MACd,QAAS,QACX,GAEA,EAAAA,QAAA,cAACU,GAAA,IAAW,CACd,EACA,EAAAV,QAAA,cAAC,WAAI,sBAAoB,CAC3B,CACF,CAGN,EACAD,GAAgB,YAAc,kBAC9B,IAAOY,GAAQZ,GAEf,SAASW,IAAa,CACpB,OACE,EAAAV,QAAA,cAAC,OAAI,MAAM,6BAA6B,MAAM,KAAK,OAAO,MACxD,EAAAA,QAAA,cAAC,KAAE,KAAK,OAAO,SAAS,WACtB,EAAAA,QAAA,cAAC,QACC,EAAE,gIACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,kHACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,4HACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,8HACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QAAK,KAAK,OAAO,EAAE,gBAAgB,CACtC,CACF,CAEJ,CC7EA,IAAAY,GAAkB,oBCClB,IAAAC,EAAkB,oBAClBC,GAAiD,iCACjDC,GAAwB,2BCHxB,IAAAC,GAAyC,iCACzCC,GAA0B,iBAInB,SAASC,EACdC,EACAC,EACA,CACA,GAAM,CAAE,UAAAC,EAAW,QAAAC,EAAS,aAAAC,EAAc,YAAAC,CAAY,EAAIL,EAEpDM,KAAW,gBACf,CACE,WAAY,MAAOC,GAAU,CAbnC,IAAAC,EAcQ,IAAMC,EAAeL,GAAgBA,EAAaG,CAAK,EACjDG,EAAa,CAAE,GAAGH,EAAO,GAAGE,CAAa,EACzC,CAAE,SAAAE,EAAU,cAAAC,EAAe,GAAGC,CAAK,EAAIH,EACzCI,GACFN,EAAAE,EAAQ,WAAR,KAAAF,EAAoB,GAAG,OAAO,SAAS,MAAM,cAEzCO,EAAe,IAAI,gBAEzB,OAAIH,GACFG,EAAa,IAAI,gBAAiBH,CAAa,EAE7CD,GACFI,EAAa,IAAI,WAAYJ,CAAQ,EAGnCI,EAAa,KAAO,IACtBD,GAAY,IAAIC,CAAY,IAGvB,MAAM,MAAMD,EAAU,CAC3B,KAAM,KAAK,UAAUD,CAAI,EACzB,OAAQ,MACV,CAAC,CACH,EAEA,UAAW,CAACG,EAAMC,IAAc,CAC1BZ,IACF,OAAO,SAAS,KAAOA,GAEzBH,GAAaA,EAAUc,EAAMC,CAAS,CACxC,EACA,QAAAd,CACF,EACAF,CACF,EACA,uBAAU,IAAM,CACd,MAAM,qBAAqB,EAC3B,MAAM,gBAAgB,CACxB,EAAG,CAAC,CAAC,EACEK,EAAS,MAClB,CD3CA,IAAMY,GAAc,IAAI,eACT,SAARC,GAA4BC,EAAc,CAC/C,GAAM,CAAE,OAAAC,CAAO,EAAID,GAAA,KAAAA,EAAS,CAAC,EAC7B,OACE,EAAAE,QAAA,cAAC,wBAAoB,OAAQD,GAAA,KAAAA,EAAUH,IACrC,EAAAI,QAAA,cAACC,GAAA,CAAY,GAAGH,EAAO,CACzB,CAEJ,CAEO,SAASG,GAAWH,EAAc,CACvC,IAAMI,EAASC,EAAUL,CAAK,EACxBM,KAAO,YAAQ,CAAE,cAAe,CAAE,MAAO,GAAI,SAAU,EAAG,CAAE,CAAC,EAEnE,OACE,EAAAJ,QAAA,cAACK,EAAA,CAAM,GAAGD,GACR,EAAAJ,QAAA,cAAC,QACC,SAAUI,EAAK,aAAa,CAAC,CAAE,MAAAE,EAAO,SAAAC,CAAS,IAC7CL,EAAO,CAAE,MAAAI,EAAO,SAAAC,CAAS,CAAC,CAC5B,EACA,UAAU,aAEV,EAAAP,QAAA,cAACQ,EAAA,IAAM,EACP,EAAAR,QAAA,cAACS,EAAA,IAAS,EACV,EAAAT,QAAA,cAACU,EAAA,KAAO,SAAO,CACjB,CACF,CAEJ,CDlCe,SAARC,GAA2BC,EAAc,CAC9C,OACE,GAAAC,QAAA,cAAC,OAAI,UAAU,uBACb,GAAAA,QAAA,cAAC,OAAI,UAAU,sBAAqB,SAAO,EAC3C,GAAAA,QAAA,cAACC,GAAA,CAAY,GAAGF,EAAO,CACzB,CAEJ,CGZA,IAAAG,GAAkB,oBCClB,IAAAC,EAAkB,oBAClBC,GAAiD,iCACjDC,GAAwB,2BCHxB,IAAAC,GAA4B,iCAC5BC,GAAuB,2BAIhB,SAASC,EAAUC,EAAgB,CACxC,GAAM,CAAE,UAAAC,EAAW,QAAAC,EAAS,aAAAC,EAAc,YAAAC,CAAY,EAAIJ,GAAA,KAAAA,EAAU,CAAC,EAWrE,SAViB,gBAAY,CAC3B,WAAY,MAAOK,GAAqB,CACtC,IAAMC,EAAI,CAAE,GAAGD,EAAO,YAAAD,CAAY,EAC5BG,EAAeJ,GAAgBA,EAAaG,CAAC,EAC7CE,EAAOD,GAAA,KAAAA,EAAgBD,EAC7B,OAAO,QAAM,WAAO,cAAeE,CAAI,CACzC,EACA,UAAAP,EACA,QAAAC,CACF,CAAC,EACe,MAClB,CDPA,IAAMO,GAAc,IAAI,eAET,SAARC,GAA2BC,EAAc,CAC9C,GAAM,CAAE,OAAAC,EAAQ,GAAGC,CAAU,EAAIF,GAAA,KAAAA,EAAS,CAAC,EAC3C,OACE,EAAAG,QAAA,cAAC,wBAAoB,OAAQF,GAAA,KAAAA,EAAUH,IACrC,EAAAK,QAAA,cAACC,GAAA,CAAY,GAAGF,EAAW,CAC7B,CAEJ,CAEO,SAASE,GAAWJ,EAAc,CACvC,IAAMK,EAASC,EAAUN,CAAK,EACxBO,KAAO,YAAQ,CAAE,cAAe,CAAE,MAAO,GAAI,SAAU,EAAG,CAAE,CAAC,EAEnE,OACE,EAAAJ,QAAA,cAACK,EAAA,CAAM,GAAGD,GACR,EAAAJ,QAAA,cAAC,QACC,SAAUI,EAAK,aACb,CAAC,CAAE,MAAAE,EAAO,SAAAC,CAAS,IAAML,GAAUA,EAAO,CAAE,MAAAI,EAAO,SAAAC,CAAS,CAAC,CAC/D,EACA,UAAU,aAEV,EAAAP,QAAA,cAACQ,EAAA,IAAM,EACP,EAAAR,QAAA,cAACS,EAAA,IAAS,EACV,EAAAT,QAAA,cAACU,EAAA,CAAO,KAAK,UAAS,SAAO,CAC/B,CACF,CAEJ,CDnCe,SAARC,GAA2BC,EAAc,CAC9C,OACE,GAAAC,QAAA,cAAC,OAAI,UAAU,uBACb,GAAAA,QAAA,cAAC,MAAG,UAAU,sBAAqB,SAAO,EAC1C,GAAAA,QAAA,cAACF,GAAA,CAAY,GAAGC,EAAO,CACzB,CAEJ,C7BEA,IAAAE,GAAgC","names":["src_exports","__export","Email","EmailSigningIn","EmailSignInButton_default","GoogleLoginButton_default","Password","SigningIn","SigningUp","useSignIn","useSignUp","__toCommonJS","import_react","import_react_query","import_react_hook_form","import_lucide_react","React","import_react_slot","import_react_hook_form","r","f","n","o","clsx","CLASS_PART_SEPARATOR","createClassGroupUtils","config","classMap","createClassMap","conflictingClassGroups","conflictingClassGroupModifiers","getClassGroupId","className","classParts","split","length","shift","getGroupRecursive","getGroupIdForArbitraryProperty","getConflictingClassGroupIds","classGroupId","hasPostfixModifier","conflicts","classPartObject","_a","currentClassPart","nextClassPartObject","nextPart","get","classGroupFromNextClassPart","slice","undefined","validators","classRest","join","find","validator","arbitraryPropertyRegex","test","arbitraryPropertyClassName","exec","property","substring","indexOf","theme","prefix","Map","prefixedClassGroupEntries","getPrefixedClassGroupEntries","Object","entries","classGroups","forEach","classGroup","processClassesRecursively","classDefinition","classPartObjectToEdit","getPart","isThemeGetter","push","key","path","currentClassPartObject","pathPart","has","set","func","classGroupEntries","map","prefixedClassGroup","fromEntries","value","createLruCache","maxCacheSize","cacheSize","cache","previousCache","update","IMPORTANT_MODIFIER","createParseClassName","separator","experimentalParseClassName","isSeparatorSingleCharacter","firstSeparatorCharacter","separatorLength","parseClassName","modifiers","bracketDepth","modifierStart","postfixModifierPosition","index","currentCharacter","baseClassNameWithImportantModifier","hasImportantModifier","startsWith","baseClassName","maybePostfixModifierPosition","sortModifiers","sortedModifiers","unsortedModifiers","modifier","sort","createConfigUtils","SPLIT_CLASSES_REGEX","mergeClassList","classList","configUtils","classGroupsInConflict","classNames","trim","result","originalClassName","Boolean","variantModifier","modifierId","classId","includes","conflictGroups","i","group","twJoin","argument","resolvedValue","string","arguments","toValue","mix","k","createTailwindMerge","createConfigFirst","createConfigRest","cacheGet","cacheSet","functionToCall","initTailwindMerge","reduce","previousConfig","createConfigCurrent","tailwindMerge","cachedResult","apply","fromTheme","themeGetter","arbitraryValueRegex","fractionRegex","stringLengths","Set","tshirtUnitRegex","lengthUnitRegex","colorFunctionRegex","shadowRegex","imageRegex","isLength","isNumber","isArbitraryLength","getIsArbitraryValue","isLengthOnly","Number","isNaN","isArbitraryNumber","isInteger","isPercent","endsWith","isArbitraryValue","isTshirtSize","sizeLabels","isArbitrarySize","isNever","isArbitraryPosition","imageLabels","isArbitraryImage","isImage","isArbitraryShadow","isShadow","isAny","label","testValue","getDefaultConfig","colors","fromTheme","spacing","blur","brightness","borderColor","borderRadius","borderSpacing","borderWidth","contrast","grayscale","hueRotate","invert","gap","gradientColorStops","gradientColorStopPositions","inset","margin","opacity","padding","saturate","scale","sepia","skew","space","translate","getOverscroll","getOverflow","getSpacingWithAutoAndArbitrary","isArbitraryValue","getSpacingWithArbitrary","getLengthWithEmptyAndArbitrary","isLength","isArbitraryLength","getNumberWithAutoAndArbitrary","isNumber","getPositions","getLineStyles","getBlendModes","getAlign","getZeroAndEmpty","getBreaks","getNumberAndArbitrary","cacheSize","separator","theme","isAny","isTshirtSize","isPercent","classGroups","aspect","container","columns","box","display","float","clear","isolation","object","overflow","overscroll","position","start","end","top","right","bottom","left","visibility","z","isInteger","basis","flex","grow","shrink","order","col","span","row","justify","content","items","self","p","px","py","ps","pe","pt","pr","pb","pl","m","mx","my","ms","me","mt","mr","mb","ml","w","screen","h","size","text","font","isArbitraryNumber","tracking","leading","list","placeholder","decoration","indent","align","whitespace","break","hyphens","bg","isArbitraryPosition","repeat","isArbitrarySize","isArbitraryImage","from","via","to","rounded","border","divide","outline","ring","shadow","isArbitraryShadow","filter","table","caption","transition","duration","ease","delay","animate","transform","rotate","origin","accent","appearance","cursor","caret","resize","scroll","snap","touch","select","fill","stroke","sr","conflictingClassGroups","conflictingClassGroupModifiers","twMerge","createTailwindMerge","getDefaultConfig","cn","inputs","twMerge","clsx","React","LabelPrimitive","r","f","n","clsx","falsyToString","value","cx","clsx","cva","base","config","props","ref","variants","defaultVariants","getVariantClassNames","variant","variantProp","defaultVariantProp","variantKey","propsWithoutUndefined","acc","param","key","getCompoundVariantClassNames","param1","cvClass","cvClassName","compoundVariantOptions","labelVariants","cva","Label","className","props","ref","cn","React","Input","className","type","props","ref","cn","Form","FormFieldContext","FormField","props","useFormField","fieldContext","itemContext","FormItemContext","getFieldState","formState","fieldState","id","FormItem","className","ref","cn","FormLabel","error","formItemId","Label","FormControl","formDescriptionId","formMessageId","FormDescription","FormMessage","children","body","Email","form","field","Input","Password","React","import_react_slot","buttonVariants","cva","Button","className","variant","size","asChild","props","ref","cn","import_react","import_react_query","useSignIn","params","onSuccess","onError","beforeMutate","callbackUrl","redirect","_data","d","possibleData","data","queryClient","EmailSigningIn","props","client","remaining","React","EmailSignInForm","signIn","useSignIn","form","Form","email","Email","Button","import_react_slot","import_react","import_lucide_react","EmailSignInButton","React","callbackUrl","className","variant","size","asChild","redirect","email","onFailure","onSent","props","ref","cn","buttonVariants","res","EmailSignInButton_default","import_react","import_react_slot","GoogleSSOButton","React","callbackUrl","className","variant","size","asChild","props","ref","cn","buttonVariants","GoogleLogo","GoogleLoginButton_default","import_react","import_react","import_react_query","import_react_hook_form","import_react_query","import_react","useSignUp","params","client","onSuccess","onError","beforeMutate","callbackUrl","mutation","_data","_a","possibleData","payload","tenantId","newTenantName","body","fetchUrl","searchParams","data","variables","queryClient","SignUpForm","props","client","React","SignInForm","signUp","useSignUp","form","Form","email","password","Email","Password","Button","SigningUp","props","React","SignUpForm","import_react","import_react","import_react_query","import_react_hook_form","import_react_query","import_react","useSignIn","params","onSuccess","onError","beforeMutate","callbackUrl","_data","d","possibleData","data","queryClient","SigningIn","props","client","remaining","React","SignInForm","signIn","useSignIn","form","Form","email","password","Email","Password","Button","SigningIn","props","React","import_react"]}
1
+ {"version":3,"sources":["../src/index.ts","../src/EmailSignIn/Form.tsx","../components/ui/form.tsx","../../../node_modules/clsx/dist/clsx.mjs","../../../node_modules/tailwind-merge/src/lib/class-group-utils.ts","../../../node_modules/tailwind-merge/src/lib/lru-cache.ts","../../../node_modules/tailwind-merge/src/lib/parse-class-name.ts","../../../node_modules/tailwind-merge/src/lib/config-utils.ts","../../../node_modules/tailwind-merge/src/lib/merge-classlist.ts","../../../node_modules/tailwind-merge/src/lib/tw-join.ts","../../../node_modules/tailwind-merge/src/lib/create-tailwind-merge.ts","../../../node_modules/tailwind-merge/src/lib/from-theme.ts","../../../node_modules/tailwind-merge/src/lib/validators.ts","../../../node_modules/tailwind-merge/src/lib/default-config.ts","../../../node_modules/tailwind-merge/src/lib/merge-configs.ts","../../../node_modules/tailwind-merge/src/lib/extend-tailwind-merge.ts","../../../node_modules/tailwind-merge/src/lib/tw-merge.ts","../lib/utils.ts","../components/ui/label.tsx","../../../node_modules/class-variance-authority/node_modules/clsx/dist/clsx.mjs","../../../node_modules/class-variance-authority/dist/index.mjs","../components/ui/input.tsx","../components/ui/button.tsx","../src/EmailSignIn/hooks.ts","../src/EmailSignIn/EmailSignInButton.tsx","../src/GoogleLoginButton/GoogleLoginButton.tsx","../src/AzureSignInButton/index.tsx","../src/DiscordSignInButton/index.tsx","../src/GitHubSignInButton/index.tsx","../src/HubSpotSignInButton/index.tsx","../src/LinkedInSignInButton/index.tsx","../src/SlackSignInButton/index.tsx","../src/XSignInButton/index.tsx","../src/SignUpForm/SignUpForm.tsx","../src/SignUpForm/Form.tsx","../src/SignUpForm/hooks.tsx","../src/SignInForm/SignInForm.tsx","../src/SignInForm/Form.tsx","../src/SignInForm/hooks.tsx"],"sourcesContent":["export {\n default as EmailSignIn,\n EmailSignInButton,\n useEmailSignIn,\n} from './EmailSignIn';\n\nexport { default as Google } from './GoogleLoginButton';\n\nexport { default as Azure } from './AzureSignInButton';\n\nexport { default as Discord } from './DiscordSignInButton';\n\nexport { default as GitHub } from './GitHubSignInButton';\n\nexport { default as HubSpot } from './HubSpotSignInButton';\n\nexport { default as LinkedIn } from './LinkedInSignInButton';\n\nexport { default as Slack } from './SlackSignInButton';\n\nexport { default as X } from './XSignInButton';\n\nexport { default as SignUpForm, useSignUp } from './SignUpForm';\n\nexport { default as SignInForm, useSignIn } from './SignInForm';\n\nexport { Email, Password } from '../components/ui/form';\n\nexport { signIn, signOut } from 'next-auth/react';\n","'use client';\nimport React from 'react';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { useForm } from 'react-hook-form';\nimport { Mail } from 'lucide-react';\n\nimport { Email, Form } from '../../components/ui/form';\nimport { Button } from '../../components/ui/button';\n\nimport { EmailSignInInfo, Props } from './types';\nimport { useSignIn } from './hooks';\n\nconst queryClient = new QueryClient();\n\nexport default function EmailSigningIn(props: Props) {\n const { client, ...remaining } = props ?? {};\n return (\n <QueryClientProvider client={client ?? queryClient}>\n <EmailSignInForm {...remaining} />\n </QueryClientProvider>\n );\n}\nexport function EmailSignInForm(props: Props & EmailSignInInfo) {\n const signIn = useSignIn(props);\n const form = useForm({ defaultValues: { email: '' } });\n return (\n <Form {...form}>\n <form\n onSubmit={form.handleSubmit(({ email }) => signIn && signIn({ email }))}\n className=\"space-y-8\"\n >\n <Email />\n <Button type=\"submit\" className=\"flex flex-row gap-2\">\n <Mail />\n Sign in with email\n </Button>\n </form>\n </Form>\n );\n}\n","import * as React from 'react';\nimport * as LabelPrimitive from '@radix-ui/react-label';\nimport { Slot } from '@radix-ui/react-slot';\nimport {\n Controller,\n ControllerProps,\n FieldPath,\n FieldValues,\n FormProvider,\n useFormContext,\n} from 'react-hook-form';\n\nimport { cn } from '../../lib/utils';\n\nimport { Label } from './label';\nimport { Input } from './input';\n\nconst Form = FormProvider;\n\ntype FormFieldContextValue<\n TFieldValues extends FieldValues = FieldValues,\n TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>\n> = {\n name: TName;\n};\n\nconst FormFieldContext = React.createContext<FormFieldContextValue>(\n {} as FormFieldContextValue\n);\n\ntype FormFieldType = <\n TFieldValues extends FieldValues = FieldValues,\n TName extends FieldPath<TFieldValues> = FieldPath<TFieldValues>\n>(\n props: ControllerProps<TFieldValues, TName>\n) => React.ReactElement;\n\nconst FormField: FormFieldType = ({ ...props }) => {\n return (\n <FormFieldContext.Provider value={{ name: props.name }}>\n <Controller {...props} />\n </FormFieldContext.Provider>\n );\n};\n\nconst useFormField = () => {\n const fieldContext = React.useContext(FormFieldContext);\n const itemContext = React.useContext(FormItemContext);\n const { getFieldState, formState } = useFormContext();\n\n const fieldState = getFieldState(fieldContext.name, formState);\n\n if (!fieldContext) {\n throw new Error('useFormField should be used within <FormField>');\n }\n\n const { id } = itemContext;\n\n return {\n id,\n name: fieldContext.name,\n formItemId: `${id}-form-item`,\n formDescriptionId: `${id}-form-item-description`,\n formMessageId: `${id}-form-item-message`,\n ...fieldState,\n };\n};\n\ntype FormItemContextValue = {\n id: string;\n};\n\nconst FormItemContext = React.createContext<FormItemContextValue>(\n {} as FormItemContextValue\n);\n\nconst FormItem = React.forwardRef<\n HTMLDivElement,\n React.HTMLAttributes<HTMLDivElement>\n>(({ className, ...props }, ref) => {\n const id = React.useId();\n\n return (\n <FormItemContext.Provider value={{ id }}>\n <div ref={ref} className={cn('space-y-2', className)} {...props} />\n </FormItemContext.Provider>\n );\n});\nFormItem.displayName = 'FormItem';\n\nconst FormLabel = React.forwardRef<\n React.ComponentRef<typeof LabelPrimitive.Root>,\n React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root>\n>(({ className, ...props }, ref) => {\n const { error, formItemId } = useFormField();\n\n return (\n <Label\n ref={ref}\n className={cn(error && 'text-destructive', className)}\n htmlFor={formItemId}\n {...props}\n />\n );\n});\nFormLabel.displayName = 'FormLabel';\n\nconst FormControl = React.forwardRef<\n React.ComponentRef<typeof Slot>,\n React.ComponentPropsWithoutRef<typeof Slot>\n>(({ ...props }, ref) => {\n const { error, formItemId, formDescriptionId, formMessageId } =\n useFormField();\n\n return (\n <Slot\n ref={ref}\n id={formItemId}\n aria-describedby={\n !error\n ? `${formDescriptionId}`\n : `${formDescriptionId} ${formMessageId}`\n }\n aria-invalid={!!error}\n {...props}\n />\n );\n});\nFormControl.displayName = 'FormControl';\n\nconst FormDescription = React.forwardRef<\n HTMLParagraphElement,\n React.HTMLAttributes<HTMLParagraphElement>\n>(({ className, ...props }, ref) => {\n const { formDescriptionId } = useFormField();\n\n return (\n <p\n ref={ref}\n id={formDescriptionId}\n className={cn('text-sm text-muted-foreground', className)}\n {...props}\n />\n );\n});\nFormDescription.displayName = 'FormDescription';\n\nconst FormMessage = React.forwardRef<\n HTMLParagraphElement,\n React.HTMLAttributes<HTMLParagraphElement>\n>(({ className, children, ...props }, ref) => {\n const { error, formMessageId } = useFormField();\n const body = error ? String(error?.message) : children;\n\n if (!body) {\n return null;\n }\n\n return (\n <p\n ref={ref}\n id={formMessageId}\n className={cn('text-sm font-medium text-destructive', className)}\n {...props}\n >\n {body}\n </p>\n );\n});\nFormMessage.displayName = 'FormMessage';\n\nconst Email = () => {\n const form = useFormContext();\n return (\n <FormField\n control={form.control}\n name=\"email\"\n render={({ field }) => {\n return (\n <FormItem>\n <FormLabel>Email</FormLabel>\n <FormControl>\n <Input\n placeholder=\"Email\"\n {...field}\n autoComplete=\"current-email\"\n />\n </FormControl>\n <FormDescription>Your email address</FormDescription>\n <FormMessage />\n </FormItem>\n );\n }}\n />\n );\n};\n\nconst Password = () => {\n const form = useFormContext();\n return (\n <FormField\n control={form.control}\n name=\"password\"\n render={({ field }) => {\n return (\n <FormItem>\n <FormLabel>Password</FormLabel>\n <FormControl>\n <Input\n placeholder=\"Password\"\n {...field}\n type=\"password\"\n autoComplete=\"current-password\"\n />\n </FormControl>\n <FormDescription>The desired password</FormDescription>\n <FormMessage />\n </FormItem>\n );\n }}\n />\n );\n};\n\nexport {\n useFormField,\n Form,\n FormItem,\n FormLabel,\n FormControl,\n FormDescription,\n FormMessage,\n FormField,\n Email,\n Password,\n};\n","function r(e){var t,f,n=\"\";if(\"string\"==typeof e||\"number\"==typeof e)n+=e;else if(\"object\"==typeof e)if(Array.isArray(e)){var o=e.length;for(t=0;t<o;t++)e[t]&&(f=r(e[t]))&&(n&&(n+=\" \"),n+=f)}else for(f in e)e[f]&&(n&&(n+=\" \"),n+=f);return n}export function clsx(){for(var e,t,f=0,n=\"\",o=arguments.length;f<o;f++)(e=arguments[f])&&(t=r(e))&&(n&&(n+=\" \"),n+=t);return n}export default clsx;","import {\n ClassGroup,\n ClassValidator,\n Config,\n GenericClassGroupIds,\n GenericConfig,\n GenericThemeGroupIds,\n ThemeGetter,\n ThemeObject,\n} from './types'\n\nexport interface ClassPartObject {\n nextPart: Map<string, ClassPartObject>\n validators: ClassValidatorObject[]\n classGroupId?: GenericClassGroupIds\n}\n\ninterface ClassValidatorObject {\n classGroupId: GenericClassGroupIds\n validator: ClassValidator\n}\n\nconst CLASS_PART_SEPARATOR = '-'\n\nexport const createClassGroupUtils = (config: GenericConfig) => {\n const classMap = createClassMap(config)\n const { conflictingClassGroups, conflictingClassGroupModifiers } = config\n\n const getClassGroupId = (className: string) => {\n const classParts = className.split(CLASS_PART_SEPARATOR)\n\n // Classes like `-inset-1` produce an empty string as first classPart. We assume that classes for negative values are used correctly and remove it from classParts.\n if (classParts[0] === '' && classParts.length !== 1) {\n classParts.shift()\n }\n\n return getGroupRecursive(classParts, classMap) || getGroupIdForArbitraryProperty(className)\n }\n\n const getConflictingClassGroupIds = (\n classGroupId: GenericClassGroupIds,\n hasPostfixModifier: boolean,\n ) => {\n const conflicts = conflictingClassGroups[classGroupId] || []\n\n if (hasPostfixModifier && conflictingClassGroupModifiers[classGroupId]) {\n return [...conflicts, ...conflictingClassGroupModifiers[classGroupId]!]\n }\n\n return conflicts\n }\n\n return {\n getClassGroupId,\n getConflictingClassGroupIds,\n }\n}\n\nconst getGroupRecursive = (\n classParts: string[],\n classPartObject: ClassPartObject,\n): GenericClassGroupIds | undefined => {\n if (classParts.length === 0) {\n return classPartObject.classGroupId\n }\n\n const currentClassPart = classParts[0]!\n const nextClassPartObject = classPartObject.nextPart.get(currentClassPart)\n const classGroupFromNextClassPart = nextClassPartObject\n ? getGroupRecursive(classParts.slice(1), nextClassPartObject)\n : undefined\n\n if (classGroupFromNextClassPart) {\n return classGroupFromNextClassPart\n }\n\n if (classPartObject.validators.length === 0) {\n return undefined\n }\n\n const classRest = classParts.join(CLASS_PART_SEPARATOR)\n\n return classPartObject.validators.find(({ validator }) => validator(classRest))?.classGroupId\n}\n\nconst arbitraryPropertyRegex = /^\\[(.+)\\]$/\n\nconst getGroupIdForArbitraryProperty = (className: string) => {\n if (arbitraryPropertyRegex.test(className)) {\n const arbitraryPropertyClassName = arbitraryPropertyRegex.exec(className)![1]\n const property = arbitraryPropertyClassName?.substring(\n 0,\n arbitraryPropertyClassName.indexOf(':'),\n )\n\n if (property) {\n // I use two dots here because one dot is used as prefix for class groups in plugins\n return 'arbitrary..' + property\n }\n }\n}\n\n/**\n * Exported for testing only\n */\nexport const createClassMap = (config: Config<GenericClassGroupIds, GenericThemeGroupIds>) => {\n const { theme, prefix } = config\n const classMap: ClassPartObject = {\n nextPart: new Map<string, ClassPartObject>(),\n validators: [],\n }\n\n const prefixedClassGroupEntries = getPrefixedClassGroupEntries(\n Object.entries(config.classGroups),\n prefix,\n )\n\n prefixedClassGroupEntries.forEach(([classGroupId, classGroup]) => {\n processClassesRecursively(classGroup, classMap, classGroupId, theme)\n })\n\n return classMap\n}\n\nconst processClassesRecursively = (\n classGroup: ClassGroup<GenericThemeGroupIds>,\n classPartObject: ClassPartObject,\n classGroupId: GenericClassGroupIds,\n theme: ThemeObject<GenericThemeGroupIds>,\n) => {\n classGroup.forEach((classDefinition) => {\n if (typeof classDefinition === 'string') {\n const classPartObjectToEdit =\n classDefinition === '' ? classPartObject : getPart(classPartObject, classDefinition)\n classPartObjectToEdit.classGroupId = classGroupId\n return\n }\n\n if (typeof classDefinition === 'function') {\n if (isThemeGetter(classDefinition)) {\n processClassesRecursively(\n classDefinition(theme),\n classPartObject,\n classGroupId,\n theme,\n )\n return\n }\n\n classPartObject.validators.push({\n validator: classDefinition,\n classGroupId,\n })\n\n return\n }\n\n Object.entries(classDefinition).forEach(([key, classGroup]) => {\n processClassesRecursively(\n classGroup,\n getPart(classPartObject, key),\n classGroupId,\n theme,\n )\n })\n })\n}\n\nconst getPart = (classPartObject: ClassPartObject, path: string) => {\n let currentClassPartObject = classPartObject\n\n path.split(CLASS_PART_SEPARATOR).forEach((pathPart) => {\n if (!currentClassPartObject.nextPart.has(pathPart)) {\n currentClassPartObject.nextPart.set(pathPart, {\n nextPart: new Map(),\n validators: [],\n })\n }\n\n currentClassPartObject = currentClassPartObject.nextPart.get(pathPart)!\n })\n\n return currentClassPartObject\n}\n\nconst isThemeGetter = (func: ClassValidator | ThemeGetter): func is ThemeGetter =>\n (func as ThemeGetter).isThemeGetter\n\nconst getPrefixedClassGroupEntries = (\n classGroupEntries: Array<[classGroupId: string, classGroup: ClassGroup<GenericThemeGroupIds>]>,\n prefix: string | undefined,\n): Array<[classGroupId: string, classGroup: ClassGroup<GenericThemeGroupIds>]> => {\n if (!prefix) {\n return classGroupEntries\n }\n\n return classGroupEntries.map(([classGroupId, classGroup]) => {\n const prefixedClassGroup = classGroup.map((classDefinition) => {\n if (typeof classDefinition === 'string') {\n return prefix + classDefinition\n }\n\n if (typeof classDefinition === 'object') {\n return Object.fromEntries(\n Object.entries(classDefinition).map(([key, value]) => [prefix + key, value]),\n )\n }\n\n return classDefinition\n })\n\n return [classGroupId, prefixedClassGroup]\n })\n}\n","// Export is needed because TypeScript complains about an error otherwise:\n// Error: …/tailwind-merge/src/config-utils.ts(8,17): semantic error TS4058: Return type of exported function has or is using name 'LruCache' from external module \"…/tailwind-merge/src/lru-cache\" but cannot be named.\nexport interface LruCache<Key, Value> {\n get(key: Key): Value | undefined\n set(key: Key, value: Value): void\n}\n\n// LRU cache inspired from hashlru (https://github.com/dominictarr/hashlru/blob/v1.0.4/index.js) but object replaced with Map to improve performance\nexport const createLruCache = <Key, Value>(maxCacheSize: number): LruCache<Key, Value> => {\n if (maxCacheSize < 1) {\n return {\n get: () => undefined,\n set: () => {},\n }\n }\n\n let cacheSize = 0\n let cache = new Map<Key, Value>()\n let previousCache = new Map<Key, Value>()\n\n const update = (key: Key, value: Value) => {\n cache.set(key, value)\n cacheSize++\n\n if (cacheSize > maxCacheSize) {\n cacheSize = 0\n previousCache = cache\n cache = new Map()\n }\n }\n\n return {\n get(key) {\n let value = cache.get(key)\n\n if (value !== undefined) {\n return value\n }\n if ((value = previousCache.get(key)) !== undefined) {\n update(key, value)\n return value\n }\n },\n set(key, value) {\n if (cache.has(key)) {\n cache.set(key, value)\n } else {\n update(key, value)\n }\n },\n }\n}\n","import { GenericConfig } from './types'\n\nexport const IMPORTANT_MODIFIER = '!'\n\nexport const createParseClassName = (config: GenericConfig) => {\n const { separator, experimentalParseClassName } = config\n const isSeparatorSingleCharacter = separator.length === 1\n const firstSeparatorCharacter = separator[0]\n const separatorLength = separator.length\n\n // parseClassName inspired by https://github.com/tailwindlabs/tailwindcss/blob/v3.2.2/src/util/splitAtTopLevelOnly.js\n const parseClassName = (className: string) => {\n const modifiers = []\n\n let bracketDepth = 0\n let modifierStart = 0\n let postfixModifierPosition: number | undefined\n\n for (let index = 0; index < className.length; index++) {\n let currentCharacter = className[index]\n\n if (bracketDepth === 0) {\n if (\n currentCharacter === firstSeparatorCharacter &&\n (isSeparatorSingleCharacter ||\n className.slice(index, index + separatorLength) === separator)\n ) {\n modifiers.push(className.slice(modifierStart, index))\n modifierStart = index + separatorLength\n continue\n }\n\n if (currentCharacter === '/') {\n postfixModifierPosition = index\n continue\n }\n }\n\n if (currentCharacter === '[') {\n bracketDepth++\n } else if (currentCharacter === ']') {\n bracketDepth--\n }\n }\n\n const baseClassNameWithImportantModifier =\n modifiers.length === 0 ? className : className.substring(modifierStart)\n const hasImportantModifier =\n baseClassNameWithImportantModifier.startsWith(IMPORTANT_MODIFIER)\n const baseClassName = hasImportantModifier\n ? baseClassNameWithImportantModifier.substring(1)\n : baseClassNameWithImportantModifier\n\n const maybePostfixModifierPosition =\n postfixModifierPosition && postfixModifierPosition > modifierStart\n ? postfixModifierPosition - modifierStart\n : undefined\n\n return {\n modifiers,\n hasImportantModifier,\n baseClassName,\n maybePostfixModifierPosition,\n }\n }\n\n if (experimentalParseClassName) {\n return (className: string) => experimentalParseClassName({ className, parseClassName })\n }\n\n return parseClassName\n}\n\n/**\n * Sorts modifiers according to following schema:\n * - Predefined modifiers are sorted alphabetically\n * - When an arbitrary variant appears, it must be preserved which modifiers are before and after it\n */\nexport const sortModifiers = (modifiers: string[]) => {\n if (modifiers.length <= 1) {\n return modifiers\n }\n\n const sortedModifiers: string[] = []\n let unsortedModifiers: string[] = []\n\n modifiers.forEach((modifier) => {\n const isArbitraryVariant = modifier[0] === '['\n\n if (isArbitraryVariant) {\n sortedModifiers.push(...unsortedModifiers.sort(), modifier)\n unsortedModifiers = []\n } else {\n unsortedModifiers.push(modifier)\n }\n })\n\n sortedModifiers.push(...unsortedModifiers.sort())\n\n return sortedModifiers\n}\n","import { createClassGroupUtils } from './class-group-utils'\nimport { createLruCache } from './lru-cache'\nimport { createParseClassName } from './parse-class-name'\nimport { GenericConfig } from './types'\n\nexport type ConfigUtils = ReturnType<typeof createConfigUtils>\n\nexport const createConfigUtils = (config: GenericConfig) => ({\n cache: createLruCache<string, string>(config.cacheSize),\n parseClassName: createParseClassName(config),\n ...createClassGroupUtils(config),\n})\n","import { ConfigUtils } from './config-utils'\nimport { IMPORTANT_MODIFIER, sortModifiers } from './parse-class-name'\n\nconst SPLIT_CLASSES_REGEX = /\\s+/\n\nexport const mergeClassList = (classList: string, configUtils: ConfigUtils) => {\n const { parseClassName, getClassGroupId, getConflictingClassGroupIds } = configUtils\n\n /**\n * Set of classGroupIds in following format:\n * `{importantModifier}{variantModifiers}{classGroupId}`\n * @example 'float'\n * @example 'hover:focus:bg-color'\n * @example 'md:!pr'\n */\n const classGroupsInConflict: string[] = []\n const classNames = classList.trim().split(SPLIT_CLASSES_REGEX)\n\n let result = ''\n\n for (let index = classNames.length - 1; index >= 0; index -= 1) {\n const originalClassName = classNames[index]!\n\n const { modifiers, hasImportantModifier, baseClassName, maybePostfixModifierPosition } =\n parseClassName(originalClassName)\n\n let hasPostfixModifier = Boolean(maybePostfixModifierPosition)\n let classGroupId = getClassGroupId(\n hasPostfixModifier\n ? baseClassName.substring(0, maybePostfixModifierPosition)\n : baseClassName,\n )\n\n if (!classGroupId) {\n if (!hasPostfixModifier) {\n // Not a Tailwind class\n result = originalClassName + (result.length > 0 ? ' ' + result : result)\n continue\n }\n\n classGroupId = getClassGroupId(baseClassName)\n\n if (!classGroupId) {\n // Not a Tailwind class\n result = originalClassName + (result.length > 0 ? ' ' + result : result)\n continue\n }\n\n hasPostfixModifier = false\n }\n\n const variantModifier = sortModifiers(modifiers).join(':')\n\n const modifierId = hasImportantModifier\n ? variantModifier + IMPORTANT_MODIFIER\n : variantModifier\n\n const classId = modifierId + classGroupId\n\n if (classGroupsInConflict.includes(classId)) {\n // Tailwind class omitted due to conflict\n continue\n }\n\n classGroupsInConflict.push(classId)\n\n const conflictGroups = getConflictingClassGroupIds(classGroupId, hasPostfixModifier)\n for (let i = 0; i < conflictGroups.length; ++i) {\n const group = conflictGroups[i]!\n classGroupsInConflict.push(modifierId + group)\n }\n\n // Tailwind class not in conflict\n result = originalClassName + (result.length > 0 ? ' ' + result : result)\n }\n\n return result\n}\n","/**\n * The code in this file is copied from https://github.com/lukeed/clsx and modified to suit the needs of tailwind-merge better.\n *\n * Specifically:\n * - Runtime code from https://github.com/lukeed/clsx/blob/v1.2.1/src/index.js\n * - TypeScript types from https://github.com/lukeed/clsx/blob/v1.2.1/clsx.d.ts\n *\n * Original code has MIT license: Copyright (c) Luke Edwards <luke.edwards05@gmail.com> (lukeed.com)\n */\n\nexport type ClassNameValue = ClassNameArray | string | null | undefined | 0 | 0n | false\ntype ClassNameArray = ClassNameValue[]\n\nexport function twJoin(...classLists: ClassNameValue[]): string\nexport function twJoin() {\n let index = 0\n let argument: ClassNameValue\n let resolvedValue: string\n let string = ''\n\n while (index < arguments.length) {\n if ((argument = arguments[index++])) {\n if ((resolvedValue = toValue(argument))) {\n string && (string += ' ')\n string += resolvedValue\n }\n }\n }\n return string\n}\n\nconst toValue = (mix: ClassNameArray | string) => {\n if (typeof mix === 'string') {\n return mix\n }\n\n let resolvedValue: string\n let string = ''\n\n for (let k = 0; k < mix.length; k++) {\n if (mix[k]) {\n if ((resolvedValue = toValue(mix[k] as ClassNameArray | string))) {\n string && (string += ' ')\n string += resolvedValue\n }\n }\n }\n\n return string\n}\n","import { createConfigUtils } from './config-utils'\nimport { mergeClassList } from './merge-classlist'\nimport { ClassNameValue, twJoin } from './tw-join'\nimport { GenericConfig } from './types'\n\ntype CreateConfigFirst = () => GenericConfig\ntype CreateConfigSubsequent = (config: GenericConfig) => GenericConfig\ntype TailwindMerge = (...classLists: ClassNameValue[]) => string\ntype ConfigUtils = ReturnType<typeof createConfigUtils>\n\nexport function createTailwindMerge(\n createConfigFirst: CreateConfigFirst,\n ...createConfigRest: CreateConfigSubsequent[]\n): TailwindMerge {\n let configUtils: ConfigUtils\n let cacheGet: ConfigUtils['cache']['get']\n let cacheSet: ConfigUtils['cache']['set']\n let functionToCall = initTailwindMerge\n\n function initTailwindMerge(classList: string) {\n const config = createConfigRest.reduce(\n (previousConfig, createConfigCurrent) => createConfigCurrent(previousConfig),\n createConfigFirst() as GenericConfig,\n )\n\n configUtils = createConfigUtils(config)\n cacheGet = configUtils.cache.get\n cacheSet = configUtils.cache.set\n functionToCall = tailwindMerge\n\n return tailwindMerge(classList)\n }\n\n function tailwindMerge(classList: string) {\n const cachedResult = cacheGet(classList)\n\n if (cachedResult) {\n return cachedResult\n }\n\n const result = mergeClassList(classList, configUtils)\n cacheSet(classList, result)\n\n return result\n }\n\n return function callTailwindMerge() {\n return functionToCall(twJoin.apply(null, arguments as any))\n }\n}\n","import { DefaultThemeGroupIds, NoInfer, ThemeGetter, ThemeObject } from './types'\n\nexport const fromTheme = <\n AdditionalThemeGroupIds extends string = never,\n DefaultThemeGroupIdsInner extends string = DefaultThemeGroupIds,\n>(key: NoInfer<DefaultThemeGroupIdsInner | AdditionalThemeGroupIds>): ThemeGetter => {\n const themeGetter = (theme: ThemeObject<DefaultThemeGroupIdsInner | AdditionalThemeGroupIds>) =>\n theme[key] || []\n\n themeGetter.isThemeGetter = true as const\n\n return themeGetter\n}\n","const arbitraryValueRegex = /^\\[(?:([a-z-]+):)?(.+)\\]$/i\nconst fractionRegex = /^\\d+\\/\\d+$/\nconst stringLengths = new Set(['px', 'full', 'screen'])\nconst tshirtUnitRegex = /^(\\d+(\\.\\d+)?)?(xs|sm|md|lg|xl)$/\nconst lengthUnitRegex =\n /\\d+(%|px|r?em|[sdl]?v([hwib]|min|max)|pt|pc|in|cm|mm|cap|ch|ex|r?lh|cq(w|h|i|b|min|max))|\\b(calc|min|max|clamp)\\(.+\\)|^0$/\nconst colorFunctionRegex = /^(rgba?|hsla?|hwb|(ok)?(lab|lch))\\(.+\\)$/\n// Shadow always begins with x and y offset separated by underscore optionally prepended by inset\nconst shadowRegex = /^(inset_)?-?((\\d+)?\\.?(\\d+)[a-z]+|0)_-?((\\d+)?\\.?(\\d+)[a-z]+|0)/\nconst imageRegex =\n /^(url|image|image-set|cross-fade|element|(repeating-)?(linear|radial|conic)-gradient)\\(.+\\)$/\n\nexport const isLength = (value: string) =>\n isNumber(value) || stringLengths.has(value) || fractionRegex.test(value)\n\nexport const isArbitraryLength = (value: string) =>\n getIsArbitraryValue(value, 'length', isLengthOnly)\n\nexport const isNumber = (value: string) => Boolean(value) && !Number.isNaN(Number(value))\n\nexport const isArbitraryNumber = (value: string) => getIsArbitraryValue(value, 'number', isNumber)\n\nexport const isInteger = (value: string) => Boolean(value) && Number.isInteger(Number(value))\n\nexport const isPercent = (value: string) => value.endsWith('%') && isNumber(value.slice(0, -1))\n\nexport const isArbitraryValue = (value: string) => arbitraryValueRegex.test(value)\n\nexport const isTshirtSize = (value: string) => tshirtUnitRegex.test(value)\n\nconst sizeLabels = new Set(['length', 'size', 'percentage'])\n\nexport const isArbitrarySize = (value: string) => getIsArbitraryValue(value, sizeLabels, isNever)\n\nexport const isArbitraryPosition = (value: string) =>\n getIsArbitraryValue(value, 'position', isNever)\n\nconst imageLabels = new Set(['image', 'url'])\n\nexport const isArbitraryImage = (value: string) => getIsArbitraryValue(value, imageLabels, isImage)\n\nexport const isArbitraryShadow = (value: string) => getIsArbitraryValue(value, '', isShadow)\n\nexport const isAny = () => true\n\nconst getIsArbitraryValue = (\n value: string,\n label: string | Set<string>,\n testValue: (value: string) => boolean,\n) => {\n const result = arbitraryValueRegex.exec(value)\n\n if (result) {\n if (result[1]) {\n return typeof label === 'string' ? result[1] === label : label.has(result[1])\n }\n\n return testValue(result[2]!)\n }\n\n return false\n}\n\nconst isLengthOnly = (value: string) =>\n // `colorFunctionRegex` check is necessary because color functions can have percentages in them which which would be incorrectly classified as lengths.\n // For example, `hsl(0 0% 0%)` would be classified as a length without this check.\n // I could also use lookbehind assertion in `lengthUnitRegex` but that isn't supported widely enough.\n lengthUnitRegex.test(value) && !colorFunctionRegex.test(value)\n\nconst isNever = () => false\n\nconst isShadow = (value: string) => shadowRegex.test(value)\n\nconst isImage = (value: string) => imageRegex.test(value)\n","import { fromTheme } from './from-theme'\nimport { Config, DefaultClassGroupIds, DefaultThemeGroupIds } from './types'\nimport {\n isAny,\n isArbitraryImage,\n isArbitraryLength,\n isArbitraryNumber,\n isArbitraryPosition,\n isArbitraryShadow,\n isArbitrarySize,\n isArbitraryValue,\n isInteger,\n isLength,\n isNumber,\n isPercent,\n isTshirtSize,\n} from './validators'\n\nexport const getDefaultConfig = () => {\n const colors = fromTheme('colors')\n const spacing = fromTheme('spacing')\n const blur = fromTheme('blur')\n const brightness = fromTheme('brightness')\n const borderColor = fromTheme('borderColor')\n const borderRadius = fromTheme('borderRadius')\n const borderSpacing = fromTheme('borderSpacing')\n const borderWidth = fromTheme('borderWidth')\n const contrast = fromTheme('contrast')\n const grayscale = fromTheme('grayscale')\n const hueRotate = fromTheme('hueRotate')\n const invert = fromTheme('invert')\n const gap = fromTheme('gap')\n const gradientColorStops = fromTheme('gradientColorStops')\n const gradientColorStopPositions = fromTheme('gradientColorStopPositions')\n const inset = fromTheme('inset')\n const margin = fromTheme('margin')\n const opacity = fromTheme('opacity')\n const padding = fromTheme('padding')\n const saturate = fromTheme('saturate')\n const scale = fromTheme('scale')\n const sepia = fromTheme('sepia')\n const skew = fromTheme('skew')\n const space = fromTheme('space')\n const translate = fromTheme('translate')\n\n const getOverscroll = () => ['auto', 'contain', 'none'] as const\n const getOverflow = () => ['auto', 'hidden', 'clip', 'visible', 'scroll'] as const\n const getSpacingWithAutoAndArbitrary = () => ['auto', isArbitraryValue, spacing] as const\n const getSpacingWithArbitrary = () => [isArbitraryValue, spacing] as const\n const getLengthWithEmptyAndArbitrary = () => ['', isLength, isArbitraryLength] as const\n const getNumberWithAutoAndArbitrary = () => ['auto', isNumber, isArbitraryValue] as const\n const getPositions = () =>\n [\n 'bottom',\n 'center',\n 'left',\n 'left-bottom',\n 'left-top',\n 'right',\n 'right-bottom',\n 'right-top',\n 'top',\n ] as const\n const getLineStyles = () => ['solid', 'dashed', 'dotted', 'double', 'none'] as const\n const getBlendModes = () =>\n [\n 'normal',\n 'multiply',\n 'screen',\n 'overlay',\n 'darken',\n 'lighten',\n 'color-dodge',\n 'color-burn',\n 'hard-light',\n 'soft-light',\n 'difference',\n 'exclusion',\n 'hue',\n 'saturation',\n 'color',\n 'luminosity',\n ] as const\n const getAlign = () =>\n ['start', 'end', 'center', 'between', 'around', 'evenly', 'stretch'] as const\n const getZeroAndEmpty = () => ['', '0', isArbitraryValue] as const\n const getBreaks = () =>\n ['auto', 'avoid', 'all', 'avoid-page', 'page', 'left', 'right', 'column'] as const\n const getNumberAndArbitrary = () => [isNumber, isArbitraryValue]\n\n return {\n cacheSize: 500,\n separator: ':',\n theme: {\n colors: [isAny],\n spacing: [isLength, isArbitraryLength],\n blur: ['none', '', isTshirtSize, isArbitraryValue],\n brightness: getNumberAndArbitrary(),\n borderColor: [colors],\n borderRadius: ['none', '', 'full', isTshirtSize, isArbitraryValue],\n borderSpacing: getSpacingWithArbitrary(),\n borderWidth: getLengthWithEmptyAndArbitrary(),\n contrast: getNumberAndArbitrary(),\n grayscale: getZeroAndEmpty(),\n hueRotate: getNumberAndArbitrary(),\n invert: getZeroAndEmpty(),\n gap: getSpacingWithArbitrary(),\n gradientColorStops: [colors],\n gradientColorStopPositions: [isPercent, isArbitraryLength],\n inset: getSpacingWithAutoAndArbitrary(),\n margin: getSpacingWithAutoAndArbitrary(),\n opacity: getNumberAndArbitrary(),\n padding: getSpacingWithArbitrary(),\n saturate: getNumberAndArbitrary(),\n scale: getNumberAndArbitrary(),\n sepia: getZeroAndEmpty(),\n skew: getNumberAndArbitrary(),\n space: getSpacingWithArbitrary(),\n translate: getSpacingWithArbitrary(),\n },\n classGroups: {\n // Layout\n /**\n * Aspect Ratio\n * @see https://tailwindcss.com/docs/aspect-ratio\n */\n aspect: [{ aspect: ['auto', 'square', 'video', isArbitraryValue] }],\n /**\n * Container\n * @see https://tailwindcss.com/docs/container\n */\n container: ['container'],\n /**\n * Columns\n * @see https://tailwindcss.com/docs/columns\n */\n columns: [{ columns: [isTshirtSize] }],\n /**\n * Break After\n * @see https://tailwindcss.com/docs/break-after\n */\n 'break-after': [{ 'break-after': getBreaks() }],\n /**\n * Break Before\n * @see https://tailwindcss.com/docs/break-before\n */\n 'break-before': [{ 'break-before': getBreaks() }],\n /**\n * Break Inside\n * @see https://tailwindcss.com/docs/break-inside\n */\n 'break-inside': [{ 'break-inside': ['auto', 'avoid', 'avoid-page', 'avoid-column'] }],\n /**\n * Box Decoration Break\n * @see https://tailwindcss.com/docs/box-decoration-break\n */\n 'box-decoration': [{ 'box-decoration': ['slice', 'clone'] }],\n /**\n * Box Sizing\n * @see https://tailwindcss.com/docs/box-sizing\n */\n box: [{ box: ['border', 'content'] }],\n /**\n * Display\n * @see https://tailwindcss.com/docs/display\n */\n display: [\n 'block',\n 'inline-block',\n 'inline',\n 'flex',\n 'inline-flex',\n 'table',\n 'inline-table',\n 'table-caption',\n 'table-cell',\n 'table-column',\n 'table-column-group',\n 'table-footer-group',\n 'table-header-group',\n 'table-row-group',\n 'table-row',\n 'flow-root',\n 'grid',\n 'inline-grid',\n 'contents',\n 'list-item',\n 'hidden',\n ],\n /**\n * Floats\n * @see https://tailwindcss.com/docs/float\n */\n float: [{ float: ['right', 'left', 'none', 'start', 'end'] }],\n /**\n * Clear\n * @see https://tailwindcss.com/docs/clear\n */\n clear: [{ clear: ['left', 'right', 'both', 'none', 'start', 'end'] }],\n /**\n * Isolation\n * @see https://tailwindcss.com/docs/isolation\n */\n isolation: ['isolate', 'isolation-auto'],\n /**\n * Object Fit\n * @see https://tailwindcss.com/docs/object-fit\n */\n 'object-fit': [{ object: ['contain', 'cover', 'fill', 'none', 'scale-down'] }],\n /**\n * Object Position\n * @see https://tailwindcss.com/docs/object-position\n */\n 'object-position': [{ object: [...getPositions(), isArbitraryValue] }],\n /**\n * Overflow\n * @see https://tailwindcss.com/docs/overflow\n */\n overflow: [{ overflow: getOverflow() }],\n /**\n * Overflow X\n * @see https://tailwindcss.com/docs/overflow\n */\n 'overflow-x': [{ 'overflow-x': getOverflow() }],\n /**\n * Overflow Y\n * @see https://tailwindcss.com/docs/overflow\n */\n 'overflow-y': [{ 'overflow-y': getOverflow() }],\n /**\n * Overscroll Behavior\n * @see https://tailwindcss.com/docs/overscroll-behavior\n */\n overscroll: [{ overscroll: getOverscroll() }],\n /**\n * Overscroll Behavior X\n * @see https://tailwindcss.com/docs/overscroll-behavior\n */\n 'overscroll-x': [{ 'overscroll-x': getOverscroll() }],\n /**\n * Overscroll Behavior Y\n * @see https://tailwindcss.com/docs/overscroll-behavior\n */\n 'overscroll-y': [{ 'overscroll-y': getOverscroll() }],\n /**\n * Position\n * @see https://tailwindcss.com/docs/position\n */\n position: ['static', 'fixed', 'absolute', 'relative', 'sticky'],\n /**\n * Top / Right / Bottom / Left\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n inset: [{ inset: [inset] }],\n /**\n * Right / Left\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n 'inset-x': [{ 'inset-x': [inset] }],\n /**\n * Top / Bottom\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n 'inset-y': [{ 'inset-y': [inset] }],\n /**\n * Start\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n start: [{ start: [inset] }],\n /**\n * End\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n end: [{ end: [inset] }],\n /**\n * Top\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n top: [{ top: [inset] }],\n /**\n * Right\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n right: [{ right: [inset] }],\n /**\n * Bottom\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n bottom: [{ bottom: [inset] }],\n /**\n * Left\n * @see https://tailwindcss.com/docs/top-right-bottom-left\n */\n left: [{ left: [inset] }],\n /**\n * Visibility\n * @see https://tailwindcss.com/docs/visibility\n */\n visibility: ['visible', 'invisible', 'collapse'],\n /**\n * Z-Index\n * @see https://tailwindcss.com/docs/z-index\n */\n z: [{ z: ['auto', isInteger, isArbitraryValue] }],\n // Flexbox and Grid\n /**\n * Flex Basis\n * @see https://tailwindcss.com/docs/flex-basis\n */\n basis: [{ basis: getSpacingWithAutoAndArbitrary() }],\n /**\n * Flex Direction\n * @see https://tailwindcss.com/docs/flex-direction\n */\n 'flex-direction': [{ flex: ['row', 'row-reverse', 'col', 'col-reverse'] }],\n /**\n * Flex Wrap\n * @see https://tailwindcss.com/docs/flex-wrap\n */\n 'flex-wrap': [{ flex: ['wrap', 'wrap-reverse', 'nowrap'] }],\n /**\n * Flex\n * @see https://tailwindcss.com/docs/flex\n */\n flex: [{ flex: ['1', 'auto', 'initial', 'none', isArbitraryValue] }],\n /**\n * Flex Grow\n * @see https://tailwindcss.com/docs/flex-grow\n */\n grow: [{ grow: getZeroAndEmpty() }],\n /**\n * Flex Shrink\n * @see https://tailwindcss.com/docs/flex-shrink\n */\n shrink: [{ shrink: getZeroAndEmpty() }],\n /**\n * Order\n * @see https://tailwindcss.com/docs/order\n */\n order: [{ order: ['first', 'last', 'none', isInteger, isArbitraryValue] }],\n /**\n * Grid Template Columns\n * @see https://tailwindcss.com/docs/grid-template-columns\n */\n 'grid-cols': [{ 'grid-cols': [isAny] }],\n /**\n * Grid Column Start / End\n * @see https://tailwindcss.com/docs/grid-column\n */\n 'col-start-end': [\n {\n col: [\n 'auto',\n { span: ['full', isInteger, isArbitraryValue] },\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Grid Column Start\n * @see https://tailwindcss.com/docs/grid-column\n */\n 'col-start': [{ 'col-start': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Column End\n * @see https://tailwindcss.com/docs/grid-column\n */\n 'col-end': [{ 'col-end': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Template Rows\n * @see https://tailwindcss.com/docs/grid-template-rows\n */\n 'grid-rows': [{ 'grid-rows': [isAny] }],\n /**\n * Grid Row Start / End\n * @see https://tailwindcss.com/docs/grid-row\n */\n 'row-start-end': [\n { row: ['auto', { span: [isInteger, isArbitraryValue] }, isArbitraryValue] },\n ],\n /**\n * Grid Row Start\n * @see https://tailwindcss.com/docs/grid-row\n */\n 'row-start': [{ 'row-start': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Row End\n * @see https://tailwindcss.com/docs/grid-row\n */\n 'row-end': [{ 'row-end': getNumberWithAutoAndArbitrary() }],\n /**\n * Grid Auto Flow\n * @see https://tailwindcss.com/docs/grid-auto-flow\n */\n 'grid-flow': [{ 'grid-flow': ['row', 'col', 'dense', 'row-dense', 'col-dense'] }],\n /**\n * Grid Auto Columns\n * @see https://tailwindcss.com/docs/grid-auto-columns\n */\n 'auto-cols': [{ 'auto-cols': ['auto', 'min', 'max', 'fr', isArbitraryValue] }],\n /**\n * Grid Auto Rows\n * @see https://tailwindcss.com/docs/grid-auto-rows\n */\n 'auto-rows': [{ 'auto-rows': ['auto', 'min', 'max', 'fr', isArbitraryValue] }],\n /**\n * Gap\n * @see https://tailwindcss.com/docs/gap\n */\n gap: [{ gap: [gap] }],\n /**\n * Gap X\n * @see https://tailwindcss.com/docs/gap\n */\n 'gap-x': [{ 'gap-x': [gap] }],\n /**\n * Gap Y\n * @see https://tailwindcss.com/docs/gap\n */\n 'gap-y': [{ 'gap-y': [gap] }],\n /**\n * Justify Content\n * @see https://tailwindcss.com/docs/justify-content\n */\n 'justify-content': [{ justify: ['normal', ...getAlign()] }],\n /**\n * Justify Items\n * @see https://tailwindcss.com/docs/justify-items\n */\n 'justify-items': [{ 'justify-items': ['start', 'end', 'center', 'stretch'] }],\n /**\n * Justify Self\n * @see https://tailwindcss.com/docs/justify-self\n */\n 'justify-self': [{ 'justify-self': ['auto', 'start', 'end', 'center', 'stretch'] }],\n /**\n * Align Content\n * @see https://tailwindcss.com/docs/align-content\n */\n 'align-content': [{ content: ['normal', ...getAlign(), 'baseline'] }],\n /**\n * Align Items\n * @see https://tailwindcss.com/docs/align-items\n */\n 'align-items': [{ items: ['start', 'end', 'center', 'baseline', 'stretch'] }],\n /**\n * Align Self\n * @see https://tailwindcss.com/docs/align-self\n */\n 'align-self': [{ self: ['auto', 'start', 'end', 'center', 'stretch', 'baseline'] }],\n /**\n * Place Content\n * @see https://tailwindcss.com/docs/place-content\n */\n 'place-content': [{ 'place-content': [...getAlign(), 'baseline'] }],\n /**\n * Place Items\n * @see https://tailwindcss.com/docs/place-items\n */\n 'place-items': [{ 'place-items': ['start', 'end', 'center', 'baseline', 'stretch'] }],\n /**\n * Place Self\n * @see https://tailwindcss.com/docs/place-self\n */\n 'place-self': [{ 'place-self': ['auto', 'start', 'end', 'center', 'stretch'] }],\n // Spacing\n /**\n * Padding\n * @see https://tailwindcss.com/docs/padding\n */\n p: [{ p: [padding] }],\n /**\n * Padding X\n * @see https://tailwindcss.com/docs/padding\n */\n px: [{ px: [padding] }],\n /**\n * Padding Y\n * @see https://tailwindcss.com/docs/padding\n */\n py: [{ py: [padding] }],\n /**\n * Padding Start\n * @see https://tailwindcss.com/docs/padding\n */\n ps: [{ ps: [padding] }],\n /**\n * Padding End\n * @see https://tailwindcss.com/docs/padding\n */\n pe: [{ pe: [padding] }],\n /**\n * Padding Top\n * @see https://tailwindcss.com/docs/padding\n */\n pt: [{ pt: [padding] }],\n /**\n * Padding Right\n * @see https://tailwindcss.com/docs/padding\n */\n pr: [{ pr: [padding] }],\n /**\n * Padding Bottom\n * @see https://tailwindcss.com/docs/padding\n */\n pb: [{ pb: [padding] }],\n /**\n * Padding Left\n * @see https://tailwindcss.com/docs/padding\n */\n pl: [{ pl: [padding] }],\n /**\n * Margin\n * @see https://tailwindcss.com/docs/margin\n */\n m: [{ m: [margin] }],\n /**\n * Margin X\n * @see https://tailwindcss.com/docs/margin\n */\n mx: [{ mx: [margin] }],\n /**\n * Margin Y\n * @see https://tailwindcss.com/docs/margin\n */\n my: [{ my: [margin] }],\n /**\n * Margin Start\n * @see https://tailwindcss.com/docs/margin\n */\n ms: [{ ms: [margin] }],\n /**\n * Margin End\n * @see https://tailwindcss.com/docs/margin\n */\n me: [{ me: [margin] }],\n /**\n * Margin Top\n * @see https://tailwindcss.com/docs/margin\n */\n mt: [{ mt: [margin] }],\n /**\n * Margin Right\n * @see https://tailwindcss.com/docs/margin\n */\n mr: [{ mr: [margin] }],\n /**\n * Margin Bottom\n * @see https://tailwindcss.com/docs/margin\n */\n mb: [{ mb: [margin] }],\n /**\n * Margin Left\n * @see https://tailwindcss.com/docs/margin\n */\n ml: [{ ml: [margin] }],\n /**\n * Space Between X\n * @see https://tailwindcss.com/docs/space\n */\n 'space-x': [{ 'space-x': [space] }],\n /**\n * Space Between X Reverse\n * @see https://tailwindcss.com/docs/space\n */\n 'space-x-reverse': ['space-x-reverse'],\n /**\n * Space Between Y\n * @see https://tailwindcss.com/docs/space\n */\n 'space-y': [{ 'space-y': [space] }],\n /**\n * Space Between Y Reverse\n * @see https://tailwindcss.com/docs/space\n */\n 'space-y-reverse': ['space-y-reverse'],\n // Sizing\n /**\n * Width\n * @see https://tailwindcss.com/docs/width\n */\n w: [\n {\n w: [\n 'auto',\n 'min',\n 'max',\n 'fit',\n 'svw',\n 'lvw',\n 'dvw',\n isArbitraryValue,\n spacing,\n ],\n },\n ],\n /**\n * Min-Width\n * @see https://tailwindcss.com/docs/min-width\n */\n 'min-w': [{ 'min-w': [isArbitraryValue, spacing, 'min', 'max', 'fit'] }],\n /**\n * Max-Width\n * @see https://tailwindcss.com/docs/max-width\n */\n 'max-w': [\n {\n 'max-w': [\n isArbitraryValue,\n spacing,\n 'none',\n 'full',\n 'min',\n 'max',\n 'fit',\n 'prose',\n { screen: [isTshirtSize] },\n isTshirtSize,\n ],\n },\n ],\n /**\n * Height\n * @see https://tailwindcss.com/docs/height\n */\n h: [\n {\n h: [\n isArbitraryValue,\n spacing,\n 'auto',\n 'min',\n 'max',\n 'fit',\n 'svh',\n 'lvh',\n 'dvh',\n ],\n },\n ],\n /**\n * Min-Height\n * @see https://tailwindcss.com/docs/min-height\n */\n 'min-h': [\n { 'min-h': [isArbitraryValue, spacing, 'min', 'max', 'fit', 'svh', 'lvh', 'dvh'] },\n ],\n /**\n * Max-Height\n * @see https://tailwindcss.com/docs/max-height\n */\n 'max-h': [\n { 'max-h': [isArbitraryValue, spacing, 'min', 'max', 'fit', 'svh', 'lvh', 'dvh'] },\n ],\n /**\n * Size\n * @see https://tailwindcss.com/docs/size\n */\n size: [{ size: [isArbitraryValue, spacing, 'auto', 'min', 'max', 'fit'] }],\n // Typography\n /**\n * Font Size\n * @see https://tailwindcss.com/docs/font-size\n */\n 'font-size': [{ text: ['base', isTshirtSize, isArbitraryLength] }],\n /**\n * Font Smoothing\n * @see https://tailwindcss.com/docs/font-smoothing\n */\n 'font-smoothing': ['antialiased', 'subpixel-antialiased'],\n /**\n * Font Style\n * @see https://tailwindcss.com/docs/font-style\n */\n 'font-style': ['italic', 'not-italic'],\n /**\n * Font Weight\n * @see https://tailwindcss.com/docs/font-weight\n */\n 'font-weight': [\n {\n font: [\n 'thin',\n 'extralight',\n 'light',\n 'normal',\n 'medium',\n 'semibold',\n 'bold',\n 'extrabold',\n 'black',\n isArbitraryNumber,\n ],\n },\n ],\n /**\n * Font Family\n * @see https://tailwindcss.com/docs/font-family\n */\n 'font-family': [{ font: [isAny] }],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-normal': ['normal-nums'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-ordinal': ['ordinal'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-slashed-zero': ['slashed-zero'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-figure': ['lining-nums', 'oldstyle-nums'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-spacing': ['proportional-nums', 'tabular-nums'],\n /**\n * Font Variant Numeric\n * @see https://tailwindcss.com/docs/font-variant-numeric\n */\n 'fvn-fraction': ['diagonal-fractions', 'stacked-fractons'],\n /**\n * Letter Spacing\n * @see https://tailwindcss.com/docs/letter-spacing\n */\n tracking: [\n {\n tracking: [\n 'tighter',\n 'tight',\n 'normal',\n 'wide',\n 'wider',\n 'widest',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Line Clamp\n * @see https://tailwindcss.com/docs/line-clamp\n */\n 'line-clamp': [{ 'line-clamp': ['none', isNumber, isArbitraryNumber] }],\n /**\n * Line Height\n * @see https://tailwindcss.com/docs/line-height\n */\n leading: [\n {\n leading: [\n 'none',\n 'tight',\n 'snug',\n 'normal',\n 'relaxed',\n 'loose',\n isLength,\n isArbitraryValue,\n ],\n },\n ],\n /**\n * List Style Image\n * @see https://tailwindcss.com/docs/list-style-image\n */\n 'list-image': [{ 'list-image': ['none', isArbitraryValue] }],\n /**\n * List Style Type\n * @see https://tailwindcss.com/docs/list-style-type\n */\n 'list-style-type': [{ list: ['none', 'disc', 'decimal', isArbitraryValue] }],\n /**\n * List Style Position\n * @see https://tailwindcss.com/docs/list-style-position\n */\n 'list-style-position': [{ list: ['inside', 'outside'] }],\n /**\n * Placeholder Color\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/placeholder-color\n */\n 'placeholder-color': [{ placeholder: [colors] }],\n /**\n * Placeholder Opacity\n * @see https://tailwindcss.com/docs/placeholder-opacity\n */\n 'placeholder-opacity': [{ 'placeholder-opacity': [opacity] }],\n /**\n * Text Alignment\n * @see https://tailwindcss.com/docs/text-align\n */\n 'text-alignment': [{ text: ['left', 'center', 'right', 'justify', 'start', 'end'] }],\n /**\n * Text Color\n * @see https://tailwindcss.com/docs/text-color\n */\n 'text-color': [{ text: [colors] }],\n /**\n * Text Opacity\n * @see https://tailwindcss.com/docs/text-opacity\n */\n 'text-opacity': [{ 'text-opacity': [opacity] }],\n /**\n * Text Decoration\n * @see https://tailwindcss.com/docs/text-decoration\n */\n 'text-decoration': ['underline', 'overline', 'line-through', 'no-underline'],\n /**\n * Text Decoration Style\n * @see https://tailwindcss.com/docs/text-decoration-style\n */\n 'text-decoration-style': [{ decoration: [...getLineStyles(), 'wavy'] }],\n /**\n * Text Decoration Thickness\n * @see https://tailwindcss.com/docs/text-decoration-thickness\n */\n 'text-decoration-thickness': [\n { decoration: ['auto', 'from-font', isLength, isArbitraryLength] },\n ],\n /**\n * Text Underline Offset\n * @see https://tailwindcss.com/docs/text-underline-offset\n */\n 'underline-offset': [{ 'underline-offset': ['auto', isLength, isArbitraryValue] }],\n /**\n * Text Decoration Color\n * @see https://tailwindcss.com/docs/text-decoration-color\n */\n 'text-decoration-color': [{ decoration: [colors] }],\n /**\n * Text Transform\n * @see https://tailwindcss.com/docs/text-transform\n */\n 'text-transform': ['uppercase', 'lowercase', 'capitalize', 'normal-case'],\n /**\n * Text Overflow\n * @see https://tailwindcss.com/docs/text-overflow\n */\n 'text-overflow': ['truncate', 'text-ellipsis', 'text-clip'],\n /**\n * Text Wrap\n * @see https://tailwindcss.com/docs/text-wrap\n */\n 'text-wrap': [{ text: ['wrap', 'nowrap', 'balance', 'pretty'] }],\n /**\n * Text Indent\n * @see https://tailwindcss.com/docs/text-indent\n */\n indent: [{ indent: getSpacingWithArbitrary() }],\n /**\n * Vertical Alignment\n * @see https://tailwindcss.com/docs/vertical-align\n */\n 'vertical-align': [\n {\n align: [\n 'baseline',\n 'top',\n 'middle',\n 'bottom',\n 'text-top',\n 'text-bottom',\n 'sub',\n 'super',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Whitespace\n * @see https://tailwindcss.com/docs/whitespace\n */\n whitespace: [\n { whitespace: ['normal', 'nowrap', 'pre', 'pre-line', 'pre-wrap', 'break-spaces'] },\n ],\n /**\n * Word Break\n * @see https://tailwindcss.com/docs/word-break\n */\n break: [{ break: ['normal', 'words', 'all', 'keep'] }],\n /**\n * Hyphens\n * @see https://tailwindcss.com/docs/hyphens\n */\n hyphens: [{ hyphens: ['none', 'manual', 'auto'] }],\n /**\n * Content\n * @see https://tailwindcss.com/docs/content\n */\n content: [{ content: ['none', isArbitraryValue] }],\n // Backgrounds\n /**\n * Background Attachment\n * @see https://tailwindcss.com/docs/background-attachment\n */\n 'bg-attachment': [{ bg: ['fixed', 'local', 'scroll'] }],\n /**\n * Background Clip\n * @see https://tailwindcss.com/docs/background-clip\n */\n 'bg-clip': [{ 'bg-clip': ['border', 'padding', 'content', 'text'] }],\n /**\n * Background Opacity\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/background-opacity\n */\n 'bg-opacity': [{ 'bg-opacity': [opacity] }],\n /**\n * Background Origin\n * @see https://tailwindcss.com/docs/background-origin\n */\n 'bg-origin': [{ 'bg-origin': ['border', 'padding', 'content'] }],\n /**\n * Background Position\n * @see https://tailwindcss.com/docs/background-position\n */\n 'bg-position': [{ bg: [...getPositions(), isArbitraryPosition] }],\n /**\n * Background Repeat\n * @see https://tailwindcss.com/docs/background-repeat\n */\n 'bg-repeat': [{ bg: ['no-repeat', { repeat: ['', 'x', 'y', 'round', 'space'] }] }],\n /**\n * Background Size\n * @see https://tailwindcss.com/docs/background-size\n */\n 'bg-size': [{ bg: ['auto', 'cover', 'contain', isArbitrarySize] }],\n /**\n * Background Image\n * @see https://tailwindcss.com/docs/background-image\n */\n 'bg-image': [\n {\n bg: [\n 'none',\n { 'gradient-to': ['t', 'tr', 'r', 'br', 'b', 'bl', 'l', 'tl'] },\n isArbitraryImage,\n ],\n },\n ],\n /**\n * Background Color\n * @see https://tailwindcss.com/docs/background-color\n */\n 'bg-color': [{ bg: [colors] }],\n /**\n * Gradient Color Stops From Position\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-from-pos': [{ from: [gradientColorStopPositions] }],\n /**\n * Gradient Color Stops Via Position\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-via-pos': [{ via: [gradientColorStopPositions] }],\n /**\n * Gradient Color Stops To Position\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-to-pos': [{ to: [gradientColorStopPositions] }],\n /**\n * Gradient Color Stops From\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-from': [{ from: [gradientColorStops] }],\n /**\n * Gradient Color Stops Via\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-via': [{ via: [gradientColorStops] }],\n /**\n * Gradient Color Stops To\n * @see https://tailwindcss.com/docs/gradient-color-stops\n */\n 'gradient-to': [{ to: [gradientColorStops] }],\n // Borders\n /**\n * Border Radius\n * @see https://tailwindcss.com/docs/border-radius\n */\n rounded: [{ rounded: [borderRadius] }],\n /**\n * Border Radius Start\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-s': [{ 'rounded-s': [borderRadius] }],\n /**\n * Border Radius End\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-e': [{ 'rounded-e': [borderRadius] }],\n /**\n * Border Radius Top\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-t': [{ 'rounded-t': [borderRadius] }],\n /**\n * Border Radius Right\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-r': [{ 'rounded-r': [borderRadius] }],\n /**\n * Border Radius Bottom\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-b': [{ 'rounded-b': [borderRadius] }],\n /**\n * Border Radius Left\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-l': [{ 'rounded-l': [borderRadius] }],\n /**\n * Border Radius Start Start\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-ss': [{ 'rounded-ss': [borderRadius] }],\n /**\n * Border Radius Start End\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-se': [{ 'rounded-se': [borderRadius] }],\n /**\n * Border Radius End End\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-ee': [{ 'rounded-ee': [borderRadius] }],\n /**\n * Border Radius End Start\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-es': [{ 'rounded-es': [borderRadius] }],\n /**\n * Border Radius Top Left\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-tl': [{ 'rounded-tl': [borderRadius] }],\n /**\n * Border Radius Top Right\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-tr': [{ 'rounded-tr': [borderRadius] }],\n /**\n * Border Radius Bottom Right\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-br': [{ 'rounded-br': [borderRadius] }],\n /**\n * Border Radius Bottom Left\n * @see https://tailwindcss.com/docs/border-radius\n */\n 'rounded-bl': [{ 'rounded-bl': [borderRadius] }],\n /**\n * Border Width\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w': [{ border: [borderWidth] }],\n /**\n * Border Width X\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-x': [{ 'border-x': [borderWidth] }],\n /**\n * Border Width Y\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-y': [{ 'border-y': [borderWidth] }],\n /**\n * Border Width Start\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-s': [{ 'border-s': [borderWidth] }],\n /**\n * Border Width End\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-e': [{ 'border-e': [borderWidth] }],\n /**\n * Border Width Top\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-t': [{ 'border-t': [borderWidth] }],\n /**\n * Border Width Right\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-r': [{ 'border-r': [borderWidth] }],\n /**\n * Border Width Bottom\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-b': [{ 'border-b': [borderWidth] }],\n /**\n * Border Width Left\n * @see https://tailwindcss.com/docs/border-width\n */\n 'border-w-l': [{ 'border-l': [borderWidth] }],\n /**\n * Border Opacity\n * @see https://tailwindcss.com/docs/border-opacity\n */\n 'border-opacity': [{ 'border-opacity': [opacity] }],\n /**\n * Border Style\n * @see https://tailwindcss.com/docs/border-style\n */\n 'border-style': [{ border: [...getLineStyles(), 'hidden'] }],\n /**\n * Divide Width X\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-x': [{ 'divide-x': [borderWidth] }],\n /**\n * Divide Width X Reverse\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-x-reverse': ['divide-x-reverse'],\n /**\n * Divide Width Y\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-y': [{ 'divide-y': [borderWidth] }],\n /**\n * Divide Width Y Reverse\n * @see https://tailwindcss.com/docs/divide-width\n */\n 'divide-y-reverse': ['divide-y-reverse'],\n /**\n * Divide Opacity\n * @see https://tailwindcss.com/docs/divide-opacity\n */\n 'divide-opacity': [{ 'divide-opacity': [opacity] }],\n /**\n * Divide Style\n * @see https://tailwindcss.com/docs/divide-style\n */\n 'divide-style': [{ divide: getLineStyles() }],\n /**\n * Border Color\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color': [{ border: [borderColor] }],\n /**\n * Border Color X\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-x': [{ 'border-x': [borderColor] }],\n /**\n * Border Color Y\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-y': [{ 'border-y': [borderColor] }],\n /**\n * Border Color Top\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-t': [{ 'border-t': [borderColor] }],\n /**\n * Border Color Right\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-r': [{ 'border-r': [borderColor] }],\n /**\n * Border Color Bottom\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-b': [{ 'border-b': [borderColor] }],\n /**\n * Border Color Left\n * @see https://tailwindcss.com/docs/border-color\n */\n 'border-color-l': [{ 'border-l': [borderColor] }],\n /**\n * Divide Color\n * @see https://tailwindcss.com/docs/divide-color\n */\n 'divide-color': [{ divide: [borderColor] }],\n /**\n * Outline Style\n * @see https://tailwindcss.com/docs/outline-style\n */\n 'outline-style': [{ outline: ['', ...getLineStyles()] }],\n /**\n * Outline Offset\n * @see https://tailwindcss.com/docs/outline-offset\n */\n 'outline-offset': [{ 'outline-offset': [isLength, isArbitraryValue] }],\n /**\n * Outline Width\n * @see https://tailwindcss.com/docs/outline-width\n */\n 'outline-w': [{ outline: [isLength, isArbitraryLength] }],\n /**\n * Outline Color\n * @see https://tailwindcss.com/docs/outline-color\n */\n 'outline-color': [{ outline: [colors] }],\n /**\n * Ring Width\n * @see https://tailwindcss.com/docs/ring-width\n */\n 'ring-w': [{ ring: getLengthWithEmptyAndArbitrary() }],\n /**\n * Ring Width Inset\n * @see https://tailwindcss.com/docs/ring-width\n */\n 'ring-w-inset': ['ring-inset'],\n /**\n * Ring Color\n * @see https://tailwindcss.com/docs/ring-color\n */\n 'ring-color': [{ ring: [colors] }],\n /**\n * Ring Opacity\n * @see https://tailwindcss.com/docs/ring-opacity\n */\n 'ring-opacity': [{ 'ring-opacity': [opacity] }],\n /**\n * Ring Offset Width\n * @see https://tailwindcss.com/docs/ring-offset-width\n */\n 'ring-offset-w': [{ 'ring-offset': [isLength, isArbitraryLength] }],\n /**\n * Ring Offset Color\n * @see https://tailwindcss.com/docs/ring-offset-color\n */\n 'ring-offset-color': [{ 'ring-offset': [colors] }],\n // Effects\n /**\n * Box Shadow\n * @see https://tailwindcss.com/docs/box-shadow\n */\n shadow: [{ shadow: ['', 'inner', 'none', isTshirtSize, isArbitraryShadow] }],\n /**\n * Box Shadow Color\n * @see https://tailwindcss.com/docs/box-shadow-color\n */\n 'shadow-color': [{ shadow: [isAny] }],\n /**\n * Opacity\n * @see https://tailwindcss.com/docs/opacity\n */\n opacity: [{ opacity: [opacity] }],\n /**\n * Mix Blend Mode\n * @see https://tailwindcss.com/docs/mix-blend-mode\n */\n 'mix-blend': [{ 'mix-blend': [...getBlendModes(), 'plus-lighter', 'plus-darker'] }],\n /**\n * Background Blend Mode\n * @see https://tailwindcss.com/docs/background-blend-mode\n */\n 'bg-blend': [{ 'bg-blend': getBlendModes() }],\n // Filters\n /**\n * Filter\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/filter\n */\n filter: [{ filter: ['', 'none'] }],\n /**\n * Blur\n * @see https://tailwindcss.com/docs/blur\n */\n blur: [{ blur: [blur] }],\n /**\n * Brightness\n * @see https://tailwindcss.com/docs/brightness\n */\n brightness: [{ brightness: [brightness] }],\n /**\n * Contrast\n * @see https://tailwindcss.com/docs/contrast\n */\n contrast: [{ contrast: [contrast] }],\n /**\n * Drop Shadow\n * @see https://tailwindcss.com/docs/drop-shadow\n */\n 'drop-shadow': [{ 'drop-shadow': ['', 'none', isTshirtSize, isArbitraryValue] }],\n /**\n * Grayscale\n * @see https://tailwindcss.com/docs/grayscale\n */\n grayscale: [{ grayscale: [grayscale] }],\n /**\n * Hue Rotate\n * @see https://tailwindcss.com/docs/hue-rotate\n */\n 'hue-rotate': [{ 'hue-rotate': [hueRotate] }],\n /**\n * Invert\n * @see https://tailwindcss.com/docs/invert\n */\n invert: [{ invert: [invert] }],\n /**\n * Saturate\n * @see https://tailwindcss.com/docs/saturate\n */\n saturate: [{ saturate: [saturate] }],\n /**\n * Sepia\n * @see https://tailwindcss.com/docs/sepia\n */\n sepia: [{ sepia: [sepia] }],\n /**\n * Backdrop Filter\n * @deprecated since Tailwind CSS v3.0.0\n * @see https://tailwindcss.com/docs/backdrop-filter\n */\n 'backdrop-filter': [{ 'backdrop-filter': ['', 'none'] }],\n /**\n * Backdrop Blur\n * @see https://tailwindcss.com/docs/backdrop-blur\n */\n 'backdrop-blur': [{ 'backdrop-blur': [blur] }],\n /**\n * Backdrop Brightness\n * @see https://tailwindcss.com/docs/backdrop-brightness\n */\n 'backdrop-brightness': [{ 'backdrop-brightness': [brightness] }],\n /**\n * Backdrop Contrast\n * @see https://tailwindcss.com/docs/backdrop-contrast\n */\n 'backdrop-contrast': [{ 'backdrop-contrast': [contrast] }],\n /**\n * Backdrop Grayscale\n * @see https://tailwindcss.com/docs/backdrop-grayscale\n */\n 'backdrop-grayscale': [{ 'backdrop-grayscale': [grayscale] }],\n /**\n * Backdrop Hue Rotate\n * @see https://tailwindcss.com/docs/backdrop-hue-rotate\n */\n 'backdrop-hue-rotate': [{ 'backdrop-hue-rotate': [hueRotate] }],\n /**\n * Backdrop Invert\n * @see https://tailwindcss.com/docs/backdrop-invert\n */\n 'backdrop-invert': [{ 'backdrop-invert': [invert] }],\n /**\n * Backdrop Opacity\n * @see https://tailwindcss.com/docs/backdrop-opacity\n */\n 'backdrop-opacity': [{ 'backdrop-opacity': [opacity] }],\n /**\n * Backdrop Saturate\n * @see https://tailwindcss.com/docs/backdrop-saturate\n */\n 'backdrop-saturate': [{ 'backdrop-saturate': [saturate] }],\n /**\n * Backdrop Sepia\n * @see https://tailwindcss.com/docs/backdrop-sepia\n */\n 'backdrop-sepia': [{ 'backdrop-sepia': [sepia] }],\n // Tables\n /**\n * Border Collapse\n * @see https://tailwindcss.com/docs/border-collapse\n */\n 'border-collapse': [{ border: ['collapse', 'separate'] }],\n /**\n * Border Spacing\n * @see https://tailwindcss.com/docs/border-spacing\n */\n 'border-spacing': [{ 'border-spacing': [borderSpacing] }],\n /**\n * Border Spacing X\n * @see https://tailwindcss.com/docs/border-spacing\n */\n 'border-spacing-x': [{ 'border-spacing-x': [borderSpacing] }],\n /**\n * Border Spacing Y\n * @see https://tailwindcss.com/docs/border-spacing\n */\n 'border-spacing-y': [{ 'border-spacing-y': [borderSpacing] }],\n /**\n * Table Layout\n * @see https://tailwindcss.com/docs/table-layout\n */\n 'table-layout': [{ table: ['auto', 'fixed'] }],\n /**\n * Caption Side\n * @see https://tailwindcss.com/docs/caption-side\n */\n caption: [{ caption: ['top', 'bottom'] }],\n // Transitions and Animation\n /**\n * Tranisition Property\n * @see https://tailwindcss.com/docs/transition-property\n */\n transition: [\n {\n transition: [\n 'none',\n 'all',\n '',\n 'colors',\n 'opacity',\n 'shadow',\n 'transform',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Transition Duration\n * @see https://tailwindcss.com/docs/transition-duration\n */\n duration: [{ duration: getNumberAndArbitrary() }],\n /**\n * Transition Timing Function\n * @see https://tailwindcss.com/docs/transition-timing-function\n */\n ease: [{ ease: ['linear', 'in', 'out', 'in-out', isArbitraryValue] }],\n /**\n * Transition Delay\n * @see https://tailwindcss.com/docs/transition-delay\n */\n delay: [{ delay: getNumberAndArbitrary() }],\n /**\n * Animation\n * @see https://tailwindcss.com/docs/animation\n */\n animate: [{ animate: ['none', 'spin', 'ping', 'pulse', 'bounce', isArbitraryValue] }],\n // Transforms\n /**\n * Transform\n * @see https://tailwindcss.com/docs/transform\n */\n transform: [{ transform: ['', 'gpu', 'none'] }],\n /**\n * Scale\n * @see https://tailwindcss.com/docs/scale\n */\n scale: [{ scale: [scale] }],\n /**\n * Scale X\n * @see https://tailwindcss.com/docs/scale\n */\n 'scale-x': [{ 'scale-x': [scale] }],\n /**\n * Scale Y\n * @see https://tailwindcss.com/docs/scale\n */\n 'scale-y': [{ 'scale-y': [scale] }],\n /**\n * Rotate\n * @see https://tailwindcss.com/docs/rotate\n */\n rotate: [{ rotate: [isInteger, isArbitraryValue] }],\n /**\n * Translate X\n * @see https://tailwindcss.com/docs/translate\n */\n 'translate-x': [{ 'translate-x': [translate] }],\n /**\n * Translate Y\n * @see https://tailwindcss.com/docs/translate\n */\n 'translate-y': [{ 'translate-y': [translate] }],\n /**\n * Skew X\n * @see https://tailwindcss.com/docs/skew\n */\n 'skew-x': [{ 'skew-x': [skew] }],\n /**\n * Skew Y\n * @see https://tailwindcss.com/docs/skew\n */\n 'skew-y': [{ 'skew-y': [skew] }],\n /**\n * Transform Origin\n * @see https://tailwindcss.com/docs/transform-origin\n */\n 'transform-origin': [\n {\n origin: [\n 'center',\n 'top',\n 'top-right',\n 'right',\n 'bottom-right',\n 'bottom',\n 'bottom-left',\n 'left',\n 'top-left',\n isArbitraryValue,\n ],\n },\n ],\n // Interactivity\n /**\n * Accent Color\n * @see https://tailwindcss.com/docs/accent-color\n */\n accent: [{ accent: ['auto', colors] }],\n /**\n * Appearance\n * @see https://tailwindcss.com/docs/appearance\n */\n appearance: [{ appearance: ['none', 'auto'] }],\n /**\n * Cursor\n * @see https://tailwindcss.com/docs/cursor\n */\n cursor: [\n {\n cursor: [\n 'auto',\n 'default',\n 'pointer',\n 'wait',\n 'text',\n 'move',\n 'help',\n 'not-allowed',\n 'none',\n 'context-menu',\n 'progress',\n 'cell',\n 'crosshair',\n 'vertical-text',\n 'alias',\n 'copy',\n 'no-drop',\n 'grab',\n 'grabbing',\n 'all-scroll',\n 'col-resize',\n 'row-resize',\n 'n-resize',\n 'e-resize',\n 's-resize',\n 'w-resize',\n 'ne-resize',\n 'nw-resize',\n 'se-resize',\n 'sw-resize',\n 'ew-resize',\n 'ns-resize',\n 'nesw-resize',\n 'nwse-resize',\n 'zoom-in',\n 'zoom-out',\n isArbitraryValue,\n ],\n },\n ],\n /**\n * Caret Color\n * @see https://tailwindcss.com/docs/just-in-time-mode#caret-color-utilities\n */\n 'caret-color': [{ caret: [colors] }],\n /**\n * Pointer Events\n * @see https://tailwindcss.com/docs/pointer-events\n */\n 'pointer-events': [{ 'pointer-events': ['none', 'auto'] }],\n /**\n * Resize\n * @see https://tailwindcss.com/docs/resize\n */\n resize: [{ resize: ['none', 'y', 'x', ''] }],\n /**\n * Scroll Behavior\n * @see https://tailwindcss.com/docs/scroll-behavior\n */\n 'scroll-behavior': [{ scroll: ['auto', 'smooth'] }],\n /**\n * Scroll Margin\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-m': [{ 'scroll-m': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin X\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mx': [{ 'scroll-mx': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Y\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-my': [{ 'scroll-my': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Start\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-ms': [{ 'scroll-ms': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin End\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-me': [{ 'scroll-me': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Top\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mt': [{ 'scroll-mt': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Right\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mr': [{ 'scroll-mr': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Bottom\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-mb': [{ 'scroll-mb': getSpacingWithArbitrary() }],\n /**\n * Scroll Margin Left\n * @see https://tailwindcss.com/docs/scroll-margin\n */\n 'scroll-ml': [{ 'scroll-ml': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-p': [{ 'scroll-p': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding X\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-px': [{ 'scroll-px': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Y\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-py': [{ 'scroll-py': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Start\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-ps': [{ 'scroll-ps': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding End\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pe': [{ 'scroll-pe': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Top\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pt': [{ 'scroll-pt': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Right\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pr': [{ 'scroll-pr': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Bottom\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pb': [{ 'scroll-pb': getSpacingWithArbitrary() }],\n /**\n * Scroll Padding Left\n * @see https://tailwindcss.com/docs/scroll-padding\n */\n 'scroll-pl': [{ 'scroll-pl': getSpacingWithArbitrary() }],\n /**\n * Scroll Snap Align\n * @see https://tailwindcss.com/docs/scroll-snap-align\n */\n 'snap-align': [{ snap: ['start', 'end', 'center', 'align-none'] }],\n /**\n * Scroll Snap Stop\n * @see https://tailwindcss.com/docs/scroll-snap-stop\n */\n 'snap-stop': [{ snap: ['normal', 'always'] }],\n /**\n * Scroll Snap Type\n * @see https://tailwindcss.com/docs/scroll-snap-type\n */\n 'snap-type': [{ snap: ['none', 'x', 'y', 'both'] }],\n /**\n * Scroll Snap Type Strictness\n * @see https://tailwindcss.com/docs/scroll-snap-type\n */\n 'snap-strictness': [{ snap: ['mandatory', 'proximity'] }],\n /**\n * Touch Action\n * @see https://tailwindcss.com/docs/touch-action\n */\n touch: [\n {\n touch: ['auto', 'none', 'manipulation'],\n },\n ],\n /**\n * Touch Action X\n * @see https://tailwindcss.com/docs/touch-action\n */\n 'touch-x': [\n {\n 'touch-pan': ['x', 'left', 'right'],\n },\n ],\n /**\n * Touch Action Y\n * @see https://tailwindcss.com/docs/touch-action\n */\n 'touch-y': [\n {\n 'touch-pan': ['y', 'up', 'down'],\n },\n ],\n /**\n * Touch Action Pinch Zoom\n * @see https://tailwindcss.com/docs/touch-action\n */\n 'touch-pz': ['touch-pinch-zoom'],\n /**\n * User Select\n * @see https://tailwindcss.com/docs/user-select\n */\n select: [{ select: ['none', 'text', 'all', 'auto'] }],\n /**\n * Will Change\n * @see https://tailwindcss.com/docs/will-change\n */\n 'will-change': [\n { 'will-change': ['auto', 'scroll', 'contents', 'transform', isArbitraryValue] },\n ],\n // SVG\n /**\n * Fill\n * @see https://tailwindcss.com/docs/fill\n */\n fill: [{ fill: [colors, 'none'] }],\n /**\n * Stroke Width\n * @see https://tailwindcss.com/docs/stroke-width\n */\n 'stroke-w': [{ stroke: [isLength, isArbitraryLength, isArbitraryNumber] }],\n /**\n * Stroke\n * @see https://tailwindcss.com/docs/stroke\n */\n stroke: [{ stroke: [colors, 'none'] }],\n // Accessibility\n /**\n * Screen Readers\n * @see https://tailwindcss.com/docs/screen-readers\n */\n sr: ['sr-only', 'not-sr-only'],\n /**\n * Forced Color Adjust\n * @see https://tailwindcss.com/docs/forced-color-adjust\n */\n 'forced-color-adjust': [{ 'forced-color-adjust': ['auto', 'none'] }],\n },\n conflictingClassGroups: {\n overflow: ['overflow-x', 'overflow-y'],\n overscroll: ['overscroll-x', 'overscroll-y'],\n inset: ['inset-x', 'inset-y', 'start', 'end', 'top', 'right', 'bottom', 'left'],\n 'inset-x': ['right', 'left'],\n 'inset-y': ['top', 'bottom'],\n flex: ['basis', 'grow', 'shrink'],\n gap: ['gap-x', 'gap-y'],\n p: ['px', 'py', 'ps', 'pe', 'pt', 'pr', 'pb', 'pl'],\n px: ['pr', 'pl'],\n py: ['pt', 'pb'],\n m: ['mx', 'my', 'ms', 'me', 'mt', 'mr', 'mb', 'ml'],\n mx: ['mr', 'ml'],\n my: ['mt', 'mb'],\n size: ['w', 'h'],\n 'font-size': ['leading'],\n 'fvn-normal': [\n 'fvn-ordinal',\n 'fvn-slashed-zero',\n 'fvn-figure',\n 'fvn-spacing',\n 'fvn-fraction',\n ],\n 'fvn-ordinal': ['fvn-normal'],\n 'fvn-slashed-zero': ['fvn-normal'],\n 'fvn-figure': ['fvn-normal'],\n 'fvn-spacing': ['fvn-normal'],\n 'fvn-fraction': ['fvn-normal'],\n 'line-clamp': ['display', 'overflow'],\n rounded: [\n 'rounded-s',\n 'rounded-e',\n 'rounded-t',\n 'rounded-r',\n 'rounded-b',\n 'rounded-l',\n 'rounded-ss',\n 'rounded-se',\n 'rounded-ee',\n 'rounded-es',\n 'rounded-tl',\n 'rounded-tr',\n 'rounded-br',\n 'rounded-bl',\n ],\n 'rounded-s': ['rounded-ss', 'rounded-es'],\n 'rounded-e': ['rounded-se', 'rounded-ee'],\n 'rounded-t': ['rounded-tl', 'rounded-tr'],\n 'rounded-r': ['rounded-tr', 'rounded-br'],\n 'rounded-b': ['rounded-br', 'rounded-bl'],\n 'rounded-l': ['rounded-tl', 'rounded-bl'],\n 'border-spacing': ['border-spacing-x', 'border-spacing-y'],\n 'border-w': [\n 'border-w-s',\n 'border-w-e',\n 'border-w-t',\n 'border-w-r',\n 'border-w-b',\n 'border-w-l',\n ],\n 'border-w-x': ['border-w-r', 'border-w-l'],\n 'border-w-y': ['border-w-t', 'border-w-b'],\n 'border-color': [\n 'border-color-t',\n 'border-color-r',\n 'border-color-b',\n 'border-color-l',\n ],\n 'border-color-x': ['border-color-r', 'border-color-l'],\n 'border-color-y': ['border-color-t', 'border-color-b'],\n 'scroll-m': [\n 'scroll-mx',\n 'scroll-my',\n 'scroll-ms',\n 'scroll-me',\n 'scroll-mt',\n 'scroll-mr',\n 'scroll-mb',\n 'scroll-ml',\n ],\n 'scroll-mx': ['scroll-mr', 'scroll-ml'],\n 'scroll-my': ['scroll-mt', 'scroll-mb'],\n 'scroll-p': [\n 'scroll-px',\n 'scroll-py',\n 'scroll-ps',\n 'scroll-pe',\n 'scroll-pt',\n 'scroll-pr',\n 'scroll-pb',\n 'scroll-pl',\n ],\n 'scroll-px': ['scroll-pr', 'scroll-pl'],\n 'scroll-py': ['scroll-pt', 'scroll-pb'],\n touch: ['touch-x', 'touch-y', 'touch-pz'],\n 'touch-x': ['touch'],\n 'touch-y': ['touch'],\n 'touch-pz': ['touch'],\n },\n conflictingClassGroupModifiers: {\n 'font-size': ['leading'],\n },\n } as const satisfies Config<DefaultClassGroupIds, DefaultThemeGroupIds>\n}\n","import { ConfigExtension, GenericConfig } from './types'\n\n/**\n * @param baseConfig Config where other config will be merged into. This object will be mutated.\n * @param configExtension Partial config to merge into the `baseConfig`.\n */\nexport const mergeConfigs = <ClassGroupIds extends string, ThemeGroupIds extends string = never>(\n baseConfig: GenericConfig,\n {\n cacheSize,\n prefix,\n separator,\n experimentalParseClassName,\n extend = {},\n override = {},\n }: ConfigExtension<ClassGroupIds, ThemeGroupIds>,\n) => {\n overrideProperty(baseConfig, 'cacheSize', cacheSize)\n overrideProperty(baseConfig, 'prefix', prefix)\n overrideProperty(baseConfig, 'separator', separator)\n overrideProperty(baseConfig, 'experimentalParseClassName', experimentalParseClassName)\n\n for (const configKey in override) {\n overrideConfigProperties(\n baseConfig[configKey as keyof typeof override],\n override[configKey as keyof typeof override],\n )\n }\n\n for (const key in extend) {\n mergeConfigProperties(\n baseConfig[key as keyof typeof extend],\n extend[key as keyof typeof extend],\n )\n }\n\n return baseConfig\n}\n\nconst overrideProperty = <T extends object, K extends keyof T>(\n baseObject: T,\n overrideKey: K,\n overrideValue: T[K] | undefined,\n) => {\n if (overrideValue !== undefined) {\n baseObject[overrideKey] = overrideValue\n }\n}\n\nconst overrideConfigProperties = (\n baseObject: Partial<Record<string, readonly unknown[]>>,\n overrideObject: Partial<Record<string, readonly unknown[]>> | undefined,\n) => {\n if (overrideObject) {\n for (const key in overrideObject) {\n overrideProperty(baseObject, key, overrideObject[key])\n }\n }\n}\n\nconst mergeConfigProperties = (\n baseObject: Partial<Record<string, readonly unknown[]>>,\n mergeObject: Partial<Record<string, readonly unknown[]>> | undefined,\n) => {\n if (mergeObject) {\n for (const key in mergeObject) {\n const mergeValue = mergeObject[key]\n\n if (mergeValue !== undefined) {\n baseObject[key] = (baseObject[key] || []).concat(mergeValue)\n }\n }\n }\n}\n","import { createTailwindMerge } from './create-tailwind-merge'\nimport { getDefaultConfig } from './default-config'\nimport { mergeConfigs } from './merge-configs'\nimport { ConfigExtension, DefaultClassGroupIds, DefaultThemeGroupIds, GenericConfig } from './types'\n\ntype CreateConfigSubsequent = (config: GenericConfig) => GenericConfig\n\nexport const extendTailwindMerge = <\n AdditionalClassGroupIds extends string = never,\n AdditionalThemeGroupIds extends string = never,\n>(\n configExtension:\n | ConfigExtension<\n DefaultClassGroupIds | AdditionalClassGroupIds,\n DefaultThemeGroupIds | AdditionalThemeGroupIds\n >\n | CreateConfigSubsequent,\n ...createConfig: CreateConfigSubsequent[]\n) =>\n typeof configExtension === 'function'\n ? createTailwindMerge(getDefaultConfig, configExtension, ...createConfig)\n : createTailwindMerge(\n () => mergeConfigs(getDefaultConfig(), configExtension),\n ...createConfig,\n )\n","import { createTailwindMerge } from './create-tailwind-merge'\nimport { getDefaultConfig } from './default-config'\n\nexport const twMerge = createTailwindMerge(getDefaultConfig)\n","import { clsx, type ClassValue } from 'clsx';\nimport { twMerge } from 'tailwind-merge';\n\nexport function cn(...inputs: ClassValue[]) {\n return twMerge(clsx(inputs));\n}\n","import * as React from 'react';\nimport * as LabelPrimitive from '@radix-ui/react-label';\nimport { cva, type VariantProps } from 'class-variance-authority';\n\nimport { cn } from '../../lib/utils';\n\nconst labelVariants = cva(\n 'text-sm font-medium leading-none peer-disabled:cursor-not-allowed peer-disabled:opacity-70'\n);\n\nconst Label = React.forwardRef<\n React.ComponentRef<typeof LabelPrimitive.Root>,\n React.ComponentPropsWithoutRef<typeof LabelPrimitive.Root> &\n VariantProps<typeof labelVariants>\n>(({ className, ...props }, ref) => (\n <LabelPrimitive.Root\n ref={ref}\n className={cn(labelVariants(), className)}\n {...props}\n />\n));\nLabel.displayName = LabelPrimitive.Root.displayName;\n\nexport { Label };\n","function r(e){var t,f,n=\"\";if(\"string\"==typeof e||\"number\"==typeof e)n+=e;else if(\"object\"==typeof e)if(Array.isArray(e))for(t=0;t<e.length;t++)e[t]&&(f=r(e[t]))&&(n&&(n+=\" \"),n+=f);else for(t in e)e[t]&&(n&&(n+=\" \"),n+=t);return n}export function clsx(){for(var e,t,f=0,n=\"\";f<arguments.length;)(e=arguments[f++])&&(t=r(e))&&(n&&(n+=\" \"),n+=t);return n}export default clsx;","import { clsx } from \"clsx\";\nconst falsyToString = (value)=>typeof value === \"boolean\" ? \"\".concat(value) : value === 0 ? \"0\" : value;\nexport const cx = clsx;\nexport const cva = (base, config)=>{\n return (props)=>{\n var ref;\n if ((config === null || config === void 0 ? void 0 : config.variants) == null) return cx(base, props === null || props === void 0 ? void 0 : props.class, props === null || props === void 0 ? void 0 : props.className);\n const { variants , defaultVariants } = config;\n const getVariantClassNames = Object.keys(variants).map((variant)=>{\n const variantProp = props === null || props === void 0 ? void 0 : props[variant];\n const defaultVariantProp = defaultVariants === null || defaultVariants === void 0 ? void 0 : defaultVariants[variant];\n if (variantProp === null) return null;\n const variantKey = falsyToString(variantProp) || falsyToString(defaultVariantProp);\n return variants[variant][variantKey];\n });\n const propsWithoutUndefined = props && Object.entries(props).reduce((acc, param)=>{\n let [key, value] = param;\n if (value === undefined) {\n return acc;\n }\n acc[key] = value;\n return acc;\n }, {});\n const getCompoundVariantClassNames = config === null || config === void 0 ? void 0 : (ref = config.compoundVariants) === null || ref === void 0 ? void 0 : ref.reduce((acc, param1)=>{\n let { class: cvClass , className: cvClassName , ...compoundVariantOptions } = param1;\n return Object.entries(compoundVariantOptions).every((param)=>{\n let [key, value] = param;\n return Array.isArray(value) ? value.includes({\n ...defaultVariants,\n ...propsWithoutUndefined\n }[key]) : ({\n ...defaultVariants,\n ...propsWithoutUndefined\n })[key] === value;\n }) ? [\n ...acc,\n cvClass,\n cvClassName\n ] : acc;\n }, []);\n return cx(base, getVariantClassNames, getCompoundVariantClassNames, props === null || props === void 0 ? void 0 : props.class, props === null || props === void 0 ? void 0 : props.className);\n };\n};\n\n\n//# sourceMappingURL=index.mjs.map","import * as React from 'react';\n\nimport { cn } from '../../lib/utils';\n\nexport type InputProps = React.InputHTMLAttributes<HTMLInputElement>;\n\nconst Input = React.forwardRef<HTMLInputElement, InputProps>(\n ({ className, type, ...props }, ref) => {\n return (\n <input\n type={type}\n className={cn(\n 'flex h-10 w-full rounded-md border border-input bg-background px-3 py-2 text-sm ring-offset-background file:border-0 file:bg-transparent file:text-sm file:font-medium file:text-foreground placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50',\n className\n )}\n ref={ref}\n {...props}\n />\n );\n }\n);\nInput.displayName = 'Input';\n\nexport { Input };\n","import * as React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\nimport { cva, type VariantProps } from 'class-variance-authority';\n\nimport { cn } from '../../lib/utils';\n\nconst buttonVariants = cva(\n 'inline-flex items-center justify-center whitespace-nowrap rounded-md text-sm font-medium ring-offset-background transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50',\n {\n variants: {\n variant: {\n default: 'bg-primary text-primary-foreground hover:bg-primary/90',\n destructive:\n 'bg-destructive text-destructive-foreground hover:bg-destructive/90',\n outline:\n 'border border-input bg-background hover:bg-accent hover:text-accent-foreground',\n secondary:\n 'bg-secondary text-secondary-foreground hover:bg-secondary/80',\n ghost: 'hover:bg-accent hover:text-accent-foreground',\n link: 'text-primary underline-offset-4 hover:underline',\n },\n size: {\n default: 'h-10 px-4 py-2',\n sm: 'h-9 rounded-md px-3',\n lg: 'h-11 rounded-md px-8',\n icon: 'h-10 w-10',\n },\n },\n defaultVariants: {\n variant: 'default',\n size: 'default',\n },\n }\n);\n\nexport interface ButtonProps\n extends React.ButtonHTMLAttributes<HTMLButtonElement>,\n VariantProps<typeof buttonVariants> {\n asChild?: boolean;\n}\n\nconst Button = React.forwardRef<HTMLButtonElement, ButtonProps>(\n ({ className, variant, size, asChild = false, ...props }, ref) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(buttonVariants({ variant, size, className }))}\n ref={ref}\n {...props}\n />\n );\n }\n);\nButton.displayName = 'Button';\n\nexport { Button, buttonVariants };\n","import { signIn } from 'next-auth/react';\nimport { useMutation } from '@tanstack/react-query';\n\nimport { Props } from './types';\n\nexport function useSignIn(params?: Props) {\n const {\n onSuccess,\n onError,\n beforeMutate,\n callbackUrl,\n redirect = false,\n } = params ?? {};\n const mutation = useMutation({\n mutationFn: async (_data) => {\n const d = { ..._data, callbackUrl, redirect };\n const possibleData = beforeMutate && beforeMutate(d);\n const data = possibleData ?? d;\n return (await signIn('email', data)) as unknown as Response;\n },\n onSuccess,\n onError,\n });\n return mutation.mutate;\n}\n","'use client';\nimport { Slot } from '@radix-ui/react-slot';\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Mail } from 'lucide-react';\n\nimport { ButtonProps, buttonVariants } from '../../components/ui/button';\nimport { cn } from '../../lib/utils';\n\ntype EmailError = void | {\n error: string;\n ok: boolean;\n status: number;\n url: null | string;\n};\ntype AllProps = ButtonProps & {\n callbackUrl?: string;\n redirect?: boolean;\n email: string;\n onSent?: () => void;\n onFailure?: (error: EmailError) => void;\n};\n\n/**\n * This works when the email identity provider is configured in the admin dashboard.\n * @param props callbackUrl: the url to send the user to from their email\n * @param props redirect: redirect to the default (unbranded) 'check your email' page. default is false\n * @param props email: the email to send to\n * @param props onSent: called if the email was sent\n * @param props onFailure: called if there was a reportable\n * @returns a JSX.Element to render\n */\n\nconst EmailSignInButton = React.forwardRef<HTMLButtonElement, AllProps>(\n (\n {\n callbackUrl,\n className,\n variant,\n size,\n asChild = false,\n redirect = false,\n email,\n onFailure,\n onSent,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(buttonVariants({ variant, size, className }))}\n ref={ref}\n onClick={async () => {\n const res = await signIn('email', { email, callbackUrl, redirect });\n\n if (res && 'error' in res) {\n onFailure && onFailure(res as EmailError);\n } else {\n onSent && onSent();\n }\n }}\n {...props}\n >\n {props.children ? (\n props.children\n ) : (\n <div className=\"flex flex-row gap-2 items-center\">\n <Mail />\n Continue with Email\n </div>\n )}\n </Comp>\n );\n }\n);\n\nEmailSignInButton.displayName = 'EmailSignInButton';\nexport default EmailSignInButton;\n","import React from 'react';\nimport { signIn } from 'next-auth/react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\n/**\n * A component for a Google login button, according to their design language.\n * This works when an identity provider is configured in the admin dashboard.\n * @param props callbackUrl: a string to override the URL provided by the context\n * @returns a JSX.Element to render\n */\nconst GoogleSSOButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n variant,\n size,\n buttonText = 'Continue with Google',\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#4285f4] hover:bg-[#4285f4] hover:bg-opacity-85 pl-[3px]'\n )}\n ref={ref}\n onClick={() => {\n signIn('google', { callbackUrl });\n }}\n {...props}\n >\n <div className=\"inline-flex items-center flex-1 justify-between font-roboto rounded-[4px] gap-4 google-logo\">\n <div\n style={{\n background: 'white',\n borderRadius: '4px',\n padding: '0.5rem',\n }}\n >\n <GoogleLogo />\n </div>\n {buttonText}\n </div>\n </Comp>\n );\n }\n);\nGoogleSSOButton.displayName = 'GoogleSSOButton';\nexport default GoogleSSOButton;\n\nfunction GoogleLogo() {\n return (\n <svg xmlns=\"http://www.w3.org/2000/svg\" width=\"18\" height=\"18\">\n <g fill=\"#000\" fillRule=\"evenodd\">\n <path\n d=\"M9 3.48c1.69 0 2.83.73 3.48 1.34l2.54-2.48C13.46.89 11.43 0 9 0 5.48 0 2.44 2.02.96 4.96l2.91 2.26C4.6 5.05 6.62 3.48 9 3.48z\"\n fill=\"#EA4335\"\n />\n <path\n d=\"M17.64 9.2c0-.74-.06-1.28-.19-1.84H9v3.34h4.96c-.1.83-.64 2.08-1.84 2.92l2.84 2.2c1.7-1.57 2.68-3.88 2.68-6.62z\"\n fill=\"#4285F4\"\n />\n <path\n d=\"M3.88 10.78A5.54 5.54 0 0 1 3.58 9c0-.62.11-1.22.29-1.78L.96 4.96A9.008 9.008 0 0 0 0 9c0 1.45.35 2.82.96 4.04l2.92-2.26z\"\n fill=\"#FBBC05\"\n />\n <path\n d=\"M9 18c2.43 0 4.47-.8 5.96-2.18l-2.84-2.2c-.76.53-1.78.9-3.12.9-2.38 0-4.4-1.57-5.12-3.74L.97 13.04C2.45 15.98 5.48 18 9 18z\"\n fill=\"#34A853\"\n />\n <path fill=\"none\" d=\"M0 0h18v18H0z\" />\n </g>\n </svg>\n );\n}\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst AzureSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with Microsoft',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#0078d4] hover:bg-[#0078d4] hover:bg-opacity-85 pl-[3px] text-white gap-4 transition-colors shadow-md'\n )}\n ref={ref}\n onClick={() => {\n signIn('azure-ad', { callbackUrl });\n }}\n {...props}\n >\n <MicrosoftIcon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nAzureSignInButton.displayName = 'AzureSignInButton';\nexport default AzureSignInButton;\n\nconst MicrosoftIcon = () => {\n return (\n <svg\n xmlns=\"http://www.w3.org/2000/svg\"\n viewBox=\"0 0 23 23\"\n className=\"w-5 h-5 ml-3\"\n >\n <path fill=\"#f3f3f3\" d=\"M0 0h23v23H0z\" />\n <path fill=\"#f35325\" d=\"M1 1h10v10H1z\" />\n <path fill=\"#81bc06\" d=\"M12 1h10v10H12z\" />\n <path fill=\"#05a6f0\" d=\"M1 12h10v10H1z\" />\n <path fill=\"#ffba08\" d=\"M12 12h10v10H12z\" />\n </svg>\n );\n};\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst DiscordSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with Discord',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#5865F2] hover:bg-[#5865F2] hover:bg-opacity-85 pl-[3px] gap-4 transition-colors border shadow-md text-white'\n )}\n ref={ref}\n onClick={() => {\n signIn('discord', { callbackUrl });\n }}\n {...props}\n >\n <Icon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nDiscordSignInButton.displayName = 'DiscordSignInButton';\nexport default DiscordSignInButton;\n\nconst Icon = () => {\n return (\n <svg\n className=\"w-5 h-5 ml-3\"\n viewBox=\"0 0 75 59\"\n version=\"1.1\"\n xmlns=\"http://www.w3.org/2000/svg\"\n >\n <title>discord-icon</title>\n <g\n id=\"Page-1\"\n stroke=\"none\"\n strokeWidth=\"1\"\n fill=\"none\"\n fillRule=\"evenodd\"\n >\n <g\n id=\"discord-icon\"\n transform=\"translate(2.000000, 2.411745)\"\n fillRule=\"nonzero\"\n stroke=\"#636262\"\n strokeWidth=\"0\"\n >\n <path\n d=\"M60.1044999,4.48605546 C55.5791999,2.40965546 50.7264999,0.879855461 45.6526999,0.00367546142 C45.5602999,-0.0132345386 45.4679999,0.0290244614 45.4203999,0.113544461 C44.7962999,1.22355546 44.1049999,2.67165546 43.6208999,3.80985546 C38.1636999,2.99285546 32.7344999,2.99285546 27.3891999,3.80985546 C26.9049999,2.64635546 26.1885999,1.22355546 25.5616999,0.113544461 C25.5140999,0.0318444614 25.4217999,-0.0104145386 25.3293999,0.00367546142 C20.2583999,0.877055461 15.4056999,2.40685546 10.8775999,4.48605546 C10.8383999,4.50295546 10.8047999,4.53115546 10.7824999,4.56775546 C1.57794989,18.3191555 -0.94356111,31.7325555 0.29340789,44.9796555 C0.29900489,45.0444555 0.33538589,45.1064555 0.38576089,45.1458555 C6.45865989,49.6056555 12.3412999,52.3131555 18.1146999,54.1077555 C18.2070999,54.1359555 18.3049999,54.1021555 18.3637999,54.0260555 C19.7294999,52.1610555 20.9468999,50.1945555 21.9906999,48.1265555 C22.0522999,48.0054555 21.9934999,47.8617555 21.8675999,47.8138555 C19.9365999,47.0813555 18.0978999,46.1882555 16.3291999,45.1740555 C16.1892999,45.0923555 16.1780999,44.8922555 16.3067999,44.7964555 C16.6789999,44.5175555 17.0512999,44.2273555 17.4066999,43.9343555 C17.4709999,43.8808555 17.5605999,43.8695555 17.6361999,43.9033555 C29.2557999,49.2084555 41.8353999,49.2084555 53.3178999,43.9033555 C53.3934999,43.8667555 53.4830999,43.8780555 53.5501999,43.9315555 C53.9056999,44.2245555 54.2778999,44.5175555 54.6528999,44.7964555 C54.7815999,44.8922555 54.7731999,45.0923555 54.6332999,45.1740555 C52.8645999,46.2079555 51.0258999,47.0813555 49.0920999,47.8110555 C48.9661999,47.8589555 48.9101999,48.0054555 48.9717999,48.1265555 C50.0379999,50.1916555 51.2553999,52.1581555 52.5958999,54.0232555 C52.6518999,54.1021555 52.7525999,54.1359555 52.8449999,54.1077555 C58.6463999,52.3131555 64.5289999,49.6056555 70.6018999,45.1458555 C70.6550999,45.1064555 70.6886999,45.0472555 70.6942999,44.9824555 C72.1746999,29.6673555 68.2146999,16.3639555 60.1967999,4.57055546 C60.1771999,4.53115546 60.1436999,4.50295546 60.1044999,4.48605546 Z M23.7258999,36.9135555 C20.2275999,36.9135555 17.3450999,33.7018555 17.3450999,29.7575555 C17.3450999,25.8132555 20.1716999,22.6015555 23.7258999,22.6015555 C27.3079999,22.6015555 30.1625999,25.8414555 30.1065999,29.7575555 C30.1065999,33.7018555 27.2799999,36.9135555 23.7258999,36.9135555 Z M47.3177999,36.9135555 C43.8195999,36.9135555 40.9370999,33.7018555 40.9370999,29.7575555 C40.9370999,25.8132555 43.7635999,22.6015555 47.3177999,22.6015555 C50.8999999,22.6015555 53.7544999,25.8414555 53.6985999,29.7575555 C53.6985999,33.7018555 50.8999999,36.9135555 47.3177999,36.9135555 Z\"\n id=\"Shape\"\n fill=\"white\"\n />\n </g>\n </g>\n </svg>\n );\n};\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst GitHubSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with GitHub',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-black hover:bg-slate-800 pl-[3px] text-white gap-4 transition-colors shadow-md'\n )}\n ref={ref}\n onClick={() => {\n signIn('github', { callbackUrl });\n }}\n {...props}\n >\n <Icon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nGitHubSignInButton.displayName = 'GitHubSignInButton';\nexport default GitHubSignInButton;\n\nconst Icon = () => {\n return (\n <svg\n xmlns=\"http://www.w3.org/2000/svg\"\n viewBox=\"0 0 32.58 31.77\"\n fill=\"currentColor\"\n className=\"w-5 h-5 ml-3\"\n >\n <path\n fill=\"#FFFFFF\"\n d=\"M16.29,0a16.29,16.29,0,0,0-5.15,31.75c.82.15,1.11-.36,1.11-.79s0-1.41,0-2.77C7.7,29.18,6.74,26,6.74,26a4.36,4.36,0,0,0-1.81-2.39c-1.47-1,.12-1,.12-1a3.43,3.43,0,0,1,2.49,1.68,3.48,3.48,0,0,0,4.74,1.36,3.46,3.46,0,0,1,1-2.18c-3.62-.41-7.42-1.81-7.42-8a6.3,6.3,0,0,1,1.67-4.37,5.94,5.94,0,0,1,.16-4.31s1.37-.44,4.48,1.67a15.41,15.41,0,0,1,8.16,0c3.11-2.11,4.47-1.67,4.47-1.67A5.91,5.91,0,0,1,25,11.07a6.3,6.3,0,0,1,1.67,4.37c0,6.26-3.81,7.63-7.44,8a3.85,3.85,0,0,1,1.11,3c0,2.18,0,3.94,0,4.47s.29.94,1.12.78A16.29,16.29,0,0,0,16.29,0Z\"\n />\n </svg>\n );\n};\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst HubSpotSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with HubSpot',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#ff7a59] hover:bg-[#ff7a59] hover:bg-opacity-85 pl-[3px] text-white gap-4 transition-colors shadow-md'\n )}\n ref={ref}\n onClick={() => {\n signIn('hubspot', { callbackUrl });\n }}\n {...props}\n >\n <Icon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nHubSpotSignInButton.displayName = 'HubSpotSignInButton';\nexport default HubSpotSignInButton;\n\nconst Icon = () => {\n return (\n <svg\n className=\"w-5 h-5 ml-3\"\n viewBox=\"6.20856283 .64498824 244.26943717 251.24701176\"\n xmlns=\"http://www.w3.org/2000/svg\"\n >\n <path\n d=\"m191.385 85.694v-29.506a22.722 22.722 0 0 0 13.101-20.48v-.677c0-12.549-10.173-22.722-22.721-22.722h-.678c-12.549 0-22.722 10.173-22.722 22.722v.677a22.722 22.722 0 0 0 13.101 20.48v29.506a64.342 64.342 0 0 0 -30.594 13.47l-80.922-63.03c.577-2.083.878-4.225.912-6.375a25.6 25.6 0 1 0 -25.633 25.55 25.323 25.323 0 0 0 12.607-3.43l79.685 62.007c-14.65 22.131-14.258 50.974.987 72.7l-24.236 24.243c-1.96-.626-4-.959-6.057-.987-11.607.01-21.01 9.423-21.007 21.03.003 11.606 9.412 21.014 21.018 21.017 11.607.003 21.02-9.4 21.03-21.007a20.747 20.747 0 0 0 -.988-6.056l23.976-23.985c21.423 16.492 50.846 17.913 73.759 3.562 22.912-14.352 34.475-41.446 28.985-67.918-5.49-26.473-26.873-46.734-53.603-50.792m-9.938 97.044a33.17 33.17 0 1 1 0-66.316c17.85.625 32 15.272 32.01 33.134.008 17.86-14.127 32.522-31.977 33.165\"\n fill=\"white\"\n />\n </svg>\n );\n};\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst LinkedInSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with LinkedIn',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#0288D1] hover:bg-[#0288D1] pl-[3px] hover:bg-opacity-85 gap-4 transition-colors shadow-md text-white'\n )}\n ref={ref}\n onClick={() => {\n signIn('linkedin', { callbackUrl });\n }}\n {...props}\n >\n <Icon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nLinkedInSignInButton.displayName = 'LinkedInSignInButton';\nexport default LinkedInSignInButton;\n\nconst Icon = () => {\n return (\n <svg\n xmlns=\"http://www.w3.org/2000/svg\"\n viewBox=\"0 0 48 48\"\n className=\"w-6 h-6 ml-3\"\n >\n <path\n fill=\"#fff\"\n d=\"M42,37c0,2.762-2.238,5-5,5H11c-2.761,0-5-2.238-5-5V11c0-2.762,2.239-5,5-5h26c2.762,0,5,2.238,5,5V37z\"\n />\n <path\n fill=\"#0288D1\"\n d=\"M12 19H17V36H12zM14.485 17h-.028C12.965 17 12 15.888 12 14.499 12 13.08 12.995 12 14.514 12c1.521 0 2.458 1.08 2.486 2.499C17 15.887 16.035 17 14.485 17zM36 36h-5v-9.099c0-2.198-1.225-3.698-3.192-3.698-1.501 0-2.313 1.012-2.707 1.99C24.957 25.543 25 26.511 25 27v9h-5V19h5v2.616C25.721 20.5 26.85 19 29.738 19c3.578 0 6.261 2.25 6.261 7.274L36 36 36 36z\"\n />\n </svg>\n );\n};\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst SlackSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with Slack',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-[#4A154B] hover:bg-[#4A154B] pl-[3px] hover:bg-opacity-85 gap-4 transition-colors shadow-md text-white'\n )}\n ref={ref}\n onClick={() => {\n signIn('slack', { callbackUrl });\n }}\n {...props}\n >\n <Icon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nSlackSignInButton.displayName = 'SlackSignInButton';\nexport default SlackSignInButton;\n\nconst Icon = () => {\n return (\n <svg\n enableBackground=\"new 0 0 2447.6 2452.5\"\n viewBox=\"0 0 2447.6 2452.5\"\n className=\"w-5 h-5 ml-3\"\n xmlns=\"http://www.w3.org/2000/svg\"\n >\n <g clipRule=\"evenodd\" fillRule=\"evenodd\">\n <path\n d=\"m897.4 0c-135.3.1-244.8 109.9-244.7 245.2-.1 135.3 109.5 245.1 244.8 245.2h244.8v-245.1c.1-135.3-109.5-245.1-244.9-245.3.1 0 .1 0 0 0m0 654h-652.6c-135.3.1-244.9 109.9-244.8 245.2-.2 135.3 109.4 245.1 244.7 245.3h652.7c135.3-.1 244.9-109.9 244.8-245.2.1-135.4-109.5-245.2-244.8-245.3z\"\n fill=\"#36c5f0\"\n />\n <path\n d=\"m2447.6 899.2c.1-135.3-109.5-245.1-244.8-245.2-135.3.1-244.9 109.9-244.8 245.2v245.3h244.8c135.3-.1 244.9-109.9 244.8-245.3zm-652.7 0v-654c.1-135.2-109.4-245-244.7-245.2-135.3.1-244.9 109.9-244.8 245.2v654c-.2 135.3 109.4 245.1 244.7 245.3 135.3-.1 244.9-109.9 244.8-245.3z\"\n fill=\"#2eb67d\"\n />\n <path\n d=\"m1550.1 2452.5c135.3-.1 244.9-109.9 244.8-245.2.1-135.3-109.5-245.1-244.8-245.2h-244.8v245.2c-.1 135.2 109.5 245 244.8 245.2zm0-654.1h652.7c135.3-.1 244.9-109.9 244.8-245.2.2-135.3-109.4-245.1-244.7-245.3h-652.7c-135.3.1-244.9 109.9-244.8 245.2-.1 135.4 109.4 245.2 244.7 245.3z\"\n fill=\"#ecb22e\"\n />\n <path\n d=\"m0 1553.2c-.1 135.3 109.5 245.1 244.8 245.2 135.3-.1 244.9-109.9 244.8-245.2v-245.2h-244.8c-135.3.1-244.9 109.9-244.8 245.2zm652.7 0v654c-.2 135.3 109.4 245.1 244.7 245.3 135.3-.1 244.9-109.9 244.8-245.2v-653.9c.2-135.3-109.4-245.1-244.7-245.3-135.4 0-244.9 109.8-244.8 245.1 0 0 0 .1 0 0\"\n fill=\"#e01e5a\"\n />\n </g>\n </svg>\n );\n};\n","'use client';\n\nimport { signIn } from 'next-auth/react';\nimport React from 'react';\nimport { Slot } from '@radix-ui/react-slot';\n\nimport { cn } from '../../lib/utils';\nimport { buttonVariants, ButtonProps } from '../../components/ui/button';\n\nconst XSignInButton = React.forwardRef<\n HTMLButtonElement,\n ButtonProps & { callbackUrl?: string; buttonText?: string }\n>(\n (\n {\n callbackUrl,\n className,\n buttonText = 'Continue with X',\n variant,\n size,\n asChild = false,\n ...props\n },\n ref\n ) => {\n const Comp = asChild ? Slot : 'button';\n return (\n <Comp\n className={cn(\n buttonVariants({ variant, size, className }),\n 'bg-black hover:bg-slate-800 pl-[3px] text-white gap-4 transition-colors shadow-md'\n )}\n ref={ref}\n onClick={() => {\n signIn('twitter', { callbackUrl });\n }}\n {...props}\n >\n <Icon />\n {buttonText}\n </Comp>\n );\n }\n);\n\nXSignInButton.displayName = 'XSignInButton';\nexport default XSignInButton;\n\nconst Icon = () => {\n return (\n <svg className=\"w-5 h-5 ml-3\" viewBox=\"0 0 24 24\" version=\"1.1\">\n <path\n d=\"M18.244 2.25h3.308l-7.227 8.26 8.502 11.24H16.17l-5.214-6.817L4.99 21.75H1.68l7.73-8.835L1.254 2.25H8.08l4.713 6.231zm-1.161 17.52h1.833L7.084 4.126H5.117z\"\n fill=\"#ffffff\"\n />\n </svg>\n );\n};\n","import React from 'react';\n\nimport { Props } from './types';\nimport SignUpForm from './Form';\n\nexport default function SigningUp(props: Props) {\n return (\n <div className=\"flex flex-col gap-4\">\n <div className=\"font-sans text-3xl\">Sign up</div>\n <SignUpForm {...props} />\n </div>\n );\n}\n","'use client';\nimport React from 'react';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { useForm } from 'react-hook-form';\n\nimport { Email, Form, Password } from '../../components/ui/form';\nimport { Button } from '../../components/ui/button';\n\nimport { Props } from './types';\nimport { useSignUp } from './hooks';\n\nconst queryClient = new QueryClient();\nexport default function SignUpForm(props: Props) {\n const { client } = props ?? {};\n return (\n <QueryClientProvider client={client ?? queryClient}>\n <SignInForm {...props} />\n </QueryClientProvider>\n );\n}\n\nexport function SignInForm(props: Props) {\n const signUp = useSignUp(props);\n const form = useForm({ defaultValues: { email: '', password: '' } });\n\n return (\n <Form {...form}>\n <form\n onSubmit={form.handleSubmit(({ email, password }) =>\n signUp({ email, password })\n )}\n className=\"space-y-8\"\n >\n <Email />\n <Password />\n <Button>Sign up</Button>\n </form>\n </Form>\n );\n}\n","import { QueryClient, useMutation } from '@tanstack/react-query';\nimport { useEffect } from 'react';\n\nimport { Props, SignUpInfo } from './types';\n\nexport function useSignUp<T extends SignUpInfo>(\n params: Props,\n client?: QueryClient\n) {\n const { onSuccess, onError, beforeMutate, callbackUrl } = params;\n\n const mutation = useMutation(\n {\n mutationFn: async (_data) => {\n const possibleData = beforeMutate && beforeMutate(_data);\n const payload: T = { ..._data, ...possibleData };\n const { tenantId, newTenantName, ...body } = payload;\n let fetchUrl =\n payload.fetchURL ?? `${window.location.origin}/api/signup`;\n\n const searchParams = new URLSearchParams();\n\n if (newTenantName) {\n searchParams.set('newTenantName', newTenantName);\n }\n if (tenantId) {\n searchParams.set('tenantId', tenantId);\n }\n\n if (searchParams.size > 0) {\n fetchUrl += `?${searchParams}`;\n }\n\n return await fetch(fetchUrl, {\n body: JSON.stringify(body),\n method: 'POST',\n });\n },\n\n onSuccess: (data, variables) => {\n if (callbackUrl) {\n window.location.href = callbackUrl;\n }\n onSuccess && onSuccess(data, variables);\n },\n onError,\n },\n client\n );\n useEffect(() => {\n fetch('/api/auth/providers');\n fetch('/api/auth/csrf');\n }, []);\n return mutation.mutate;\n}\n","import React from 'react';\n\nimport FormSignIn from './Form';\nimport { Props } from './types';\n\nexport default function SigningIn(props: Props) {\n return (\n <div className=\"flex flex-col gap-4\">\n <h2 className=\"font-sans text-3xl\">Sign In</h2>\n <FormSignIn {...props} />\n </div>\n );\n}\n","'use client';\nimport React from 'react';\nimport { QueryClient, QueryClientProvider } from '@tanstack/react-query';\nimport { useForm } from 'react-hook-form';\n\nimport { Button } from '../../components/ui/button';\nimport { Email, Form, Password } from '../../components/ui/form';\n\nimport { useSignIn } from './hooks';\nimport { Props } from './types';\n\nconst queryClient = new QueryClient();\n\nexport default function SigningIn(props: Props) {\n const { client, ...remaining } = props ?? {};\n return (\n <QueryClientProvider client={client ?? queryClient}>\n <SignInForm {...remaining} />\n </QueryClientProvider>\n );\n}\n\nexport function SignInForm(props: Props) {\n const signIn = useSignIn(props);\n const form = useForm({ defaultValues: { email: '', password: '' } });\n\n return (\n <Form {...form}>\n <form\n onSubmit={form.handleSubmit(\n ({ email, password }) => signIn && signIn({ email, password })\n )}\n className=\"space-y-8\"\n >\n <Email />\n <Password />\n <Button type=\"submit\">Sign In</Button>\n </form>\n </Form>\n );\n}\n","import { useMutation } from '@tanstack/react-query';\nimport { signIn } from 'next-auth/react';\n\nimport { Props, LoginInfo } from './types';\n\nexport function useSignIn(params?: Props) {\n const { onSuccess, onError, beforeMutate, callbackUrl } = params ?? {};\n const mutation = useMutation({\n mutationFn: async (_data: LoginInfo) => {\n const d = { ..._data, callbackUrl };\n const possibleData = beforeMutate && beforeMutate(d);\n const data = possibleData ?? d;\n return await signIn('credentials', data);\n },\n onSuccess,\n onError,\n });\n return mutation.mutate;\n}\n"],"mappings":";8kBAAA,IAAAA,GAAA,GAAAC,GAAAD,GAAA,WAAAE,GAAA,YAAAC,GAAA,UAAAC,EAAA,gBAAAC,GAAA,sBAAAC,GAAA,WAAAC,GAAA,WAAAC,GAAA,YAAAC,GAAA,aAAAC,GAAA,aAAAC,EAAA,eAAAC,GAAA,eAAAC,GAAA,UAAAC,GAAA,MAAAC,GAAA,+DAAAC,EAAA,cAAAA,GAAA,cAAAC,KAAA,eAAAC,GAAAlB,ICCA,IAAAmB,EAAkB,oBAClBC,GAAiD,iCACjDC,GAAwB,2BACxBC,GAAqB,wBCJrB,IAAAC,EAAuB,oBAEvBC,GAAqB,gCACrBC,EAOO,2BCVP,SAASC,GAAEC,EAAE,CAAC,IAAIC,EAAEC,EAAEC,EAAE,GAAG,GAAa,OAAOH,GAAjB,UAA8B,OAAOA,GAAjB,SAAmBG,GAAGH,UAAoB,OAAOA,GAAjB,SAAmB,GAAG,MAAM,QAAQA,CAAC,EAAE,CAAC,IAAII,EAAEJ,EAAE,OAAO,IAAIC,EAAE,EAAEA,EAAEG,EAAEH,IAAID,EAAEC,CAAC,IAAIC,EAAEH,GAAEC,EAAEC,CAAC,CAAC,KAAKE,IAAIA,GAAG,KAAKA,GAAGD,EAAE,KAAM,KAAIA,KAAKF,EAAEA,EAAEE,CAAC,IAAIC,IAAIA,GAAG,KAAKA,GAAGD,GAAG,OAAOC,CAAC,CAAQ,SAASE,IAAM,CAAC,QAAQL,EAAEC,EAAEC,EAAE,EAAEC,EAAE,GAAGC,EAAE,UAAU,OAAOF,EAAEE,EAAEF,KAAKF,EAAE,UAAUE,CAAC,KAAKD,EAAEF,GAAEC,CAAC,KAAKG,IAAIA,GAAG,KAAKA,GAAGF,GAAG,OAAOE,CAAC,CCsB/W,IAAMG,GAAuB,IAEhBC,GAAyBC,GAAyB,CAC3D,IAAMC,EAAWC,GAAeF,CAAM,EAChC,CAAEG,uBAAAA,EAAwBC,+BAAAA,CAAgC,EAAGJ,EA0BnE,MAAO,CACHK,gBAzBqBC,GAAqB,CAC1C,IAAMC,EAAaD,EAAUE,MAAMV,EAAoB,EAGvD,OAAIS,EAAW,CAAC,IAAM,IAAMA,EAAWE,SAAW,GAC9CF,EAAWG,MAAK,EAGbC,GAAkBJ,EAAYN,CAAQ,GAAKW,GAA+BN,CAAS,CAC9F,EAiBIO,4BAfgCA,CAChCC,EACAC,IACA,CACA,IAAMC,EAAYb,EAAuBW,CAAY,GAAK,CAAA,EAE1D,OAAIC,GAAsBX,EAA+BU,CAAY,EAC1D,CAAC,GAAGE,EAAW,GAAGZ,EAA+BU,CAAY,CAAE,EAGnEE,CACX,EAMJ,EAEML,GAAoBA,CACtBJ,EACAU,IACkC,CAvCtC,IAAAC,EAwCI,GAAIX,EAAWE,SAAW,EACtB,OAAOQ,EAAgBH,aAG3B,IAAMK,EAAmBZ,EAAW,CAAC,EAC/Ba,EAAsBH,EAAgBI,SAASC,IAAIH,CAAgB,EACnEI,EAA8BH,EAC9BT,GAAkBJ,EAAWiB,MAAM,CAAC,EAAGJ,CAAmB,EAC1DK,OAEN,GAAIF,EACA,OAAOA,EAGX,GAAIN,EAAgBS,WAAWjB,SAAW,EACtC,OAGJ,IAAMkB,EAAYpB,EAAWqB,KAAK9B,EAAoB,EAEtD,OAAOmB,EAAAA,EAAgBS,WAAWG,KAAK,CAAC,CAAEC,UAAAA,CAAW,IAAKA,EAAUH,CAAS,CAAC,IAAvEV,YAAAA,EAA0EH,YACrF,EAEMiB,GAAyB,aAEzBnB,GAAkCN,GAAqB,CACzD,GAAIyB,GAAuBC,KAAK1B,CAAS,EAAG,CACxC,IAAM2B,EAA6BF,GAAuBG,KAAK5B,CAAS,EAAG,CAAC,EACtE6B,EAAWF,GAAAA,YAAAA,EAA4BG,UACzC,EACAH,EAA2BI,QAAQ,GAAG,GAG1C,GAAIF,EAEA,MAAO,cAAgBA,CAE9B,CACL,EAKajC,GAAkBF,GAA8D,CACzF,GAAM,CAAEsC,MAAAA,EAAOC,OAAAA,CAAQ,EAAGvC,EACpBC,EAA4B,CAC9BoB,SAAU,IAAImB,IACdd,WAAY,CAAA,GAQhBe,OALkCC,GAC9BC,OAAOC,QAAQ5C,EAAO6C,WAAW,EACjCN,CAAM,EAGgBO,QAAQ,CAAC,CAAChC,EAAciC,CAAU,IAAK,CAC7DC,GAA0BD,EAAY9C,EAAUa,EAAcwB,CAAK,CACvE,CAAC,EAEMrC,CACX,EAEM+C,GAA4BA,CAC9BD,EACA9B,EACAH,EACAwB,IACA,CACAS,EAAWD,QAASG,GAAmB,CACnC,GAAI,OAAOA,GAAoB,SAAU,CACrC,IAAMC,EACFD,IAAoB,GAAKhC,EAAkBkC,GAAQlC,EAAiBgC,CAAe,EACvFC,EAAsBpC,aAAeA,EACrC,MACH,CAED,GAAI,OAAOmC,GAAoB,WAAY,CACvC,GAAIG,GAAcH,CAAe,EAAG,CAChCD,GACIC,EAAgBX,CAAK,EACrBrB,EACAH,EACAwB,CAAK,EAET,MACH,CAEDrB,EAAgBS,WAAW2B,KAAK,CAC5BvB,UAAWmB,EACXnC,aAAAA,CACH,CAAA,EAED,MACH,CAED6B,OAAOC,QAAQK,CAAe,EAAEH,QAAQ,CAAC,CAACQ,EAAKP,CAAU,IAAK,CAC1DC,GACID,EACAI,GAAQlC,EAAiBqC,CAAG,EAC5BxC,EACAwB,CAAK,CAEb,CAAC,CACL,CAAC,CACL,EAEMa,GAAUA,CAAClC,EAAkCsC,IAAgB,CAC/D,IAAIC,EAAyBvC,EAE7BsC,OAAAA,EAAK/C,MAAMV,EAAoB,EAAEgD,QAASW,GAAY,CAC7CD,EAAuBnC,SAASqC,IAAID,CAAQ,GAC7CD,EAAuBnC,SAASsC,IAAIF,EAAU,CAC1CpC,SAAU,IAAImB,IACdd,WAAY,CAAA,CACf,CAAA,EAGL8B,EAAyBA,EAAuBnC,SAASC,IAAImC,CAAQ,CACzE,CAAC,EAEMD,CACX,EAEMJ,GAAiBQ,GAClBA,EAAqBR,cAEpBV,GAA+BA,CACjCmB,EACAtB,IAEKA,EAIEsB,EAAkBC,IAAI,CAAC,CAAChD,EAAciC,CAAU,IAAK,CACxD,IAAMgB,EAAqBhB,EAAWe,IAAKb,GACnC,OAAOA,GAAoB,SACpBV,EAASU,EAGhB,OAAOA,GAAoB,SACpBN,OAAOqB,YACVrB,OAAOC,QAAQK,CAAe,EAAEa,IAAI,CAAC,CAACR,EAAKW,CAAK,IAAM,CAAC1B,EAASe,EAAKW,CAAK,CAAC,CAAC,EAI7EhB,CACV,EAED,MAAO,CAACnC,EAAciD,CAAkB,CAC5C,CAAC,EAnBUF,ECzLFK,GAA8BC,GAA8C,CACrF,GAAIA,EAAe,EACf,MAAO,CACH7C,IAAKA,IAAA,GACLqC,IAAKA,IAAK,CAAG,GAIrB,IAAIS,EAAY,EACZC,EAAQ,IAAI7B,IACZ8B,EAAgB,IAAI9B,IAElB+B,EAASA,CAACjB,EAAUW,IAAgB,CACtCI,EAAMV,IAAIL,EAAKW,CAAK,EACpBG,IAEIA,EAAYD,IACZC,EAAY,EACZE,EAAgBD,EAChBA,EAAQ,IAAI7B,IAEpB,EAEA,MAAO,CACHlB,IAAIgC,EAAG,CACH,IAAIW,EAAQI,EAAM/C,IAAIgC,CAAG,EAEzB,GAAIW,IAAUxC,OACV,OAAOwC,EAEX,IAAKA,EAAQK,EAAchD,IAAIgC,CAAG,KAAO7B,OACrC8C,OAAAA,EAAOjB,EAAKW,CAAK,EACVA,CAEd,EACDN,IAAIL,EAAKW,EAAK,CACNI,EAAMX,IAAIJ,CAAG,EACbe,EAAMV,IAAIL,EAAKW,CAAK,EAEpBM,EAAOjB,EAAKW,CAAK,CAExB,EAET,ECjDaO,GAAqB,IAErBC,GAAwBzE,GAAyB,CAC1D,GAAM,CAAE0E,UAAAA,EAAWC,2BAAAA,CAA4B,EAAG3E,EAC5C4E,EAA6BF,EAAUjE,SAAW,EAClDoE,EAA0BH,EAAU,CAAC,EACrCI,EAAkBJ,EAAUjE,OAG5BsE,EAAkBzE,GAAqB,CACzC,IAAM0E,EAAY,CAAA,EAEdC,EAAe,EACfC,EAAgB,EAChBC,EAEJ,QAASC,EAAQ,EAAGA,EAAQ9E,EAAUG,OAAQ2E,IAAS,CACnD,IAAIC,EAAmB/E,EAAU8E,CAAK,EAEtC,GAAIH,IAAiB,EAAG,CACpB,GACII,IAAqBR,IACpBD,GACGtE,EAAUkB,MAAM4D,EAAOA,EAAQN,CAAe,IAAMJ,GAC1D,CACEM,EAAU3B,KAAK/C,EAAUkB,MAAM0D,EAAeE,CAAK,CAAC,EACpDF,EAAgBE,EAAQN,EACxB,QACH,CAED,GAAIO,IAAqB,IAAK,CAC1BF,EAA0BC,EAC1B,QACH,CACJ,CAEGC,IAAqB,IACrBJ,IACOI,IAAqB,KAC5BJ,GAEP,CAED,IAAMK,EACFN,EAAUvE,SAAW,EAAIH,EAAYA,EAAU8B,UAAU8C,CAAa,EACpEK,EACFD,EAAmCE,WAAWhB,EAAkB,EAC9DiB,EAAgBF,EAChBD,EAAmClD,UAAU,CAAC,EAC9CkD,EAEAI,EACFP,GAA2BA,EAA0BD,EAC/CC,EAA0BD,EAC1BzD,OAEV,MAAO,CACHuD,UAAAA,EACAO,qBAAAA,EACAE,cAAAA,EACAC,6BAAAA,EAER,EAEA,OAAIf,EACQrE,GAAsBqE,EAA2B,CAAErE,UAAAA,EAAWyE,eAAAA,CAAgB,CAAA,EAGnFA,CACX,EAOaY,GAAiBX,GAAuB,CACjD,GAAIA,EAAUvE,QAAU,EACpB,OAAOuE,EAGX,IAAMY,EAA4B,CAAA,EAC9BC,EAA8B,CAAA,EAElCb,OAAAA,EAAUlC,QAASgD,GAAY,CACAA,EAAS,CAAC,IAAM,KAGvCF,EAAgBvC,KAAK,GAAGwC,EAAkBE,KAAM,EAAED,CAAQ,EAC1DD,EAAoB,CAAA,GAEpBA,EAAkBxC,KAAKyC,CAAQ,CAEvC,CAAC,EAEDF,EAAgBvC,KAAK,GAAGwC,EAAkBE,KAAM,CAAA,EAEzCH,CACX,EC7FaI,GAAqBhG,IAA2B,CACzDqE,MAAOH,GAA+BlE,EAAOoE,SAAS,EACtDW,eAAgBN,GAAqBzE,CAAM,EAC3C,GAAGD,GAAsBC,CAAM,CAClC,GCRKiG,GAAsB,MAEfC,GAAiBA,CAACC,EAAmBC,IAA4B,CAC1E,GAAM,CAAErB,eAAAA,EAAgB1E,gBAAAA,EAAiBQ,4BAAAA,CAA2B,EAAKuF,EASnEC,EAAkC,CAAA,EAClCC,EAAaH,EAAUI,KAAM,EAAC/F,MAAMyF,EAAmB,EAEzDO,EAAS,GAEb,QAASpB,EAAQkB,EAAW7F,OAAS,EAAG2E,GAAS,EAAGA,GAAS,EAAG,CAC5D,IAAMqB,EAAoBH,EAAWlB,CAAK,EAEpC,CAAEJ,UAAAA,EAAWO,qBAAAA,EAAsBE,cAAAA,EAAeC,6BAAAA,GACpDX,EAAe0B,CAAiB,EAEhC1F,EAAqB2F,EAAQhB,EAC7B5E,EAAeT,EACfU,EACM0E,EAAcrD,UAAU,EAAGsD,CAA4B,EACvDD,CAAa,EAGvB,GAAI,CAAC3E,EAAc,CACf,GAAI,CAACC,EAAoB,CAErByF,EAASC,GAAqBD,EAAO/F,OAAS,EAAI,IAAM+F,EAASA,GACjE,QACH,CAID,GAFA1F,EAAeT,EAAgBoF,CAAa,EAExC,CAAC3E,EAAc,CAEf0F,EAASC,GAAqBD,EAAO/F,OAAS,EAAI,IAAM+F,EAASA,GACjE,QACH,CAEDzF,EAAqB,EACxB,CAED,IAAM4F,EAAkBhB,GAAcX,CAAS,EAAEpD,KAAK,GAAG,EAEnDgF,EAAarB,EACboB,EAAkBnC,GAClBmC,EAEAE,EAAUD,EAAa9F,EAE7B,GAAIuF,EAAsBS,SAASD,CAAO,EAEtC,SAGJR,EAAsBhD,KAAKwD,CAAO,EAElC,IAAME,EAAiBlG,EAA4BC,EAAcC,CAAkB,EACnF,QAASiG,EAAI,EAAGA,EAAID,EAAetG,OAAQ,EAAEuG,EAAG,CAC5C,IAAMC,GAAQF,EAAeC,CAAC,EAC9BX,EAAsBhD,KAAKuD,EAAaK,EAAK,CAChD,CAGDT,EAASC,GAAqBD,EAAO/F,OAAS,EAAI,IAAM+F,EAASA,EACpE,CAED,OAAOA,CACX,WC/DgBU,IAAM,CAClB,IAAI9B,EAAQ,EACR+B,EACAC,EACAC,EAAS,GAEb,KAAOjC,EAAQkC,UAAU7G,SAChB0G,EAAWG,UAAUlC,GAAO,KACxBgC,EAAgBG,GAAQJ,CAAQ,KACjCE,IAAWA,GAAU,KACrBA,GAAUD,GAItB,OAAOC,CACX,CAEA,IAAME,GAAWC,GAAgC,CAC7C,GAAI,OAAOA,GAAQ,SACf,OAAOA,EAGX,IAAIJ,EACAC,EAAS,GAEb,QAASI,EAAI,EAAGA,EAAID,EAAI/G,OAAQgH,IACxBD,EAAIC,CAAC,IACAL,EAAgBG,GAAQC,EAAIC,CAAC,CAA4B,KAC1DJ,IAAWA,GAAU,KACrBA,GAAUD,GAKtB,OAAOC,CACX,WCvCgBK,GACZC,KACGC,EAA0C,CAE7C,IAAIxB,EACAyB,EACAC,EACAC,EAAiBC,EAErB,SAASA,EAAkB7B,EAAiB,CACxC,IAAMnG,EAAS4H,EAAiBK,OAC5B,CAACC,EAAgBC,IAAwBA,EAAoBD,CAAc,EAC3EP,EAAiB,CAAmB,EAGxCvB,OAAAA,EAAcJ,GAAkBhG,CAAM,EACtC6H,EAAWzB,EAAY/B,MAAM/C,IAC7BwG,EAAW1B,EAAY/B,MAAMV,IAC7BoE,EAAiBK,EAEVA,EAAcjC,CAAS,CACjC,CAED,SAASiC,EAAcjC,EAAiB,CACpC,IAAMkC,EAAeR,EAAS1B,CAAS,EAEvC,GAAIkC,EACA,OAAOA,EAGX,IAAM7B,EAASN,GAAeC,EAAWC,CAAW,EACpD0B,OAAAA,EAAS3B,EAAWK,CAAM,EAEnBA,CACV,CAED,OAAO,UAA0B,CAC7B,OAAOuB,EAAeb,GAAOoB,MAAM,KAAMhB,SAAgB,CAAC,CAC9D,CACJ,CC/Ca,IAAAiB,EAGXjF,GAAkF,CAChF,IAAMkF,EAAelG,GACjBA,EAAMgB,CAAG,GAAK,CAAA,EAElBkF,OAAAA,EAAYpF,cAAgB,GAErBoF,CACX,ECZMC,GAAsB,6BACtBC,GAAgB,aAChBC,GAAgB,IAAIC,IAAI,CAAC,KAAM,OAAQ,QAAQ,CAAC,EAChDC,GAAkB,mCAClBC,GACF,4HACEC,GAAqB,2CAErBC,GAAc,kEACdC,GACF,+FAESC,EAAYjF,GACrBkF,EAASlF,CAAK,GAAK0E,GAAcjF,IAAIO,CAAK,GAAKyE,GAAc1G,KAAKiC,CAAK,EAE9DmF,EAAqBnF,GAC9BoF,EAAoBpF,EAAO,SAAUqF,EAAY,EAExCH,EAAYlF,GAAkByC,EAAQzC,GAAU,CAACsF,OAAOC,MAAMD,OAAOtF,CAAK,CAAC,EAE3EwF,GAAqBxF,GAAkBoF,EAAoBpF,EAAO,SAAUkF,CAAQ,EAEpFO,EAAazF,GAAkByC,EAAQzC,GAAUsF,OAAOG,UAAUH,OAAOtF,CAAK,CAAC,EAE/E0F,GAAa1F,GAAkBA,EAAM2F,SAAS,GAAG,GAAKT,EAASlF,EAAMzC,MAAM,EAAG,EAAE,CAAC,EAEjFqI,EAAoB5F,GAAkBwE,GAAoBzG,KAAKiC,CAAK,EAEpE6F,EAAgB7F,GAAkB4E,GAAgB7G,KAAKiC,CAAK,EAEnE8F,GAAa,IAAInB,IAAI,CAAC,SAAU,OAAQ,YAAY,CAAC,EAE9CoB,GAAmB/F,GAAkBoF,EAAoBpF,EAAO8F,GAAYE,EAAO,EAEnFC,GAAuBjG,GAChCoF,EAAoBpF,EAAO,WAAYgG,EAAO,EAE5CE,GAAc,IAAIvB,IAAI,CAAC,QAAS,KAAK,CAAC,EAE/BwB,GAAoBnG,GAAkBoF,EAAoBpF,EAAOkG,GAAaE,EAAO,EAErFC,GAAqBrG,GAAkBoF,EAAoBpF,EAAO,GAAIsG,EAAQ,EAE9EC,EAAQA,IAAM,GAErBnB,EAAsBA,CACxBpF,EACAwG,EACAC,IACA,CACA,IAAMlE,EAASiC,GAAoBvG,KAAK+B,CAAK,EAE7C,OAAIuC,EACIA,EAAO,CAAC,EACD,OAAOiE,GAAU,SAAWjE,EAAO,CAAC,IAAMiE,EAAQA,EAAM/G,IAAI8C,EAAO,CAAC,CAAC,EAGzEkE,EAAUlE,EAAO,CAAC,CAAE,EAGxB,EACX,EAEM8C,GAAgBrF,GAIlB6E,GAAgB9G,KAAKiC,CAAK,GAAK,CAAC8E,GAAmB/G,KAAKiC,CAAK,EAE3DgG,GAAUA,IAAM,GAEhBM,GAAYtG,GAAkB+E,GAAYhH,KAAKiC,CAAK,EAEpDoG,GAAWpG,GAAkBgF,GAAWjH,KAAKiC,CAAK,ECvDjD,IAAM0G,GAAmBA,IAAK,CACjC,IAAMC,EAASC,EAAU,QAAQ,EAC3BC,EAAUD,EAAU,SAAS,EAC7BE,EAAOF,EAAU,MAAM,EACvBG,EAAaH,EAAU,YAAY,EACnCI,EAAcJ,EAAU,aAAa,EACrCK,EAAeL,EAAU,cAAc,EACvCM,EAAgBN,EAAU,eAAe,EACzCO,EAAcP,EAAU,aAAa,EACrCQ,EAAWR,EAAU,UAAU,EAC/BS,EAAYT,EAAU,WAAW,EACjCU,EAAYV,EAAU,WAAW,EACjCW,EAASX,EAAU,QAAQ,EAC3BY,EAAMZ,EAAU,KAAK,EACrBa,EAAqBb,EAAU,oBAAoB,EACnDc,EAA6Bd,EAAU,4BAA4B,EACnEe,EAAQf,EAAU,OAAO,EACzBgB,EAAShB,EAAU,QAAQ,EAC3BiB,EAAUjB,EAAU,SAAS,EAC7BkB,EAAUlB,EAAU,SAAS,EAC7BmB,EAAWnB,EAAU,UAAU,EAC/BoB,EAAQpB,EAAU,OAAO,EACzBqB,GAAQrB,EAAU,OAAO,EACzBsB,GAAOtB,EAAU,MAAM,EACvBuB,GAAQvB,EAAU,OAAO,EACzBwB,GAAYxB,EAAU,WAAW,EAEjCyB,GAAgBA,IAAM,CAAC,OAAQ,UAAW,MAAM,EAChDC,GAAcA,IAAM,CAAC,OAAQ,SAAU,OAAQ,UAAW,QAAQ,EAClEC,GAAiCA,IAAM,CAAC,OAAQC,EAAkB3B,CAAO,EACzE4B,EAA0BA,IAAM,CAACD,EAAkB3B,CAAO,EAC1D6B,GAAiCA,IAAM,CAAC,GAAIC,EAAUC,CAAiB,EACvEC,GAAgCA,IAAM,CAAC,OAAQC,EAAUN,CAAgB,EACzEO,GAAeA,IACjB,CACI,SACA,SACA,OACA,cACA,WACA,QACA,eACA,YACA,KAAK,EAEPC,GAAgBA,IAAM,CAAC,QAAS,SAAU,SAAU,SAAU,MAAM,EACpEC,GAAgBA,IAClB,CACI,SACA,WACA,SACA,UACA,SACA,UACA,cACA,aACA,aACA,aACA,aACA,YACA,MACA,aACA,QACA,YAAY,EAEdC,GAAWA,IACb,CAAC,QAAS,MAAO,SAAU,UAAW,SAAU,SAAU,SAAS,EACjEC,EAAkBA,IAAM,CAAC,GAAI,IAAKX,CAAgB,EAClDY,GAAYA,IACd,CAAC,OAAQ,QAAS,MAAO,aAAc,OAAQ,OAAQ,QAAS,QAAQ,EACtEC,EAAwBA,IAAM,CAACP,EAAUN,CAAgB,EAE/D,MAAO,CACHc,UAAW,IACXC,UAAW,IACXC,MAAO,CACH7C,OAAQ,CAAC8C,CAAK,EACd5C,QAAS,CAAC8B,EAAUC,CAAiB,EACrC9B,KAAM,CAAC,OAAQ,GAAI4C,EAAclB,CAAgB,EACjDzB,WAAYsC,EAAuB,EACnCrC,YAAa,CAACL,CAAM,EACpBM,aAAc,CAAC,OAAQ,GAAI,OAAQyC,EAAclB,CAAgB,EACjEtB,cAAeuB,EAAyB,EACxCtB,YAAauB,GAAgC,EAC7CtB,SAAUiC,EAAuB,EACjChC,UAAW8B,EAAiB,EAC5B7B,UAAW+B,EAAuB,EAClC9B,OAAQ4B,EAAiB,EACzB3B,IAAKiB,EAAyB,EAC9BhB,mBAAoB,CAACd,CAAM,EAC3Be,2BAA4B,CAACiC,GAAWf,CAAiB,EACzDjB,MAAOY,GAAgC,EACvCX,OAAQW,GAAgC,EACxCV,QAASwB,EAAuB,EAChCvB,QAASW,EAAyB,EAClCV,SAAUsB,EAAuB,EACjCrB,MAAOqB,EAAuB,EAC9BpB,MAAOkB,EAAiB,EACxBjB,KAAMmB,EAAuB,EAC7BlB,MAAOM,EAAyB,EAChCL,UAAWK,EAAyB,CACvC,EACDmB,YAAa,CAMTC,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQ,SAAU,QAASrB,CAAgB,EAAG,EAKlEsB,UAAW,CAAC,WAAW,EAKvBC,QAAS,CAAC,CAAEA,QAAS,CAACL,CAAY,CAAC,CAAE,EAKrC,cAAe,CAAC,CAAE,cAAeN,GAAW,CAAA,CAAE,EAK9C,eAAgB,CAAC,CAAE,eAAgBA,GAAW,CAAA,CAAE,EAKhD,eAAgB,CAAC,CAAE,eAAgB,CAAC,OAAQ,QAAS,aAAc,cAAc,EAAG,EAKpF,iBAAkB,CAAC,CAAE,iBAAkB,CAAC,QAAS,OAAO,CAAC,CAAE,EAK3DY,IAAK,CAAC,CAAEA,IAAK,CAAC,SAAU,SAAS,CAAC,CAAE,EAKpCC,QAAS,CACL,QACA,eACA,SACA,OACA,cACA,QACA,eACA,gBACA,aACA,eACA,qBACA,qBACA,qBACA,kBACA,YACA,YACA,OACA,cACA,WACA,YACA,QAAQ,EAMZC,MAAO,CAAC,CAAEA,MAAO,CAAC,QAAS,OAAQ,OAAQ,QAAS,KAAK,EAAG,EAK5DC,MAAO,CAAC,CAAEA,MAAO,CAAC,OAAQ,QAAS,OAAQ,OAAQ,QAAS,KAAK,EAAG,EAKpEC,UAAW,CAAC,UAAW,gBAAgB,EAKvC,aAAc,CAAC,CAAEC,OAAQ,CAAC,UAAW,QAAS,OAAQ,OAAQ,YAAY,EAAG,EAK7E,kBAAmB,CAAC,CAAEA,OAAQ,CAAC,GAAGtB,GAAc,EAAEP,CAAgB,EAAG,EAKrE8B,SAAU,CAAC,CAAEA,SAAUhC,GAAa,CAAA,CAAE,EAKtC,aAAc,CAAC,CAAE,aAAcA,GAAa,CAAA,CAAE,EAK9C,aAAc,CAAC,CAAE,aAAcA,GAAa,CAAA,CAAE,EAK9CiC,WAAY,CAAC,CAAEA,WAAYlC,GAAe,CAAA,CAAE,EAK5C,eAAgB,CAAC,CAAE,eAAgBA,GAAe,CAAA,CAAE,EAKpD,eAAgB,CAAC,CAAE,eAAgBA,GAAe,CAAA,CAAE,EAKpDmC,SAAU,CAAC,SAAU,QAAS,WAAY,WAAY,QAAQ,EAK9D7C,MAAO,CAAC,CAAEA,MAAO,CAACA,CAAK,CAAC,CAAE,EAK1B,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlC,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlC8C,MAAO,CAAC,CAAEA,MAAO,CAAC9C,CAAK,CAAC,CAAE,EAK1B+C,IAAK,CAAC,CAAEA,IAAK,CAAC/C,CAAK,CAAC,CAAE,EAKtBgD,IAAK,CAAC,CAAEA,IAAK,CAAChD,CAAK,CAAC,CAAE,EAKtBiD,MAAO,CAAC,CAAEA,MAAO,CAACjD,CAAK,CAAC,CAAE,EAK1BkD,OAAQ,CAAC,CAAEA,OAAQ,CAAClD,CAAK,CAAC,CAAE,EAK5BmD,KAAM,CAAC,CAAEA,KAAM,CAACnD,CAAK,CAAC,CAAE,EAKxBoD,WAAY,CAAC,UAAW,YAAa,UAAU,EAK/CC,EAAG,CAAC,CAAEA,EAAG,CAAC,OAAQC,EAAWzC,CAAgB,EAAG,EAMhD0C,MAAO,CAAC,CAAEA,MAAO3C,GAAgC,CAAA,CAAE,EAKnD,iBAAkB,CAAC,CAAE4C,KAAM,CAAC,MAAO,cAAe,MAAO,aAAa,EAAG,EAKzE,YAAa,CAAC,CAAEA,KAAM,CAAC,OAAQ,eAAgB,QAAQ,EAAG,EAK1DA,KAAM,CAAC,CAAEA,KAAM,CAAC,IAAK,OAAQ,UAAW,OAAQ3C,CAAgB,EAAG,EAKnE4C,KAAM,CAAC,CAAEA,KAAMjC,EAAiB,CAAA,CAAE,EAKlCkC,OAAQ,CAAC,CAAEA,OAAQlC,EAAiB,CAAA,CAAE,EAKtCmC,MAAO,CAAC,CAAEA,MAAO,CAAC,QAAS,OAAQ,OAAQL,EAAWzC,CAAgB,EAAG,EAKzE,YAAa,CAAC,CAAE,YAAa,CAACiB,CAAK,CAAC,CAAE,EAKtC,gBAAiB,CACb,CACI8B,IAAK,CACD,OACA,CAAEC,KAAM,CAAC,OAAQP,EAAWzC,CAAgB,CAAG,EAC/CA,CAAgB,CAEvB,CAAA,EAML,YAAa,CAAC,CAAE,YAAaK,GAA+B,CAAA,CAAE,EAK9D,UAAW,CAAC,CAAE,UAAWA,GAA+B,CAAA,CAAE,EAK1D,YAAa,CAAC,CAAE,YAAa,CAACY,CAAK,CAAC,CAAE,EAKtC,gBAAiB,CACb,CAAEgC,IAAK,CAAC,OAAQ,CAAED,KAAM,CAACP,EAAWzC,CAAgB,GAAKA,CAAgB,CAAG,CAAA,EAMhF,YAAa,CAAC,CAAE,YAAaK,GAA+B,CAAA,CAAE,EAK9D,UAAW,CAAC,CAAE,UAAWA,GAA+B,CAAA,CAAE,EAK1D,YAAa,CAAC,CAAE,YAAa,CAAC,MAAO,MAAO,QAAS,YAAa,WAAW,EAAG,EAKhF,YAAa,CAAC,CAAE,YAAa,CAAC,OAAQ,MAAO,MAAO,KAAML,CAAgB,EAAG,EAK7E,YAAa,CAAC,CAAE,YAAa,CAAC,OAAQ,MAAO,MAAO,KAAMA,CAAgB,EAAG,EAK7EhB,IAAK,CAAC,CAAEA,IAAK,CAACA,CAAG,CAAC,CAAE,EAKpB,QAAS,CAAC,CAAE,QAAS,CAACA,CAAG,CAAC,CAAE,EAK5B,QAAS,CAAC,CAAE,QAAS,CAACA,CAAG,CAAC,CAAE,EAK5B,kBAAmB,CAAC,CAAEkE,QAAS,CAAC,SAAU,GAAGxC,GAAU,CAAA,EAAG,EAK1D,gBAAiB,CAAC,CAAE,gBAAiB,CAAC,QAAS,MAAO,SAAU,SAAS,EAAG,EAK5E,eAAgB,CAAC,CAAE,eAAgB,CAAC,OAAQ,QAAS,MAAO,SAAU,SAAS,EAAG,EAKlF,gBAAiB,CAAC,CAAEyC,QAAS,CAAC,SAAU,GAAGzC,GAAU,EAAE,UAAU,EAAG,EAKpE,cAAe,CAAC,CAAE0C,MAAO,CAAC,QAAS,MAAO,SAAU,WAAY,SAAS,EAAG,EAK5E,aAAc,CAAC,CAAEC,KAAM,CAAC,OAAQ,QAAS,MAAO,SAAU,UAAW,UAAU,EAAG,EAKlF,gBAAiB,CAAC,CAAE,gBAAiB,CAAC,GAAG3C,GAAU,EAAE,UAAU,EAAG,EAKlE,cAAe,CAAC,CAAE,cAAe,CAAC,QAAS,MAAO,SAAU,WAAY,SAAS,EAAG,EAKpF,aAAc,CAAC,CAAE,aAAc,CAAC,OAAQ,QAAS,MAAO,SAAU,SAAS,EAAG,EAM9E4C,EAAG,CAAC,CAAEA,EAAG,CAAChE,CAAO,CAAC,CAAE,EAKpBiE,GAAI,CAAC,CAAEA,GAAI,CAACjE,CAAO,CAAC,CAAE,EAKtBkE,GAAI,CAAC,CAAEA,GAAI,CAAClE,CAAO,CAAC,CAAE,EAKtBmE,GAAI,CAAC,CAAEA,GAAI,CAACnE,CAAO,CAAC,CAAE,EAKtBoE,GAAI,CAAC,CAAEA,GAAI,CAACpE,CAAO,CAAC,CAAE,EAKtBqE,GAAI,CAAC,CAAEA,GAAI,CAACrE,CAAO,CAAC,CAAE,EAKtBsE,GAAI,CAAC,CAAEA,GAAI,CAACtE,CAAO,CAAC,CAAE,EAKtBuE,GAAI,CAAC,CAAEA,GAAI,CAACvE,CAAO,CAAC,CAAE,EAKtBwE,GAAI,CAAC,CAAEA,GAAI,CAACxE,CAAO,CAAC,CAAE,EAKtByE,EAAG,CAAC,CAAEA,EAAG,CAAC3E,CAAM,CAAC,CAAE,EAKnB4E,GAAI,CAAC,CAAEA,GAAI,CAAC5E,CAAM,CAAC,CAAE,EAKrB6E,GAAI,CAAC,CAAEA,GAAI,CAAC7E,CAAM,CAAC,CAAE,EAKrB8E,GAAI,CAAC,CAAEA,GAAI,CAAC9E,CAAM,CAAC,CAAE,EAKrB+E,GAAI,CAAC,CAAEA,GAAI,CAAC/E,CAAM,CAAC,CAAE,EAKrBgF,GAAI,CAAC,CAAEA,GAAI,CAAChF,CAAM,CAAC,CAAE,EAKrBiF,GAAI,CAAC,CAAEA,GAAI,CAACjF,CAAM,CAAC,CAAE,EAKrBkF,GAAI,CAAC,CAAEA,GAAI,CAAClF,CAAM,CAAC,CAAE,EAKrBmF,GAAI,CAAC,CAAEA,GAAI,CAACnF,CAAM,CAAC,CAAE,EAKrB,UAAW,CAAC,CAAE,UAAW,CAACO,EAAK,CAAC,CAAE,EAKlC,kBAAmB,CAAC,iBAAiB,EAKrC,UAAW,CAAC,CAAE,UAAW,CAACA,EAAK,CAAC,CAAE,EAKlC,kBAAmB,CAAC,iBAAiB,EAMrC6E,EAAG,CACC,CACIA,EAAG,CACC,OACA,MACA,MACA,MACA,MACA,MACA,MACAxE,EACA3B,CAAO,CAEd,CAAA,EAML,QAAS,CAAC,CAAE,QAAS,CAAC2B,EAAkB3B,EAAS,MAAO,MAAO,KAAK,EAAG,EAKvE,QAAS,CACL,CACI,QAAS,CACL2B,EACA3B,EACA,OACA,OACA,MACA,MACA,MACA,QACA,CAAEoG,OAAQ,CAACvD,CAAY,CAAG,EAC1BA,CAAY,CAEnB,CAAA,EAMLwD,EAAG,CACC,CACIA,EAAG,CACC1E,EACA3B,EACA,OACA,MACA,MACA,MACA,MACA,MACA,KAAK,CAEZ,CAAA,EAML,QAAS,CACL,CAAE,QAAS,CAAC2B,EAAkB3B,EAAS,MAAO,MAAO,MAAO,MAAO,MAAO,KAAK,CAAG,CAAA,EAMtF,QAAS,CACL,CAAE,QAAS,CAAC2B,EAAkB3B,EAAS,MAAO,MAAO,MAAO,MAAO,MAAO,KAAK,CAAG,CAAA,EAMtFsG,KAAM,CAAC,CAAEA,KAAM,CAAC3E,EAAkB3B,EAAS,OAAQ,MAAO,MAAO,KAAK,EAAG,EAMzE,YAAa,CAAC,CAAEuG,KAAM,CAAC,OAAQ1D,EAAcd,CAAiB,EAAG,EAKjE,iBAAkB,CAAC,cAAe,sBAAsB,EAKxD,aAAc,CAAC,SAAU,YAAY,EAKrC,cAAe,CACX,CACIyE,KAAM,CACF,OACA,aACA,QACA,SACA,SACA,WACA,OACA,YACA,QACAC,EAAiB,CAExB,CAAA,EAML,cAAe,CAAC,CAAED,KAAM,CAAC5D,CAAK,CAAC,CAAE,EAKjC,aAAc,CAAC,aAAa,EAK5B,cAAe,CAAC,SAAS,EAKzB,mBAAoB,CAAC,cAAc,EAKnC,aAAc,CAAC,cAAe,eAAe,EAK7C,cAAe,CAAC,oBAAqB,cAAc,EAKnD,eAAgB,CAAC,qBAAsB,kBAAkB,EAKzD8D,SAAU,CACN,CACIA,SAAU,CACN,UACA,QACA,SACA,OACA,QACA,SACA/E,CAAgB,CAEvB,CAAA,EAML,aAAc,CAAC,CAAE,aAAc,CAAC,OAAQM,EAAUwE,EAAiB,EAAG,EAKtEE,QAAS,CACL,CACIA,QAAS,CACL,OACA,QACA,OACA,SACA,UACA,QACA7E,EACAH,CAAgB,CAEvB,CAAA,EAML,aAAc,CAAC,CAAE,aAAc,CAAC,OAAQA,CAAgB,CAAC,CAAE,EAK3D,kBAAmB,CAAC,CAAEiF,KAAM,CAAC,OAAQ,OAAQ,UAAWjF,CAAgB,EAAG,EAK3E,sBAAuB,CAAC,CAAEiF,KAAM,CAAC,SAAU,SAAS,CAAC,CAAE,EAMvD,oBAAqB,CAAC,CAAEC,YAAa,CAAC/G,CAAM,CAAC,CAAE,EAK/C,sBAAuB,CAAC,CAAE,sBAAuB,CAACkB,CAAO,CAAC,CAAE,EAK5D,iBAAkB,CAAC,CAAEuF,KAAM,CAAC,OAAQ,SAAU,QAAS,UAAW,QAAS,KAAK,EAAG,EAKnF,aAAc,CAAC,CAAEA,KAAM,CAACzG,CAAM,CAAC,CAAE,EAKjC,eAAgB,CAAC,CAAE,eAAgB,CAACkB,CAAO,CAAC,CAAE,EAK9C,kBAAmB,CAAC,YAAa,WAAY,eAAgB,cAAc,EAK3E,wBAAyB,CAAC,CAAE8F,WAAY,CAAC,GAAG3E,GAAe,EAAE,MAAM,EAAG,EAKtE,4BAA6B,CACzB,CAAE2E,WAAY,CAAC,OAAQ,YAAahF,EAAUC,CAAiB,CAAG,CAAA,EAMtE,mBAAoB,CAAC,CAAE,mBAAoB,CAAC,OAAQD,EAAUH,CAAgB,EAAG,EAKjF,wBAAyB,CAAC,CAAEmF,WAAY,CAAChH,CAAM,CAAC,CAAE,EAKlD,iBAAkB,CAAC,YAAa,YAAa,aAAc,aAAa,EAKxE,gBAAiB,CAAC,WAAY,gBAAiB,WAAW,EAK1D,YAAa,CAAC,CAAEyG,KAAM,CAAC,OAAQ,SAAU,UAAW,QAAQ,EAAG,EAK/DQ,OAAQ,CAAC,CAAEA,OAAQnF,EAAyB,CAAA,CAAE,EAK9C,iBAAkB,CACd,CACIoF,MAAO,CACH,WACA,MACA,SACA,SACA,WACA,cACA,MACA,QACArF,CAAgB,CAEvB,CAAA,EAMLsF,WAAY,CACR,CAAEA,WAAY,CAAC,SAAU,SAAU,MAAO,WAAY,WAAY,cAAc,CAAG,CAAA,EAMvFC,MAAO,CAAC,CAAEA,MAAO,CAAC,SAAU,QAAS,MAAO,MAAM,EAAG,EAKrDC,QAAS,CAAC,CAAEA,QAAS,CAAC,OAAQ,SAAU,MAAM,EAAG,EAKjDrC,QAAS,CAAC,CAAEA,QAAS,CAAC,OAAQnD,CAAgB,CAAC,CAAE,EAMjD,gBAAiB,CAAC,CAAEyF,GAAI,CAAC,QAAS,QAAS,QAAQ,EAAG,EAKtD,UAAW,CAAC,CAAE,UAAW,CAAC,SAAU,UAAW,UAAW,MAAM,EAAG,EAMnE,aAAc,CAAC,CAAE,aAAc,CAACpG,CAAO,CAAC,CAAE,EAK1C,YAAa,CAAC,CAAE,YAAa,CAAC,SAAU,UAAW,SAAS,EAAG,EAK/D,cAAe,CAAC,CAAEoG,GAAI,CAAC,GAAGlF,GAAc,EAAEmF,EAAmB,EAAG,EAKhE,YAAa,CAAC,CAAED,GAAI,CAAC,YAAa,CAAEE,OAAQ,CAAC,GAAI,IAAK,IAAK,QAAS,OAAO,CAAC,CAAE,CAAC,CAAE,EAKjF,UAAW,CAAC,CAAEF,GAAI,CAAC,OAAQ,QAAS,UAAWG,EAAe,EAAG,EAKjE,WAAY,CACR,CACIH,GAAI,CACA,OACA,CAAE,cAAe,CAAC,IAAK,KAAM,IAAK,KAAM,IAAK,KAAM,IAAK,IAAI,CAAG,EAC/DI,EAAgB,CAEvB,CAAA,EAML,WAAY,CAAC,CAAEJ,GAAI,CAACtH,CAAM,CAAC,CAAE,EAK7B,oBAAqB,CAAC,CAAE2H,KAAM,CAAC5G,CAA0B,CAAC,CAAE,EAK5D,mBAAoB,CAAC,CAAE6G,IAAK,CAAC7G,CAA0B,CAAC,CAAE,EAK1D,kBAAmB,CAAC,CAAE8G,GAAI,CAAC9G,CAA0B,CAAC,CAAE,EAKxD,gBAAiB,CAAC,CAAE4G,KAAM,CAAC7G,CAAkB,CAAC,CAAE,EAKhD,eAAgB,CAAC,CAAE8G,IAAK,CAAC9G,CAAkB,CAAC,CAAE,EAK9C,cAAe,CAAC,CAAE+G,GAAI,CAAC/G,CAAkB,CAAC,CAAE,EAM5CgH,QAAS,CAAC,CAAEA,QAAS,CAACxH,CAAY,CAAC,CAAE,EAKrC,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,YAAa,CAAC,CAAE,YAAa,CAACA,CAAY,CAAC,CAAE,EAK7C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,aAAc,CAAC,CAAE,aAAc,CAACA,CAAY,CAAC,CAAE,EAK/C,WAAY,CAAC,CAAEyH,OAAQ,CAACvH,CAAW,CAAC,CAAE,EAKtC,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,aAAc,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK5C,iBAAkB,CAAC,CAAE,iBAAkB,CAACU,CAAO,CAAC,CAAE,EAKlD,eAAgB,CAAC,CAAE6G,OAAQ,CAAC,GAAG1F,GAAe,EAAE,QAAQ,EAAG,EAK3D,WAAY,CAAC,CAAE,WAAY,CAAC7B,CAAW,CAAC,CAAE,EAK1C,mBAAoB,CAAC,kBAAkB,EAKvC,WAAY,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAK1C,mBAAoB,CAAC,kBAAkB,EAKvC,iBAAkB,CAAC,CAAE,iBAAkB,CAACU,CAAO,CAAC,CAAE,EAKlD,eAAgB,CAAC,CAAE8G,OAAQ3F,GAAe,CAAA,CAAE,EAK5C,eAAgB,CAAC,CAAE0F,OAAQ,CAAC1H,CAAW,CAAC,CAAE,EAK1C,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,iBAAkB,CAAC,CAAE,WAAY,CAACA,CAAW,CAAC,CAAE,EAKhD,eAAgB,CAAC,CAAE2H,OAAQ,CAAC3H,CAAW,CAAC,CAAE,EAK1C,gBAAiB,CAAC,CAAE4H,QAAS,CAAC,GAAI,GAAG5F,GAAe,CAAA,EAAG,EAKvD,iBAAkB,CAAC,CAAE,iBAAkB,CAACL,EAAUH,CAAgB,CAAC,CAAE,EAKrE,YAAa,CAAC,CAAEoG,QAAS,CAACjG,EAAUC,CAAiB,CAAC,CAAE,EAKxD,gBAAiB,CAAC,CAAEgG,QAAS,CAACjI,CAAM,CAAC,CAAE,EAKvC,SAAU,CAAC,CAAEkI,KAAMnG,GAAgC,CAAA,CAAE,EAKrD,eAAgB,CAAC,YAAY,EAK7B,aAAc,CAAC,CAAEmG,KAAM,CAAClI,CAAM,CAAC,CAAE,EAKjC,eAAgB,CAAC,CAAE,eAAgB,CAACkB,CAAO,CAAC,CAAE,EAK9C,gBAAiB,CAAC,CAAE,cAAe,CAACc,EAAUC,CAAiB,CAAC,CAAE,EAKlE,oBAAqB,CAAC,CAAE,cAAe,CAACjC,CAAM,CAAC,CAAE,EAMjDmI,OAAQ,CAAC,CAAEA,OAAQ,CAAC,GAAI,QAAS,OAAQpF,EAAcqF,EAAiB,EAAG,EAK3E,eAAgB,CAAC,CAAED,OAAQ,CAACrF,CAAK,CAAC,CAAE,EAKpC5B,QAAS,CAAC,CAAEA,QAAS,CAACA,CAAO,CAAC,CAAE,EAKhC,YAAa,CAAC,CAAE,YAAa,CAAC,GAAGoB,GAAa,EAAI,eAAgB,aAAa,EAAG,EAKlF,WAAY,CAAC,CAAE,WAAYA,GAAe,CAAA,CAAE,EAO5C+F,OAAQ,CAAC,CAAEA,OAAQ,CAAC,GAAI,MAAM,CAAC,CAAE,EAKjClI,KAAM,CAAC,CAAEA,KAAM,CAACA,CAAI,CAAC,CAAE,EAKvBC,WAAY,CAAC,CAAEA,WAAY,CAACA,CAAU,CAAC,CAAE,EAKzCK,SAAU,CAAC,CAAEA,SAAU,CAACA,CAAQ,CAAC,CAAE,EAKnC,cAAe,CAAC,CAAE,cAAe,CAAC,GAAI,OAAQsC,EAAclB,CAAgB,EAAG,EAK/EnB,UAAW,CAAC,CAAEA,UAAW,CAACA,CAAS,CAAC,CAAE,EAKtC,aAAc,CAAC,CAAE,aAAc,CAACC,CAAS,CAAC,CAAE,EAK5CC,OAAQ,CAAC,CAAEA,OAAQ,CAACA,CAAM,CAAC,CAAE,EAK7BQ,SAAU,CAAC,CAAEA,SAAU,CAACA,CAAQ,CAAC,CAAE,EAKnCE,MAAO,CAAC,CAAEA,MAAO,CAACA,EAAK,CAAC,CAAE,EAM1B,kBAAmB,CAAC,CAAE,kBAAmB,CAAC,GAAI,MAAM,CAAC,CAAE,EAKvD,gBAAiB,CAAC,CAAE,gBAAiB,CAACnB,CAAI,CAAC,CAAE,EAK7C,sBAAuB,CAAC,CAAE,sBAAuB,CAACC,CAAU,CAAC,CAAE,EAK/D,oBAAqB,CAAC,CAAE,oBAAqB,CAACK,CAAQ,CAAC,CAAE,EAKzD,qBAAsB,CAAC,CAAE,qBAAsB,CAACC,CAAS,CAAC,CAAE,EAK5D,sBAAuB,CAAC,CAAE,sBAAuB,CAACC,CAAS,CAAC,CAAE,EAK9D,kBAAmB,CAAC,CAAE,kBAAmB,CAACC,CAAM,CAAC,CAAE,EAKnD,mBAAoB,CAAC,CAAE,mBAAoB,CAACM,CAAO,CAAC,CAAE,EAKtD,oBAAqB,CAAC,CAAE,oBAAqB,CAACE,CAAQ,CAAC,CAAE,EAKzD,iBAAkB,CAAC,CAAE,iBAAkB,CAACE,EAAK,CAAC,CAAE,EAMhD,kBAAmB,CAAC,CAAEyG,OAAQ,CAAC,WAAY,UAAU,CAAC,CAAE,EAKxD,iBAAkB,CAAC,CAAE,iBAAkB,CAACxH,CAAa,CAAC,CAAE,EAKxD,mBAAoB,CAAC,CAAE,mBAAoB,CAACA,CAAa,CAAC,CAAE,EAK5D,mBAAoB,CAAC,CAAE,mBAAoB,CAACA,CAAa,CAAC,CAAE,EAK5D,eAAgB,CAAC,CAAE+H,MAAO,CAAC,OAAQ,OAAO,CAAC,CAAE,EAK7CC,QAAS,CAAC,CAAEA,QAAS,CAAC,MAAO,QAAQ,CAAC,CAAE,EAMxCC,WAAY,CACR,CACIA,WAAY,CACR,OACA,MACA,GACA,SACA,UACA,SACA,YACA3G,CAAgB,CAEvB,CAAA,EAML4G,SAAU,CAAC,CAAEA,SAAU/F,EAAuB,CAAA,CAAE,EAKhDgG,KAAM,CAAC,CAAEA,KAAM,CAAC,SAAU,KAAM,MAAO,SAAU7G,CAAgB,EAAG,EAKpE8G,MAAO,CAAC,CAAEA,MAAOjG,EAAuB,CAAA,CAAE,EAK1CkG,QAAS,CAAC,CAAEA,QAAS,CAAC,OAAQ,OAAQ,OAAQ,QAAS,SAAU/G,CAAgB,EAAG,EAMpFgH,UAAW,CAAC,CAAEA,UAAW,CAAC,GAAI,MAAO,MAAM,EAAG,EAK9CxH,MAAO,CAAC,CAAEA,MAAO,CAACA,CAAK,CAAC,CAAE,EAK1B,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlC,UAAW,CAAC,CAAE,UAAW,CAACA,CAAK,CAAC,CAAE,EAKlCyH,OAAQ,CAAC,CAAEA,OAAQ,CAACxE,EAAWzC,CAAgB,CAAC,CAAE,EAKlD,cAAe,CAAC,CAAE,cAAe,CAACJ,EAAS,CAAC,CAAE,EAK9C,cAAe,CAAC,CAAE,cAAe,CAACA,EAAS,CAAC,CAAE,EAK9C,SAAU,CAAC,CAAE,SAAU,CAACF,EAAI,CAAC,CAAE,EAK/B,SAAU,CAAC,CAAE,SAAU,CAACA,EAAI,CAAC,CAAE,EAK/B,mBAAoB,CAChB,CACIwH,OAAQ,CACJ,SACA,MACA,YACA,QACA,eACA,SACA,cACA,OACA,WACAlH,CAAgB,CAEvB,CAAA,EAOLmH,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQhJ,CAAM,CAAC,CAAE,EAKrCiJ,WAAY,CAAC,CAAEA,WAAY,CAAC,OAAQ,MAAM,CAAC,CAAE,EAK7CC,OAAQ,CACJ,CACIA,OAAQ,CACJ,OACA,UACA,UACA,OACA,OACA,OACA,OACA,cACA,OACA,eACA,WACA,OACA,YACA,gBACA,QACA,OACA,UACA,OACA,WACA,aACA,aACA,aACA,WACA,WACA,WACA,WACA,YACA,YACA,YACA,YACA,YACA,YACA,cACA,cACA,UACA,WACArH,CAAgB,CAEvB,CAAA,EAML,cAAe,CAAC,CAAEsH,MAAO,CAACnJ,CAAM,CAAC,CAAE,EAKnC,iBAAkB,CAAC,CAAE,iBAAkB,CAAC,OAAQ,MAAM,CAAC,CAAE,EAKzDoJ,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQ,IAAK,IAAK,EAAE,EAAG,EAK3C,kBAAmB,CAAC,CAAEC,OAAQ,CAAC,OAAQ,QAAQ,CAAC,CAAE,EAKlD,WAAY,CAAC,CAAE,WAAYvH,EAAyB,CAAA,CAAE,EAKtD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,WAAY,CAAC,CAAE,WAAYA,EAAyB,CAAA,CAAE,EAKtD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,YAAa,CAAC,CAAE,YAAaA,EAAyB,CAAA,CAAE,EAKxD,aAAc,CAAC,CAAEwH,KAAM,CAAC,QAAS,MAAO,SAAU,YAAY,EAAG,EAKjE,YAAa,CAAC,CAAEA,KAAM,CAAC,SAAU,QAAQ,CAAC,CAAE,EAK5C,YAAa,CAAC,CAAEA,KAAM,CAAC,OAAQ,IAAK,IAAK,MAAM,EAAG,EAKlD,kBAAmB,CAAC,CAAEA,KAAM,CAAC,YAAa,WAAW,CAAC,CAAE,EAKxDC,MAAO,CACH,CACIA,MAAO,CAAC,OAAQ,OAAQ,cAAc,CACzC,CAAA,EAML,UAAW,CACP,CACI,YAAa,CAAC,IAAK,OAAQ,OAAO,CACrC,CAAA,EAML,UAAW,CACP,CACI,YAAa,CAAC,IAAK,KAAM,MAAM,CAClC,CAAA,EAML,WAAY,CAAC,kBAAkB,EAK/BC,OAAQ,CAAC,CAAEA,OAAQ,CAAC,OAAQ,OAAQ,MAAO,MAAM,EAAG,EAKpD,cAAe,CACX,CAAE,cAAe,CAAC,OAAQ,SAAU,WAAY,YAAa3H,CAAgB,CAAG,CAAA,EAOpF4H,KAAM,CAAC,CAAEA,KAAM,CAACzJ,EAAQ,MAAM,CAAC,CAAE,EAKjC,WAAY,CAAC,CAAE0J,OAAQ,CAAC1H,EAAUC,EAAmB0E,EAAiB,EAAG,EAKzE+C,OAAQ,CAAC,CAAEA,OAAQ,CAAC1J,EAAQ,MAAM,CAAC,CAAE,EAMrC2J,GAAI,CAAC,UAAW,aAAa,EAK7B,sBAAuB,CAAC,CAAE,sBAAuB,CAAC,OAAQ,MAAM,CAAC,CAAE,CACtE,EACDC,uBAAwB,CACpBjG,SAAU,CAAC,aAAc,YAAY,EACrCC,WAAY,CAAC,eAAgB,cAAc,EAC3C5C,MAAO,CAAC,UAAW,UAAW,QAAS,MAAO,MAAO,QAAS,SAAU,MAAM,EAC9E,UAAW,CAAC,QAAS,MAAM,EAC3B,UAAW,CAAC,MAAO,QAAQ,EAC3BwD,KAAM,CAAC,QAAS,OAAQ,QAAQ,EAChC3D,IAAK,CAAC,QAAS,OAAO,EACtBsE,EAAG,CAAC,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,IAAI,EAClDC,GAAI,CAAC,KAAM,IAAI,EACfC,GAAI,CAAC,KAAM,IAAI,EACfO,EAAG,CAAC,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,KAAM,IAAI,EAClDC,GAAI,CAAC,KAAM,IAAI,EACfC,GAAI,CAAC,KAAM,IAAI,EACfU,KAAM,CAAC,IAAK,GAAG,EACf,YAAa,CAAC,SAAS,EACvB,aAAc,CACV,cACA,mBACA,aACA,cACA,cAAc,EAElB,cAAe,CAAC,YAAY,EAC5B,mBAAoB,CAAC,YAAY,EACjC,aAAc,CAAC,YAAY,EAC3B,cAAe,CAAC,YAAY,EAC5B,eAAgB,CAAC,YAAY,EAC7B,aAAc,CAAC,UAAW,UAAU,EACpCsB,QAAS,CACL,YACA,YACA,YACA,YACA,YACA,YACA,aACA,aACA,aACA,aACA,aACA,aACA,aACA,YAAY,EAEhB,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,YAAa,CAAC,aAAc,YAAY,EACxC,iBAAkB,CAAC,mBAAoB,kBAAkB,EACzD,WAAY,CACR,aACA,aACA,aACA,aACA,aACA,YAAY,EAEhB,aAAc,CAAC,aAAc,YAAY,EACzC,aAAc,CAAC,aAAc,YAAY,EACzC,eAAgB,CACZ,iBACA,iBACA,iBACA,gBAAgB,EAEpB,iBAAkB,CAAC,iBAAkB,gBAAgB,EACrD,iBAAkB,CAAC,iBAAkB,gBAAgB,EACrD,WAAY,CACR,YACA,YACA,YACA,YACA,YACA,YACA,YACA,WAAW,EAEf,YAAa,CAAC,YAAa,WAAW,EACtC,YAAa,CAAC,YAAa,WAAW,EACtC,WAAY,CACR,YACA,YACA,YACA,YACA,YACA,YACA,YACA,WAAW,EAEf,YAAa,CAAC,YAAa,WAAW,EACtC,YAAa,CAAC,YAAa,WAAW,EACtCyB,MAAO,CAAC,UAAW,UAAW,UAAU,EACxC,UAAW,CAAC,OAAO,EACnB,UAAW,CAAC,OAAO,EACnB,WAAY,CAAC,OAAO,CACvB,EACDM,+BAAgC,CAC5B,YAAa,CAAC,SAAS,CAC1B,EAET,MGp0DaC,GAAUC,GAAoBC,EAAgB,ECApD,SAASC,KAAMC,EAAsB,CAC1C,OAAOC,GAAQC,GAAKF,CAAM,CAAC,CAC7B,CCLA,IAAAG,GAAuB,oBACvBC,GAAgC,oCCDhC,SAASC,GAAEC,EAAE,CAAC,IAAIC,EAAEC,EAAEC,EAAE,GAAG,GAAa,OAAOH,GAAjB,UAA8B,OAAOA,GAAjB,SAAmBG,GAAGH,UAAoB,OAAOA,GAAjB,SAAmB,GAAG,MAAM,QAAQA,CAAC,EAAE,IAAIC,EAAE,EAAEA,EAAED,EAAE,OAAOC,IAAID,EAAEC,CAAC,IAAIC,EAAEH,GAAEC,EAAEC,CAAC,CAAC,KAAKE,IAAIA,GAAG,KAAKA,GAAGD,OAAQ,KAAID,KAAKD,EAAEA,EAAEC,CAAC,IAAIE,IAAIA,GAAG,KAAKA,GAAGF,GAAG,OAAOE,CAAC,CAAQ,SAASC,IAAM,CAAC,QAAQJ,EAAEC,EAAEC,EAAE,EAAEC,EAAE,GAAGD,EAAE,UAAU,SAASF,EAAE,UAAUE,GAAG,KAAKD,EAAEF,GAAEC,CAAC,KAAKG,IAAIA,GAAG,KAAKA,GAAGF,GAAG,OAAOE,CAAC,CCCjW,IAAME,GAAiBC,GAAQ,OAAOA,GAAU,UAAY,GAAG,OAAOA,CAAK,EAAIA,IAAU,EAAI,IAAMA,EACtFC,GAAKC,GACLC,GAAM,CAACC,EAAMC,IACdC,GAAQ,CACZ,IAAIC,EACJ,IAAKF,GAAW,KAA4B,OAASA,EAAO,WAAa,KAAM,OAAOJ,GAAGG,EAAME,GAAU,KAA2B,OAASA,EAAM,MAAOA,GAAU,KAA2B,OAASA,EAAM,SAAS,EACvN,GAAM,CAAE,SAAAE,EAAW,gBAAAC,CAAiB,EAAIJ,EAClCK,EAAuB,OAAO,KAAKF,CAAQ,EAAE,IAAKG,GAAU,CAC9D,IAAMC,EAAcN,GAAU,KAA2B,OAASA,EAAMK,CAAO,EACzEE,EAAqBJ,GAAoB,KAAqC,OAASA,EAAgBE,CAAO,EACpH,GAAIC,IAAgB,KAAM,OAAO,KACjC,IAAME,EAAaf,GAAca,CAAW,GAAKb,GAAcc,CAAkB,EACjF,OAAOL,EAASG,CAAO,EAAEG,CAAU,CACvC,CAAC,EACKC,EAAwBT,GAAS,OAAO,QAAQA,CAAK,EAAE,OAAO,CAACU,EAAKC,IAAQ,CAC9E,GAAI,CAACC,EAAKlB,CAAK,EAAIiB,EACnB,OAAIjB,IAAU,SAGdgB,EAAIE,CAAG,EAAIlB,GACJgB,CACX,EAAG,CAAC,CAAC,EACCG,EAA+Bd,GAAW,OAAsCE,EAAMF,EAAO,oBAAsB,MAAQE,IAAQ,OAA7D,OAA+EA,EAAI,OAAO,CAACS,EAAKI,IAAS,CACjL,GAAI,CAAE,MAAOC,EAAU,UAAWC,EAAc,GAAGC,CAAuB,EAAIH,EAC9E,OAAO,OAAO,QAAQG,CAAsB,EAAE,MAAON,GAAQ,CACzD,GAAI,CAACC,EAAKlB,CAAK,EAAIiB,EACnB,OAAO,MAAM,QAAQjB,CAAK,EAAIA,EAAM,SAAS,CACzC,GAAGS,EACH,GAAGM,CACP,EAAEG,CAAG,CAAC,EAAK,CACP,GAAGT,EACH,GAAGM,CACP,EAAGG,CAAG,IAAMlB,CAChB,CAAC,EAAI,CACD,GAAGgB,EACHK,EACAC,CACJ,EAAIN,CACR,EAAG,CAAC,CAAC,EACL,OAAOf,GAAGG,EAAMM,EAAsBS,EAA8Bb,GAAU,KAA2B,OAASA,EAAM,MAAOA,GAAU,KAA2B,OAASA,EAAM,SAAS,CAChM,EFnCJ,IAAMkB,GAAgBC,GACpB,4FACF,EAEMC,GAAc,cAIlB,CAAC,CAAE,UAAAC,EAAW,GAAGC,CAAM,EAAGC,IAC1B,iBAAgB,QAAf,CACC,IAAKA,EACL,UAAWC,EAAGN,GAAc,EAAGG,CAAS,EACvC,GAAGC,EACN,CACD,EACDF,GAAM,YAA6B,QAAK,YGrBxC,IAAAK,GAAuB,oBAMvB,IAAMC,GAAc,cAClB,CAAC,CAAE,UAAAC,EAAW,KAAAC,EAAM,GAAGC,CAAM,EAAGC,IAE5B,iBAAC,SACC,KAAMF,EACN,UAAWG,EACT,oXACAJ,CACF,EACA,IAAKG,EACJ,GAAGD,EACN,CAGN,EACAH,GAAM,YAAc,QnBJpB,IAAMM,EAAO,eASPC,GAAyB,gBAC7B,CAAC,CACH,EASMC,GAA2B,CAAC,CAAE,GAAGC,CAAM,IAEzC,gBAACF,GAAiB,SAAjB,CAA0B,MAAO,CAAE,KAAME,EAAM,IAAK,GACnD,gBAAC,cAAY,GAAGA,EAAO,CACzB,EAIEC,GAAe,IAAM,CACzB,IAAMC,EAAqB,aAAWJ,EAAgB,EAChDK,EAAoB,aAAWC,EAAe,EAC9C,CAAE,cAAAC,EAAe,UAAAC,CAAU,KAAI,kBAAe,EAE9CC,EAAaF,EAAcH,EAAa,KAAMI,CAAS,EAE7D,GAAI,CAACJ,EACH,MAAM,IAAI,MAAM,gDAAgD,EAGlE,GAAM,CAAE,GAAAM,CAAG,EAAIL,EAEf,MAAO,CACL,GAAAK,EACA,KAAMN,EAAa,KACnB,WAAY,GAAGM,CAAE,aACjB,kBAAmB,GAAGA,CAAE,yBACxB,cAAe,GAAGA,CAAE,qBACpB,GAAGD,CACL,CACF,EAMMH,GAAwB,gBAC5B,CAAC,CACH,EAEMK,GAAiB,aAGrB,CAAC,CAAE,UAAAC,EAAW,GAAGV,CAAM,EAAGW,IAAQ,CAClC,IAAMH,EAAW,QAAM,EAEvB,OACE,gBAACJ,GAAgB,SAAhB,CAAyB,MAAO,CAAE,GAAAI,CAAG,GACpC,gBAAC,OAAI,IAAKG,EAAK,UAAWC,EAAG,YAAaF,CAAS,EAAI,GAAGV,EAAO,CACnE,CAEJ,CAAC,EACDS,GAAS,YAAc,WAEvB,IAAMI,GAAkB,aAGtB,CAAC,CAAE,UAAAH,EAAW,GAAGV,CAAM,EAAGW,IAAQ,CAClC,GAAM,CAAE,MAAAG,EAAO,WAAAC,CAAW,EAAId,GAAa,EAE3C,OACE,gBAACe,GAAA,CACC,IAAKL,EACL,UAAWC,EAAGE,GAAS,mBAAoBJ,CAAS,EACpD,QAASK,EACR,GAAGf,EACN,CAEJ,CAAC,EACDa,GAAU,YAAc,YAExB,IAAMI,GAAoB,aAGxB,CAAC,CAAE,GAAGjB,CAAM,EAAGW,IAAQ,CACvB,GAAM,CAAE,MAAAG,EAAO,WAAAC,EAAY,kBAAAG,EAAmB,cAAAC,CAAc,EAC1DlB,GAAa,EAEf,OACE,gBAAC,SACC,IAAKU,EACL,GAAII,EACJ,mBACGD,EAEG,GAAGI,CAAiB,IAAIC,CAAa,GADrC,GAAGD,CAAiB,GAG1B,eAAc,CAAC,CAACJ,EACf,GAAGd,EACN,CAEJ,CAAC,EACDiB,GAAY,YAAc,cAE1B,IAAMG,GAAwB,aAG5B,CAAC,CAAE,UAAAV,EAAW,GAAGV,CAAM,EAAGW,IAAQ,CAClC,GAAM,CAAE,kBAAAO,CAAkB,EAAIjB,GAAa,EAE3C,OACE,gBAAC,KACC,IAAKU,EACL,GAAIO,EACJ,UAAWN,EAAG,gCAAiCF,CAAS,EACvD,GAAGV,EACN,CAEJ,CAAC,EACDoB,GAAgB,YAAc,kBAE9B,IAAMC,GAAoB,aAGxB,CAAC,CAAE,UAAAX,EAAW,SAAAY,EAAU,GAAGtB,CAAM,EAAGW,IAAQ,CAC5C,GAAM,CAAE,MAAAG,EAAO,cAAAK,CAAc,EAAIlB,GAAa,EACxCsB,EAAOT,EAAQ,OAAOA,GAAA,YAAAA,EAAO,OAAO,EAAIQ,EAE9C,OAAKC,EAKH,gBAAC,KACC,IAAKZ,EACL,GAAIQ,EACJ,UAAWP,EAAG,uCAAwCF,CAAS,EAC9D,GAAGV,GAEHuB,CACH,EAXO,IAaX,CAAC,EACDF,GAAY,YAAc,cAE1B,IAAMG,EAAQ,IAAM,CAClB,IAAMC,KAAO,kBAAe,EAC5B,OACE,gBAAC1B,GAAA,CACC,QAAS0B,EAAK,QACd,KAAK,QACL,OAAQ,CAAC,CAAE,MAAAC,CAAM,IAEb,gBAACjB,GAAA,KACC,gBAACI,GAAA,KAAU,OAAK,EAChB,gBAACI,GAAA,KACC,gBAACU,GAAA,CACC,YAAY,QACX,GAAGD,EACJ,aAAa,gBACf,CACF,EACA,gBAACN,GAAA,KAAgB,oBAAkB,EACnC,gBAACC,GAAA,IAAY,CACf,EAGN,CAEJ,EAEMO,EAAW,IAAM,CACrB,IAAMH,KAAO,kBAAe,EAC5B,OACE,gBAAC1B,GAAA,CACC,QAAS0B,EAAK,QACd,KAAK,WACL,OAAQ,CAAC,CAAE,MAAAC,CAAM,IAEb,gBAACjB,GAAA,KACC,gBAACI,GAAA,KAAU,UAAQ,EACnB,gBAACI,GAAA,KACC,gBAACU,GAAA,CACC,YAAY,WACX,GAAGD,EACJ,KAAK,WACL,aAAa,mBACf,CACF,EACA,gBAACN,GAAA,KAAgB,sBAAoB,EACrC,gBAACC,GAAA,IAAY,CACf,EAGN,CAEJ,EoB9NA,IAAAQ,GAAuB,oBACvBC,GAAqB,gCAKrB,IAAMC,EAAiBC,GACrB,yRACA,CACE,SAAU,CACR,QAAS,CACP,QAAS,yDACT,YACE,qEACF,QACE,iFACF,UACE,+DACF,MAAO,+CACP,KAAM,iDACR,EACA,KAAM,CACJ,QAAS,iBACT,GAAI,sBACJ,GAAI,uBACJ,KAAM,WACR,CACF,EACA,gBAAiB,CACf,QAAS,UACT,KAAM,SACR,CACF,CACF,EAQMC,EAAe,cACnB,CAAC,CAAE,UAAAC,EAAW,QAAAC,EAAS,KAAAC,EAAM,QAAAC,EAAU,GAAO,GAAGC,CAAM,EAAGC,IAGtD,iBAFWF,EAAU,QAAO,SAE3B,CACC,UAAWG,EAAGT,EAAe,CAAE,QAAAI,EAAS,KAAAC,EAAM,UAAAF,CAAU,CAAC,CAAC,EAC1D,IAAKK,EACJ,GAAGD,EACN,CAGN,EACAL,EAAO,YAAc,SCrDrB,IAAAQ,GAAuB,2BACvBC,GAA4B,iCAIrB,SAASC,EAAUC,EAAgB,CACxC,GAAM,CACJ,UAAAC,EACA,QAAAC,EACA,aAAAC,EACA,YAAAC,EACA,SAAAC,EAAW,EACb,EAAIL,GAAA,KAAAA,EAAU,CAAC,EAWf,SAViB,gBAAY,CAC3B,WAAY,MAAOM,GAAU,CAC3B,IAAMC,EAAI,CAAE,GAAGD,EAAO,YAAAF,EAAa,SAAAC,CAAS,EACtCG,EAAeL,GAAgBA,EAAaI,CAAC,EAC7CE,EAAOD,GAAA,KAAAA,EAAgBD,EAC7B,OAAQ,QAAM,WAAO,QAASE,CAAI,CACpC,EACA,UAAAR,EACA,QAAAC,CACF,CAAC,EACe,MAClB,CtBZA,IAAMQ,GAAc,IAAI,eAET,SAARC,GAAgCC,EAAc,CACnD,GAAM,CAAE,OAAAC,EAAQ,GAAGC,CAAU,EAAIF,GAAA,KAAAA,EAAS,CAAC,EAC3C,OACE,EAAAG,QAAA,cAAC,wBAAoB,OAAQF,GAAA,KAAAA,EAAUH,IACrC,EAAAK,QAAA,cAACC,GAAA,CAAiB,GAAGF,EAAW,CAClC,CAEJ,CACO,SAASE,GAAgBJ,EAAgC,CAC9D,IAAMK,EAASC,EAAUN,CAAK,EACxBO,KAAO,YAAQ,CAAE,cAAe,CAAE,MAAO,EAAG,CAAE,CAAC,EACrD,OACE,EAAAJ,QAAA,cAACK,EAAA,CAAM,GAAGD,GACR,EAAAJ,QAAA,cAAC,QACC,SAAUI,EAAK,aAAa,CAAC,CAAE,MAAAE,CAAM,IAAMJ,GAAUA,EAAO,CAAE,MAAAI,CAAM,CAAC,CAAC,EACtE,UAAU,aAEV,EAAAN,QAAA,cAACO,EAAA,IAAM,EACP,EAAAP,QAAA,cAACQ,EAAA,CAAO,KAAK,SAAS,UAAU,uBAC9B,EAAAR,QAAA,cAAC,YAAK,EAAE,oBAEV,CACF,CACF,CAEJ,CuBtCA,IAAAS,GAAqB,gCACrBC,GAAuB,2BACvBA,GAAkB,oBAClBC,GAAqB,wBA6BrB,IAAMC,GAAoB,GAAAC,QAAM,WAC9B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,SAAAC,EAAW,GACX,MAAAC,EACA,UAAAC,EACA,OAAAC,EACA,GAAGC,CACL,EACAC,IAIE,GAAAX,QAAA,cAFWK,EAAU,QAAO,SAE3B,CACC,UAAWO,EAAGC,EAAe,CAAE,QAAAV,EAAS,KAAAC,EAAM,UAAAF,CAAU,CAAC,CAAC,EAC1D,IAAKS,EACL,QAAS,SAAY,CACnB,IAAMG,EAAM,QAAM,WAAO,QAAS,CAAE,MAAAP,EAAO,YAAAN,EAAa,SAAAK,CAAS,CAAC,EAE9DQ,GAAO,UAAWA,EACpBN,GAAaA,EAAUM,CAAiB,EAExCL,GAAUA,EAAO,CAErB,EACC,GAAGC,GAEHA,EAAM,SACLA,EAAM,SAEN,GAAAV,QAAA,cAAC,OAAI,UAAU,oCACb,GAAAA,QAAA,cAAC,YAAK,EAAE,qBAEV,CAEJ,CAGN,EAEAD,GAAkB,YAAc,oBAChC,IAAOgB,GAAQhB,GC/Ef,IAAAiB,EAAkB,oBAClBA,GAAuB,2BACvBC,GAAqB,gCAWrB,IAAMC,GAAkB,EAAAC,QAAM,WAI5B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,QAAAC,EACA,KAAAC,EACA,WAAAC,EAAa,uBACb,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAP,EAAS,KAAAC,EAAM,UAAAF,CAAU,CAAC,EAC3C,8DACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,SAAU,CAAE,YAAAP,CAAY,CAAC,CAClC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAAC,OAAI,UAAU,+FACb,EAAAA,QAAA,cAAC,OACC,MAAO,CACL,WAAY,QACZ,aAAc,MACd,QAAS,QACX,GAEA,EAAAA,QAAA,cAACW,GAAA,IAAW,CACd,EACCN,CACH,CACF,CAGN,EACAN,GAAgB,YAAc,kBAC9B,IAAOa,GAAQb,GAEf,SAASY,IAAa,CACpB,OACE,EAAAX,QAAA,cAAC,OAAI,MAAM,6BAA6B,MAAM,KAAK,OAAO,MACxD,EAAAA,QAAA,cAAC,KAAE,KAAK,OAAO,SAAS,WACtB,EAAAA,QAAA,cAAC,QACC,EAAE,gIACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,kHACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,4HACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,8HACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QAAK,KAAK,OAAO,EAAE,gBAAgB,CACtC,CACF,CAEJ,CCnFA,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAoB,EAAAC,QAAM,WAI9B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,0BACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,2GACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,WAAY,CAAE,YAAAP,CAAY,CAAC,CACpC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAc,EACdR,CACH,CAGN,EAEAJ,GAAkB,YAAc,oBAChC,IAAOa,GAAQb,GAETY,GAAgB,IAElB,EAAAX,QAAA,cAAC,OACC,MAAM,6BACN,QAAQ,YACR,UAAU,gBAEV,EAAAA,QAAA,cAAC,QAAK,KAAK,UAAU,EAAE,gBAAgB,EACvC,EAAAA,QAAA,cAAC,QAAK,KAAK,UAAU,EAAE,gBAAgB,EACvC,EAAAA,QAAA,cAAC,QAAK,KAAK,UAAU,EAAE,kBAAkB,EACzC,EAAAA,QAAA,cAAC,QAAK,KAAK,UAAU,EAAE,iBAAiB,EACxC,EAAAA,QAAA,cAAC,QAAK,KAAK,UAAU,EAAE,mBAAmB,CAC5C,EC1DJ,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAsB,EAAAC,QAAM,WAIhC,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,wBACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,kHACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,UAAW,CAAE,YAAAP,CAAY,CAAC,CACnC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAK,EACLR,CACH,CAGN,EAEAJ,GAAoB,YAAc,sBAClC,IAAOa,GAAQb,GAETY,GAAO,IAET,EAAAX,QAAA,cAAC,OACC,UAAU,eACV,QAAQ,YACR,QAAQ,MACR,MAAM,8BAEN,EAAAA,QAAA,cAAC,aAAM,cAAY,EACnB,EAAAA,QAAA,cAAC,KACC,GAAG,SACH,OAAO,OACP,YAAY,IACZ,KAAK,OACL,SAAS,WAET,EAAAA,QAAA,cAAC,KACC,GAAG,eACH,UAAU,gCACV,SAAS,UACT,OAAO,UACP,YAAY,KAEZ,EAAAA,QAAA,cAAC,QACC,EAAE,olFACF,GAAG,QACH,KAAK,QACP,CACF,CACF,CACF,EC5EJ,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAqB,EAAAC,QAAM,WAI/B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,uBACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,mFACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,SAAU,CAAE,YAAAP,CAAY,CAAC,CAClC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAK,EACLR,CACH,CAGN,EAEAJ,GAAmB,YAAc,qBACjC,IAAOa,GAAQb,GAETY,GAAO,IAET,EAAAX,QAAA,cAAC,OACC,MAAM,6BACN,QAAQ,kBACR,KAAK,eACL,UAAU,gBAEV,EAAAA,QAAA,cAAC,QACC,KAAK,UACL,EAAE,uhBACJ,CACF,EC1DJ,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAsB,EAAAC,QAAM,WAIhC,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,wBACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,2GACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,UAAW,CAAE,YAAAP,CAAY,CAAC,CACnC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAK,EACLR,CACH,CAGN,EAEAJ,GAAoB,YAAc,sBAClC,IAAOa,GAAQb,GAETY,GAAO,IAET,EAAAX,QAAA,cAAC,OACC,UAAU,eACV,QAAQ,iDACR,MAAM,8BAEN,EAAAA,QAAA,cAAC,QACC,EAAE,+yBACF,KAAK,QACP,CACF,ECzDJ,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAuB,EAAAC,QAAM,WAIjC,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,yBACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,2GACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,WAAY,CAAE,YAAAP,CAAY,CAAC,CACpC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAK,EACLR,CACH,CAGN,EAEAJ,GAAqB,YAAc,uBACnC,IAAOa,GAAQb,GAETY,GAAO,IAET,EAAAX,QAAA,cAAC,OACC,MAAM,6BACN,QAAQ,YACR,UAAU,gBAEV,EAAAA,QAAA,cAAC,QACC,KAAK,OACL,EAAE,uGACJ,EACA,EAAAA,QAAA,cAAC,QACC,KAAK,UACL,EAAE,oWACJ,CACF,EC7DJ,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAoB,EAAAC,QAAM,WAI9B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,sBACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,2GACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,QAAS,CAAE,YAAAP,CAAY,CAAC,CACjC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAK,EACLR,CACH,CAGN,EAEAJ,GAAkB,YAAc,oBAChC,IAAOa,GAAQb,GAETY,GAAO,IAET,EAAAX,QAAA,cAAC,OACC,iBAAiB,wBACjB,QAAQ,oBACR,UAAU,eACV,MAAM,8BAEN,EAAAA,QAAA,cAAC,KAAE,SAAS,UAAU,SAAS,WAC7B,EAAAA,QAAA,cAAC,QACC,EAAE,+RACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,oRACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,yRACF,KAAK,UACP,EACA,EAAAA,QAAA,cAAC,QACC,EAAE,mSACF,KAAK,UACP,CACF,CACF,ECxEJ,IAAAa,GAAuB,2BACvBA,EAAkB,oBAClBC,GAAqB,gCAKrB,IAAMC,GAAgB,EAAAC,QAAM,WAI1B,CACE,CACE,YAAAC,EACA,UAAAC,EACA,WAAAC,EAAa,kBACb,QAAAC,EACA,KAAAC,EACA,QAAAC,EAAU,GACV,GAAGC,CACL,EACAC,IAIE,EAAAR,QAAA,cAFWM,EAAU,QAAO,SAE3B,CACC,UAAWG,EACTC,EAAe,CAAE,QAAAN,EAAS,KAAAC,EAAM,UAAAH,CAAU,CAAC,EAC3C,mFACF,EACA,IAAKM,EACL,QAAS,IAAM,IACb,WAAO,UAAW,CAAE,YAAAP,CAAY,CAAC,CACnC,EACC,GAAGM,GAEJ,EAAAP,QAAA,cAACW,GAAA,IAAK,EACLR,CACH,CAGN,EAEAJ,GAAc,YAAc,gBAC5B,IAAOa,GAAQb,GAETY,GAAO,IAET,EAAAX,QAAA,cAAC,OAAI,UAAU,eAAe,QAAQ,YAAY,QAAQ,OACxD,EAAAA,QAAA,cAAC,QACC,EAAE,8JACF,KAAK,UACP,CACF,ECvDJ,IAAAa,GAAkB,oBCClB,IAAAC,EAAkB,oBAClBC,GAAiD,iCACjDC,GAAwB,2BCHxB,IAAAC,GAAyC,iCACzCC,GAA0B,iBAInB,SAASC,GACdC,EACAC,EACA,CACA,GAAM,CAAE,UAAAC,EAAW,QAAAC,EAAS,aAAAC,EAAc,YAAAC,CAAY,EAAIL,EAEpDM,KAAW,gBACf,CACE,WAAY,MAAOC,GAAU,CAbnC,IAAAC,EAcQ,IAAMC,EAAeL,GAAgBA,EAAaG,CAAK,EACjDG,EAAa,CAAE,GAAGH,EAAO,GAAGE,CAAa,EACzC,CAAE,SAAAE,EAAU,cAAAC,EAAe,GAAGC,CAAK,EAAIH,EACzCI,GACFN,EAAAE,EAAQ,WAAR,KAAAF,EAAoB,GAAG,OAAO,SAAS,MAAM,cAEzCO,EAAe,IAAI,gBAEzB,OAAIH,GACFG,EAAa,IAAI,gBAAiBH,CAAa,EAE7CD,GACFI,EAAa,IAAI,WAAYJ,CAAQ,EAGnCI,EAAa,KAAO,IACtBD,GAAY,IAAIC,CAAY,IAGvB,MAAM,MAAMD,EAAU,CAC3B,KAAM,KAAK,UAAUD,CAAI,EACzB,OAAQ,MACV,CAAC,CACH,EAEA,UAAW,CAACG,EAAMC,IAAc,CAC1BZ,IACF,OAAO,SAAS,KAAOA,GAEzBH,GAAaA,EAAUc,EAAMC,CAAS,CACxC,EACA,QAAAd,CACF,EACAF,CACF,EACA,uBAAU,IAAM,CACd,MAAM,qBAAqB,EAC3B,MAAM,gBAAgB,CACxB,EAAG,CAAC,CAAC,EACEK,EAAS,MAClB,CD3CA,IAAMY,GAAc,IAAI,eACT,SAARC,GAA4BC,EAAc,CAC/C,GAAM,CAAE,OAAAC,CAAO,EAAID,GAAA,KAAAA,EAAS,CAAC,EAC7B,OACE,EAAAE,QAAA,cAAC,wBAAoB,OAAQD,GAAA,KAAAA,EAAUH,IACrC,EAAAI,QAAA,cAACC,GAAA,CAAY,GAAGH,EAAO,CACzB,CAEJ,CAEO,SAASG,GAAWH,EAAc,CACvC,IAAMI,EAASC,GAAUL,CAAK,EACxBM,KAAO,YAAQ,CAAE,cAAe,CAAE,MAAO,GAAI,SAAU,EAAG,CAAE,CAAC,EAEnE,OACE,EAAAJ,QAAA,cAACK,EAAA,CAAM,GAAGD,GACR,EAAAJ,QAAA,cAAC,QACC,SAAUI,EAAK,aAAa,CAAC,CAAE,MAAAE,EAAO,SAAAC,CAAS,IAC7CL,EAAO,CAAE,MAAAI,EAAO,SAAAC,CAAS,CAAC,CAC5B,EACA,UAAU,aAEV,EAAAP,QAAA,cAACQ,EAAA,IAAM,EACP,EAAAR,QAAA,cAACS,EAAA,IAAS,EACV,EAAAT,QAAA,cAACU,EAAA,KAAO,SAAO,CACjB,CACF,CAEJ,CDlCe,SAARC,GAA2BC,EAAc,CAC9C,OACE,GAAAC,QAAA,cAAC,OAAI,UAAU,uBACb,GAAAA,QAAA,cAAC,OAAI,UAAU,sBAAqB,SAAO,EAC3C,GAAAA,QAAA,cAACC,GAAA,CAAY,GAAGF,EAAO,CACzB,CAEJ,CGZA,IAAAG,GAAkB,oBCClB,IAAAC,EAAkB,oBAClBC,GAAiD,iCACjDC,GAAwB,2BCHxB,IAAAC,GAA4B,iCAC5BC,GAAuB,2BAIhB,SAASC,GAAUC,EAAgB,CACxC,GAAM,CAAE,UAAAC,EAAW,QAAAC,EAAS,aAAAC,EAAc,YAAAC,CAAY,EAAIJ,GAAA,KAAAA,EAAU,CAAC,EAWrE,SAViB,gBAAY,CAC3B,WAAY,MAAOK,GAAqB,CACtC,IAAMC,EAAI,CAAE,GAAGD,EAAO,YAAAD,CAAY,EAC5BG,EAAeJ,GAAgBA,EAAaG,CAAC,EAC7CE,EAAOD,GAAA,KAAAA,EAAgBD,EAC7B,OAAO,QAAM,WAAO,cAAeE,CAAI,CACzC,EACA,UAAAP,EACA,QAAAC,CACF,CAAC,EACe,MAClB,CDPA,IAAMO,GAAc,IAAI,eAET,SAARC,GAA2BC,EAAc,CAC9C,GAAM,CAAE,OAAAC,EAAQ,GAAGC,CAAU,EAAIF,GAAA,KAAAA,EAAS,CAAC,EAC3C,OACE,EAAAG,QAAA,cAAC,wBAAoB,OAAQF,GAAA,KAAAA,EAAUH,IACrC,EAAAK,QAAA,cAACC,GAAA,CAAY,GAAGF,EAAW,CAC7B,CAEJ,CAEO,SAASE,GAAWJ,EAAc,CACvC,IAAMK,EAASC,GAAUN,CAAK,EACxBO,KAAO,YAAQ,CAAE,cAAe,CAAE,MAAO,GAAI,SAAU,EAAG,CAAE,CAAC,EAEnE,OACE,EAAAJ,QAAA,cAACK,EAAA,CAAM,GAAGD,GACR,EAAAJ,QAAA,cAAC,QACC,SAAUI,EAAK,aACb,CAAC,CAAE,MAAAE,EAAO,SAAAC,CAAS,IAAML,GAAUA,EAAO,CAAE,MAAAI,EAAO,SAAAC,CAAS,CAAC,CAC/D,EACA,UAAU,aAEV,EAAAP,QAAA,cAACQ,EAAA,IAAM,EACP,EAAAR,QAAA,cAACS,EAAA,IAAS,EACV,EAAAT,QAAA,cAACU,EAAA,CAAO,KAAK,UAAS,SAAO,CAC/B,CACF,CAEJ,CDnCe,SAARC,GAA2BC,EAAc,CAC9C,OACE,GAAAC,QAAA,cAAC,OAAI,UAAU,uBACb,GAAAA,QAAA,cAAC,MAAG,UAAU,sBAAqB,SAAO,EAC1C,GAAAA,QAAA,cAACF,GAAA,CAAY,GAAGC,EAAO,CACzB,CAEJ,CpCgBA,IAAAE,GAAgC","names":["src_exports","__export","AzureSignInButton_default","DiscordSignInButton_default","Email","EmailSigningIn","EmailSignInButton_default","GitHubSignInButton_default","GoogleLoginButton_default","HubSpotSignInButton_default","LinkedInSignInButton_default","Password","SigningIn","SigningUp","SlackSignInButton_default","XSignInButton_default","useSignIn","useSignUp","__toCommonJS","import_react","import_react_query","import_react_hook_form","import_lucide_react","React","import_react_slot","import_react_hook_form","r","e","t","f","n","o","clsx","CLASS_PART_SEPARATOR","createClassGroupUtils","config","classMap","createClassMap","conflictingClassGroups","conflictingClassGroupModifiers","getClassGroupId","className","classParts","split","length","shift","getGroupRecursive","getGroupIdForArbitraryProperty","getConflictingClassGroupIds","classGroupId","hasPostfixModifier","conflicts","classPartObject","_a","currentClassPart","nextClassPartObject","nextPart","get","classGroupFromNextClassPart","slice","undefined","validators","classRest","join","find","validator","arbitraryPropertyRegex","test","arbitraryPropertyClassName","exec","property","substring","indexOf","theme","prefix","Map","prefixedClassGroupEntries","getPrefixedClassGroupEntries","Object","entries","classGroups","forEach","classGroup","processClassesRecursively","classDefinition","classPartObjectToEdit","getPart","isThemeGetter","push","key","path","currentClassPartObject","pathPart","has","set","func","classGroupEntries","map","prefixedClassGroup","fromEntries","value","createLruCache","maxCacheSize","cacheSize","cache","previousCache","update","IMPORTANT_MODIFIER","createParseClassName","separator","experimentalParseClassName","isSeparatorSingleCharacter","firstSeparatorCharacter","separatorLength","parseClassName","modifiers","bracketDepth","modifierStart","postfixModifierPosition","index","currentCharacter","baseClassNameWithImportantModifier","hasImportantModifier","startsWith","baseClassName","maybePostfixModifierPosition","sortModifiers","sortedModifiers","unsortedModifiers","modifier","sort","createConfigUtils","SPLIT_CLASSES_REGEX","mergeClassList","classList","configUtils","classGroupsInConflict","classNames","trim","result","originalClassName","Boolean","variantModifier","modifierId","classId","includes","conflictGroups","i","group","twJoin","argument","resolvedValue","string","arguments","toValue","mix","k","createTailwindMerge","createConfigFirst","createConfigRest","cacheGet","cacheSet","functionToCall","initTailwindMerge","reduce","previousConfig","createConfigCurrent","tailwindMerge","cachedResult","apply","fromTheme","themeGetter","arbitraryValueRegex","fractionRegex","stringLengths","Set","tshirtUnitRegex","lengthUnitRegex","colorFunctionRegex","shadowRegex","imageRegex","isLength","isNumber","isArbitraryLength","getIsArbitraryValue","isLengthOnly","Number","isNaN","isArbitraryNumber","isInteger","isPercent","endsWith","isArbitraryValue","isTshirtSize","sizeLabels","isArbitrarySize","isNever","isArbitraryPosition","imageLabels","isArbitraryImage","isImage","isArbitraryShadow","isShadow","isAny","label","testValue","getDefaultConfig","colors","fromTheme","spacing","blur","brightness","borderColor","borderRadius","borderSpacing","borderWidth","contrast","grayscale","hueRotate","invert","gap","gradientColorStops","gradientColorStopPositions","inset","margin","opacity","padding","saturate","scale","sepia","skew","space","translate","getOverscroll","getOverflow","getSpacingWithAutoAndArbitrary","isArbitraryValue","getSpacingWithArbitrary","getLengthWithEmptyAndArbitrary","isLength","isArbitraryLength","getNumberWithAutoAndArbitrary","isNumber","getPositions","getLineStyles","getBlendModes","getAlign","getZeroAndEmpty","getBreaks","getNumberAndArbitrary","cacheSize","separator","theme","isAny","isTshirtSize","isPercent","classGroups","aspect","container","columns","box","display","float","clear","isolation","object","overflow","overscroll","position","start","end","top","right","bottom","left","visibility","z","isInteger","basis","flex","grow","shrink","order","col","span","row","justify","content","items","self","p","px","py","ps","pe","pt","pr","pb","pl","m","mx","my","ms","me","mt","mr","mb","ml","w","screen","h","size","text","font","isArbitraryNumber","tracking","leading","list","placeholder","decoration","indent","align","whitespace","break","hyphens","bg","isArbitraryPosition","repeat","isArbitrarySize","isArbitraryImage","from","via","to","rounded","border","divide","outline","ring","shadow","isArbitraryShadow","filter","table","caption","transition","duration","ease","delay","animate","transform","rotate","origin","accent","appearance","cursor","caret","resize","scroll","snap","touch","select","fill","stroke","sr","conflictingClassGroups","conflictingClassGroupModifiers","twMerge","createTailwindMerge","getDefaultConfig","cn","inputs","twMerge","clsx","React","LabelPrimitive","r","e","t","f","n","clsx","falsyToString","value","cx","clsx","cva","base","config","props","ref","variants","defaultVariants","getVariantClassNames","variant","variantProp","defaultVariantProp","variantKey","propsWithoutUndefined","acc","param","key","getCompoundVariantClassNames","param1","cvClass","cvClassName","compoundVariantOptions","labelVariants","cva","Label","className","props","ref","cn","React","Input","className","type","props","ref","cn","Form","FormFieldContext","FormField","props","useFormField","fieldContext","itemContext","FormItemContext","getFieldState","formState","fieldState","id","FormItem","className","ref","cn","FormLabel","error","formItemId","Label","FormControl","formDescriptionId","formMessageId","FormDescription","FormMessage","children","body","Email","form","field","Input","Password","React","import_react_slot","buttonVariants","cva","Button","className","variant","size","asChild","props","ref","cn","import_react","import_react_query","useSignIn","params","onSuccess","onError","beforeMutate","callbackUrl","redirect","_data","d","possibleData","data","queryClient","EmailSigningIn","props","client","remaining","React","EmailSignInForm","signIn","useSignIn","form","Form","email","Email","Button","import_react_slot","import_react","import_lucide_react","EmailSignInButton","React","callbackUrl","className","variant","size","asChild","redirect","email","onFailure","onSent","props","ref","cn","buttonVariants","res","EmailSignInButton_default","import_react","import_react_slot","GoogleSSOButton","React","callbackUrl","className","variant","size","buttonText","asChild","props","ref","cn","buttonVariants","GoogleLogo","GoogleLoginButton_default","import_react","import_react_slot","AzureSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","MicrosoftIcon","AzureSignInButton_default","import_react","import_react_slot","DiscordSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","Icon","DiscordSignInButton_default","import_react","import_react_slot","GitHubSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","Icon","GitHubSignInButton_default","import_react","import_react_slot","HubSpotSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","Icon","HubSpotSignInButton_default","import_react","import_react_slot","LinkedInSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","Icon","LinkedInSignInButton_default","import_react","import_react_slot","SlackSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","Icon","SlackSignInButton_default","import_react","import_react_slot","XSignInButton","React","callbackUrl","className","buttonText","variant","size","asChild","props","ref","cn","buttonVariants","Icon","XSignInButton_default","import_react","import_react","import_react_query","import_react_hook_form","import_react_query","import_react","useSignUp","params","client","onSuccess","onError","beforeMutate","callbackUrl","mutation","_data","_a","possibleData","payload","tenantId","newTenantName","body","fetchUrl","searchParams","data","variables","queryClient","SignUpForm","props","client","React","SignInForm","signUp","useSignUp","form","Form","email","password","Email","Password","Button","SigningUp","props","React","SignUpForm","import_react","import_react","import_react_query","import_react_hook_form","import_react_query","import_react","useSignIn","params","onSuccess","onError","beforeMutate","callbackUrl","_data","d","possibleData","data","queryClient","SigningIn","props","client","remaining","React","SignInForm","signIn","useSignIn","form","Form","email","password","Email","Password","Button","SigningIn","props","React","import_react"]}