@helpwave/hightide 0.8.9 → 0.8.11

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.d.mts CHANGED
@@ -2080,6 +2080,7 @@ declare class Duration {
2080
2080
 
2081
2081
  declare const DateTimeFormat: readonly ["date", "time", "dateTime"];
2082
2082
  type DateTimeFormat = typeof DateTimeFormat[number];
2083
+ type DateTimePrecision = 'minute' | 'second' | 'millisecond';
2083
2084
  declare const monthsList: readonly ["january", "february", "march", "april", "may", "june", "july", "august", "september", "october", "november", "december"];
2084
2085
  type Month = typeof monthsList[number];
2085
2086
  declare const weekDayList: readonly ["sunday", "monday", "tuesday", "wednesday", "thursday", "friday", "saturday"];
@@ -2103,7 +2104,7 @@ declare const DateUtils: {
2103
2104
  readonly monthImprecise: 2629800;
2104
2105
  readonly yearImprecise: 31557600;
2105
2106
  };
2106
- toInputString: (date: Date, format: DateTimeFormat) => string;
2107
+ toInputString: (date: Date, format: DateTimeFormat, precision?: DateTimePrecision, isLocalTime?: boolean) => string;
2107
2108
  };
2108
2109
 
2109
2110
  type DayPickerProps = Partial<FormFieldDataHandling<Date>> & {
@@ -2131,57 +2132,313 @@ type YearMonthPickerProps = Partial<FormFieldDataHandling<Date>> & {
2131
2132
  declare const YearMonthPicker: ({ value: controlledValue, initialValue, start, end, onValueChange, onEditComplete, className, }: YearMonthPickerProps) => react_jsx_runtime.JSX.Element;
2132
2133
 
2133
2134
  type DisplayMode = 'yearMonth' | 'day';
2134
- type DatePickerProps = Partial<FormFieldDataHandling<Date>> & {
2135
+ interface DatePickerProps extends Partial<FormFieldDataHandling<Date>>, Pick<DayPickerProps, 'markToday' | 'start' | 'end' | 'weekStart'> {
2135
2136
  initialValue?: Date;
2136
- start?: Date;
2137
- end?: Date;
2138
2137
  initialDisplay?: DisplayMode;
2139
- weekStart?: WeekDay;
2140
- dayPickerProps?: Omit<DayPickerProps, 'displayedMonth' | 'onChange' | 'selected' | 'weekStart'>;
2138
+ dayPickerProps?: Omit<DayPickerProps, 'displayedMonth' | 'onChange' | 'selected' | 'weekStart' | 'markToday' | 'start' | 'end'>;
2141
2139
  yearMonthPickerProps?: Omit<YearMonthPickerProps, 'displayedYearMonth' | 'onChange' | 'start' | 'end'>;
2142
2140
  className?: string;
2143
- };
2141
+ }
2144
2142
  /**
2145
2143
  * A Component for picking a date
2146
2144
  */
2147
2145
  declare const DatePicker: ({ value: controlledValue, initialValue, start, end, initialDisplay, weekStart, onValueChange, onEditComplete, yearMonthPickerProps, dayPickerProps, className }: DatePickerProps) => react_jsx_runtime.JSX.Element;
2148
2146
 
2147
+ type StorageSubscriber = (raw: string | null) => void;
2148
+ declare class StorageListener {
2149
+ private static instance;
2150
+ private localSubscriptions;
2151
+ private sessionSubscriptions;
2152
+ private initialized;
2153
+ private constructor();
2154
+ static getInstance(): StorageListener;
2155
+ subscribe(storage: Storage, key: string, cb: StorageSubscriber): () => void;
2156
+ private init;
2157
+ private handleEvent;
2158
+ private getRegistry;
2159
+ }
2160
+
2161
+ declare const equalSizeGroups: <T>(array: T[], groupSize: number) => T[][];
2162
+ type RangeOptions = {
2163
+ /** Whether the range can be defined empty via end < start without a warning */
2164
+ allowEmptyRange: boolean;
2165
+ stepSize: number;
2166
+ exclusiveStart: boolean;
2167
+ exclusiveEnd: boolean;
2168
+ };
2169
+ /**
2170
+ * @param endOrRange The end value or a range [start, end], end is exclusive
2171
+ * @param options the options for defining the range
2172
+ */
2173
+ declare const range: (endOrRange: number | [number, number], options?: Partial<RangeOptions>) => number[];
2174
+ /** Finds the closest match
2175
+ * @param list The list of all possible matches
2176
+ * @param firstCloser Return whether item1 is closer than item2
2177
+ */
2178
+ declare const closestMatch: <T>(list: T[], firstCloser: (item1: T, item2: T) => boolean) => T;
2179
+ /**
2180
+ * returns the item in middle of a list and its neighbours before and after
2181
+ * e.g. [1,2,3,4,5,6] for item = 1 would return [5,6,1,2,3]
2182
+ */
2183
+ declare const getNeighbours: <T>(list: T[], item: T, neighbourDistance?: number) => T[];
2184
+ declare const createLoopingListWithIndex: <T>(list: T[], startIndex?: number, length?: number, forwards?: boolean) => [number, T][];
2185
+ declare const createLoopingList: <T>(list: T[], startIndex?: number, length?: number, forwards?: boolean) => T[];
2186
+ declare function resolveSingleOrArray<T>(value: T | T[]): T[];
2187
+ declare const ArrayUtil: {
2188
+ unique: <T>(list: T[]) => T[];
2189
+ difference: <T>(list: T[], removeList: T[]) => T[];
2190
+ moveItems: <T>(list: T[], move?: number) => any[];
2191
+ resolveSingleOrArray: typeof resolveSingleOrArray;
2192
+ };
2193
+
2194
+ type BagFunction<B, V = ReactNode> = (bag: B) => V;
2195
+ type BagFunctionOrValue<B, V> = BagFunction<B, V> | V;
2196
+ type BagFunctionOrNode<B> = BagFunction<B> | ReactNode;
2197
+ type PropsWithBagFunction<B, P = unknown> = P & {
2198
+ children?: BagFunction<B>;
2199
+ };
2200
+ type PropsWithBagFunctionOrChildren<B, P = unknown> = P & {
2201
+ children?: BagFunctionOrNode<B>;
2202
+ };
2203
+ declare const BagFunctionUtil: {
2204
+ resolve: <B, V = ReactNode>(bagFunctionOrValue: BagFunctionOrValue<B, V>, bag: B) => V;
2205
+ };
2206
+
2207
+ /**
2208
+ * A simple function that implements the builder pattern
2209
+ * @param value The value to update which gets return with the same reference
2210
+ * @param update The updates to apply on the object
2211
+ */
2212
+ declare const builder: <T>(value: T, update: (value: T) => void) => T;
2213
+
2214
+ type EaseFunction = (t: number) => number;
2215
+ declare class EaseFunctions {
2216
+ static cubicBezierGeneric(x1: number, y1: number, x2: number, y2: number): {
2217
+ x: EaseFunction;
2218
+ y: EaseFunction;
2219
+ };
2220
+ static cubicBezier(x1: number, y1: number, x2: number, y2: number): EaseFunction;
2221
+ static easeInEaseOut(t: number): number;
2222
+ }
2223
+
2224
+ declare const validateEmail: (email: string) => boolean;
2225
+
2226
+ /**
2227
+ * Filters a text value based on the provided filter value.
2228
+ */
2229
+ declare function filterText(value: unknown, filterValue: TextFilterValue): boolean;
2230
+ /**
2231
+ * Filters a number value based on the provided filter value.
2232
+ */
2233
+ declare function filterNumber(value: unknown, filterValue: NumberFilterValue): boolean;
2234
+ /**
2235
+ * Filters a date value based on the provided filter value.
2236
+ * Only compares dates, ignoring time components.
2237
+ */
2238
+ declare function filterDate(value: unknown, filterValue: DateFilterValue): boolean;
2239
+ /**
2240
+ * Filters a dateTime value based on the provided filter value.
2241
+ */
2242
+ declare function filterDatetime(value: unknown, filterValue: DatetimeFilterValue): boolean;
2243
+ /**
2244
+ * Filters a boolean value based on the provided filter value.
2245
+ */
2246
+ declare function filterBoolean(value: unknown, filterValue: BooleanFilterValue): boolean;
2247
+ /**
2248
+ * Filters a tags array value based on the provided filter value.
2249
+ */
2250
+ declare function filterTags(value: unknown, filterValue: TagsFilterValue): boolean;
2251
+ /**
2252
+ * Filters a single tag value based on the provided filter value.
2253
+ */
2254
+ declare function filterTagsSingle(value: unknown, filterValue: TagsSingleFilterValue): boolean;
2255
+ /**
2256
+ * Filters a generic value based on the provided filter value.
2257
+ */
2258
+ declare function filterGeneric(value: unknown, filterValue: GenericFilterValue): boolean;
2259
+
2260
+ /**
2261
+ * 1 is forwards
2262
+ *
2263
+ * -1 is backwards
2264
+ */
2265
+ type Direction = 1 | -1;
2266
+ declare class LoopingArrayCalculator {
2267
+ length: number;
2268
+ isLooping: boolean;
2269
+ allowedOverScroll: number;
2270
+ constructor(length: number, isLooping?: boolean, allowedOverScroll?: number);
2271
+ getCorrectedPosition(position: number): number;
2272
+ static withoutOffset(position: number): number;
2273
+ static getOffset(position: number): number;
2274
+ /**
2275
+ * @return absolute distance forwards or Infinity when the target cannot be reached (only possible when not isLooping)
2276
+ */
2277
+ getDistanceDirectional(position: number, target: number, direction: Direction): number;
2278
+ getDistanceForward(position: number, target: number): number;
2279
+ getDistanceBackward(position: number, target: number): number;
2280
+ getDistance(position: number, target: number): number;
2281
+ getBestDirection(position: number, target: number): Direction;
2282
+ }
2283
+
2284
+ declare const match: <K extends string | number | symbol, V>(key: K, values: Record<K, V>) => Record<K, V>[K];
2285
+
2286
+ type Range = [number, number];
2287
+ type UnBoundedRange = [undefined | number, undefined | number];
2288
+ declare function clamp(value: number, min: number, max: number): number;
2289
+ declare function clamp(value: number, range?: [number, number]): number;
2290
+ declare const MathUtil: {
2291
+ clamp: typeof clamp;
2292
+ };
2293
+
2294
+ declare const noop: () => any;
2295
+
2296
+ declare function sleep(ms: number): Promise<void>;
2297
+ declare function delayed<T>(value: T, ms: number): Promise<T>;
2298
+ declare const PromiseUtils: {
2299
+ sleep: typeof sleep;
2300
+ delayed: typeof delayed;
2301
+ };
2302
+
2303
+ declare function bool(isActive: boolean): string | undefined;
2304
+ type InteractionStateDataAttributes = {
2305
+ 'data-disabled': string | undefined;
2306
+ 'data-invalid': string | undefined;
2307
+ 'data-readonly': string | undefined;
2308
+ 'data-required': string | undefined;
2309
+ };
2310
+ declare function interactionStatesData(interactionStates: Partial<FormFieldInteractionStates>): Partial<InteractionStateDataAttributes>;
2311
+ type MouseEventExtenderProps<T> = {
2312
+ fromProps?: react__default.MouseEventHandler<T>;
2313
+ extensions: SingleOrArray<react__default.MouseEventHandler<T>>;
2314
+ };
2315
+ declare function mouseEventExtender<T>({ fromProps, extensions }: MouseEventExtenderProps<T>): react__default.MouseEventHandler<T>;
2316
+ type KeyoardEventExtenderProps<T> = {
2317
+ fromProps: react__default.KeyboardEventHandler<T>;
2318
+ extensions: SingleOrArray<react__default.KeyboardEventHandler<T>>;
2319
+ };
2320
+ declare function keyboardEventExtender<T>({ fromProps, extensions, }: KeyoardEventExtenderProps<T>): react__default.KeyboardEventHandler<T>;
2321
+ declare function click<T>(onClick: () => void): {
2322
+ onClick: () => void;
2323
+ onKeyDown: react__default.KeyboardEventHandler<T>;
2324
+ };
2325
+ declare function close<T>(onClose?: () => void): react__default.KeyboardEventHandler<T>;
2326
+ type NavigateType<T> = {
2327
+ left?: (event: react__default.KeyboardEvent<T>) => void;
2328
+ right?: (event: react__default.KeyboardEvent<T>) => void;
2329
+ up?: (event: react__default.KeyboardEvent<T>) => void;
2330
+ down?: (event: react__default.KeyboardEvent<T>) => void;
2331
+ };
2332
+ declare function navigate<T>({ left, right, up, down, }: NavigateType<T>): react__default.KeyboardEventHandler<T>;
2333
+ declare function mergeProps<T extends object, U extends Partial<T>>(slotProps: T, childProps: U): T & U;
2334
+ type InteractionStateARIAAttributes = Pick<HTMLAttributes<HTMLDivElement>, 'aria-disabled' | 'aria-invalid' | 'aria-readonly' | 'aria-required'>;
2335
+ declare function interactionStatesAria(interactionStates: Partial<FormFieldInteractionStates>, props?: Partial<InteractionStateARIAAttributes>): Partial<InteractionStateARIAAttributes>;
2336
+ declare const PropsUtil: {
2337
+ extender: {
2338
+ mouseEvent: typeof mouseEventExtender;
2339
+ keyboardEvent: typeof keyboardEventExtender;
2340
+ };
2341
+ dataAttributes: {
2342
+ bool: typeof bool;
2343
+ interactionStates: typeof interactionStatesData;
2344
+ };
2345
+ aria: {
2346
+ close: typeof close;
2347
+ click: typeof click;
2348
+ navigate: typeof navigate;
2349
+ interactionStates: typeof interactionStatesAria;
2350
+ };
2351
+ mergeProps: typeof mergeProps;
2352
+ };
2353
+
2354
+ declare function resolveSetState<T>(action: SetStateAction<T>, prev: T): T;
2355
+
2356
+ /**
2357
+ * Finds all values matching the search values by first mapping the values to a string array and then checking each entry for matches.
2358
+ * Returns the list of all matches.
2359
+ *
2360
+ * @param search The list of search strings e.g. `[name, type]`
2361
+ *
2362
+ * @param objects The list of objects to be searched in
2363
+ *
2364
+ * @param mapping The mapping of objects to the string properties they fulfil
2365
+ *
2366
+ * @return The list of objects that match all search strings
2367
+ */
2368
+ declare const MultiSubjectSearchWithMapping: <T>(search: string[], objects: T[], mapping: (value: T) => (string[] | undefined)) => T[];
2369
+ /**
2370
+ * Finds all values matching the search value by first mapping the values to a string array and then checking each entry for matches.
2371
+ * Returns the list of all matches.
2372
+ *
2373
+ * @param search The search string e.g `name`
2374
+ *
2375
+ * @param objects The list of objects to be searched in
2376
+ *
2377
+ * @param mapping The mapping of objects to the string properties they fulfil, if undefined it is always fulfilled
2378
+ *
2379
+ * @return The list of objects that match the search string
2380
+ */
2381
+ declare const MultiSearchWithMapping: <T>(search: string, objects: T[], mapping: (value: T) => (string[] | undefined)) => T[];
2382
+ /**
2383
+ * Finds all values matching the search value by first mapping the values to a string and returns the list of all matches.
2384
+ *
2385
+ * @param search The search string e.g `name`
2386
+ *
2387
+ * @param objects The list of objects to be searched in
2388
+ *
2389
+ * @param mapping The mapping of objects to a string that is compared to the search
2390
+ *
2391
+ * @return The list of objects that match the search string
2392
+ */
2393
+ declare const SimpleSearchWithMapping: <T>(search: string, objects: T[], mapping: (value: T) => string) => T[];
2394
+ /**
2395
+ * Finds all values matching the search value and returns the list of all matches.
2396
+ *
2397
+ * @param search The search string e.g `name`
2398
+ *
2399
+ * @param objects The list of objects to be searched in
2400
+ *
2401
+ * @return The list of objects that match the search string
2402
+ */
2403
+ declare const SimpleSearch: (search: string, objects: string[]) => string[];
2404
+
2405
+ declare const writeToClipboard: (text: string) => Promise<void>;
2406
+
2149
2407
  type TimePickerMinuteIncrement = '1min' | '5min' | '10min' | '15min' | '30min';
2150
- type TimePickerProps = Partial<FormFieldDataHandling<Date>> & {
2408
+ type TimePickerSecondIncrement = '1s' | '5s' | '10s' | '15s' | '30s';
2409
+ type TimePickerMillisecondIncrement = '1ms' | '5ms' | '10ms' | '25ms' | '50ms' | '100ms' | '250ms' | '500ms';
2410
+ interface TimePickerProps extends Partial<FormFieldDataHandling<Date>> {
2151
2411
  initialValue?: Date;
2152
2412
  is24HourFormat?: boolean;
2413
+ precision?: DateTimePrecision;
2153
2414
  minuteIncrement?: TimePickerMinuteIncrement;
2415
+ secondIncrement?: TimePickerSecondIncrement;
2416
+ millisecondIncrement?: TimePickerMillisecondIncrement;
2154
2417
  className?: string;
2155
- };
2156
- declare const TimePicker: ({ value: controlledValue, initialValue, onValueChange, onEditComplete, is24HourFormat, minuteIncrement, className, }: TimePickerProps) => react_jsx_runtime.JSX.Element;
2418
+ }
2419
+ declare const TimePicker: ({ value: controlledValue, initialValue, onValueChange, onEditComplete, is24HourFormat, minuteIncrement, secondIncrement, millisecondIncrement, precision, className, }: TimePickerProps) => react_jsx_runtime.JSX.Element;
2157
2420
 
2158
- type DateTimePickerProps = Partial<FormFieldDataHandling<Date>> & {
2421
+ interface DateTimePickerProps extends Partial<FormFieldDataHandling<Date>>, Pick<DatePickerProps, 'start' | 'end' | 'weekStart' | 'markToday'>, Pick<TimePickerProps, 'is24HourFormat' | 'minuteIncrement' | 'secondIncrement' | 'millisecondIncrement' | 'precision'> {
2159
2422
  initialValue?: Date;
2160
2423
  mode?: DateTimeFormat;
2161
- start?: Date;
2162
- end?: Date;
2163
- is24HourFormat?: boolean;
2164
- minuteIncrement?: TimePickerMinuteIncrement;
2165
- markToday?: boolean;
2166
- weekStart?: WeekDay;
2167
- datePickerProps?: Omit<DatePickerProps, 'onChange' | 'value' | 'start' | 'end'>;
2168
- timePickerProps?: Omit<TimePickerProps, 'onChange' | 'time' | 'is24HourFormat' | 'minuteIncrement'>;
2169
- };
2424
+ datePickerProps?: Omit<DatePickerProps, 'onChange' | 'value' | 'start' | 'end' | 'markToday'>;
2425
+ timePickerProps?: Omit<TimePickerProps, 'onChange' | 'time' | 'is24HourFormat' | 'minuteIncrement' | 'secondIncrement' | 'millisecondIncrement' | 'precision'>;
2426
+ }
2170
2427
  /**
2171
2428
  * A Component for picking a Date and Time
2172
2429
  */
2173
- declare const DateTimePicker: ({ value: controlledValue, initialValue, start, end, mode, is24HourFormat, minuteIncrement, weekStart, onValueChange, onEditComplete, timePickerProps, datePickerProps, }: DateTimePickerProps) => react_jsx_runtime.JSX.Element;
2430
+ declare const DateTimePicker: ({ value: controlledValue, initialValue, start, end, mode, is24HourFormat, minuteIncrement, weekStart, secondIncrement, millisecondIncrement, precision, onValueChange, onEditComplete, timePickerProps, datePickerProps, }: DateTimePickerProps) => react_jsx_runtime.JSX.Element;
2174
2431
 
2175
- interface DateTimePickerDialogProps extends Partial<FormFieldDataHandling<Date | null>> {
2432
+ interface DateTimePickerDialogProps extends Partial<FormFieldDataHandling<Date | null>>, Pick<DateTimePickerProps, 'start' | 'end' | 'weekStart' | 'markToday' | 'is24HourFormat' | 'minuteIncrement' | 'secondIncrement' | 'millisecondIncrement' | 'precision'> {
2176
2433
  initialValue?: Date | null;
2177
2434
  allowRemove?: boolean;
2178
2435
  onEditComplete?: (value: Date | null) => void;
2179
- pickerProps: Omit<DateTimePickerProps, 'value' | 'onValueChange' | 'onEditComplete'>;
2436
+ pickerProps: Omit<DateTimePickerProps, 'value' | 'onValueChange' | 'onEditComplete' | 'start' | 'end' | 'weekStart' | 'markToday' | 'is24HourFormat' | 'minuteIncrement' | 'secondIncrement' | 'millisecondIncrement' | 'precision'>;
2180
2437
  mode?: DateTimeFormat;
2181
2438
  label?: ReactNode;
2182
2439
  labelId?: string;
2183
2440
  }
2184
- declare const DateTimePickerDialog: ({ initialValue, value, allowRemove, onValueChange, onEditComplete, mode, pickerProps, labelId, label, }: DateTimePickerDialogProps) => react_jsx_runtime.JSX.Element;
2441
+ declare const DateTimePickerDialog: ({ initialValue, value, allowRemove, onValueChange, onEditComplete, mode, pickerProps, start, end, weekStart, markToday, is24HourFormat, minuteIncrement, secondIncrement, millisecondIncrement, precision, labelId, label, }: DateTimePickerDialogProps) => react_jsx_runtime.JSX.Element;
2185
2442
 
2186
2443
  type TimeDisplayMode = 'daysFromToday' | 'date';
2187
2444
  type TimeDisplayProps = {
@@ -2193,12 +2450,12 @@ type TimeDisplayProps = {
2193
2450
  */
2194
2451
  declare const TimeDisplay: ({ date, mode }: TimeDisplayProps) => react_jsx_runtime.JSX.Element;
2195
2452
 
2196
- interface DateTimeInputProps extends Partial<FormFieldInteractionStates>, Omit<InputHTMLAttributes<HTMLInputElement>, 'defaultValue' | 'value' | 'placeholder'>, Partial<FormFieldDataHandling<Date | null>> {
2453
+ interface DateTimeInputProps extends Partial<FormFieldInteractionStates>, Omit<InputHTMLAttributes<HTMLInputElement>, 'defaultValue' | 'value' | 'placeholder'>, Partial<FormFieldDataHandling<Date | null>>, Pick<DateTimePickerProps, 'mode' | 'start' | 'end' | 'weekStart' | 'markToday' | 'is24HourFormat' | 'minuteIncrement' | 'secondIncrement' | 'millisecondIncrement' | 'precision'> {
2197
2454
  initialValue?: Date | null;
2198
2455
  allowRemove?: boolean;
2199
2456
  mode?: DateTimeFormat;
2200
2457
  containerProps?: HTMLAttributes<HTMLDivElement>;
2201
- pickerProps?: Omit<DateTimePickerProps, keyof FormFieldDataHandling<Date> | 'mode' | 'initialValue'>;
2458
+ pickerProps?: Omit<DateTimePickerProps, keyof FormFieldDataHandling<Date> | 'mode' | 'initialValue' | 'start' | 'end' | 'weekStart' | 'markToday' | 'is24HourFormat' | 'minuteIncrement' | 'secondIncrement' | 'millisecondIncrement' | 'precision'>;
2202
2459
  outsideClickCloses?: boolean;
2203
2460
  onDialogOpeningChange?: (isOpen: boolean) => void;
2204
2461
  }
@@ -2357,28 +2614,15 @@ interface FocusTrapProps extends PropsWithChildren, UseFocusTrapProps {
2357
2614
  declare const FocusTrap: ({ children, ...props }: FocusTrapProps) => react.ReactNode;
2358
2615
  interface FocusTrapWrapperProps extends HTMLAttributes<HTMLDivElement>, Omit<FocusTrapProps, 'container'> {
2359
2616
  }
2360
- /**
2361
- * A wrapper for the useFocusTrap hook that directly renders it to a div
2362
- */
2363
- declare const FocusTrapWrapper: react.ForwardRefExoticComponent<FocusTrapWrapperProps & react.RefAttributes<HTMLDivElement>>;
2364
-
2365
- interface PortalProps extends PropsWithChildren {
2366
- container?: HTMLElement;
2367
- }
2368
- declare const Portal: ({ children, container }: PortalProps) => react.ReactPortal;
2369
-
2370
- type BagFunction<B, V = ReactNode> = (bag: B) => V;
2371
- type BagFunctionOrValue<B, V> = BagFunction<B, V> | V;
2372
- type BagFunctionOrNode<B> = BagFunction<B> | ReactNode;
2373
- type PropsWithBagFunction<B, P = unknown> = P & {
2374
- children?: BagFunction<B>;
2375
- };
2376
- type PropsWithBagFunctionOrChildren<B, P = unknown> = P & {
2377
- children?: BagFunctionOrNode<B>;
2378
- };
2379
- declare const BagFunctionUtil: {
2380
- resolve: <B, V = ReactNode>(bagFunctionOrValue: BagFunctionOrValue<B, V>, bag: B) => V;
2381
- };
2617
+ /**
2618
+ * A wrapper for the useFocusTrap hook that directly renders it to a div
2619
+ */
2620
+ declare const FocusTrapWrapper: react.ForwardRefExoticComponent<FocusTrapWrapperProps & react.RefAttributes<HTMLDivElement>>;
2621
+
2622
+ interface PortalProps extends PropsWithChildren {
2623
+ container?: HTMLElement;
2624
+ }
2625
+ declare const Portal: ({ children, container }: PortalProps) => react.ReactPortal;
2382
2626
 
2383
2627
  type TransitionBag = {
2384
2628
  isOpen: boolean;
@@ -2648,251 +2892,4 @@ declare const LocalizationUtil: {
2648
2892
  languagesLocalNames: Record<"de-DE" | "en-US", string>;
2649
2893
  };
2650
2894
 
2651
- type StorageSubscriber = (raw: string | null) => void;
2652
- declare class StorageListener {
2653
- private static instance;
2654
- private localSubscriptions;
2655
- private sessionSubscriptions;
2656
- private initialized;
2657
- private constructor();
2658
- static getInstance(): StorageListener;
2659
- subscribe(storage: Storage, key: string, cb: StorageSubscriber): () => void;
2660
- private init;
2661
- private handleEvent;
2662
- private getRegistry;
2663
- }
2664
-
2665
- declare const equalSizeGroups: <T>(array: T[], groupSize: number) => T[][];
2666
- type RangeOptions = {
2667
- /** Whether the range can be defined empty via end < start without a warning */
2668
- allowEmptyRange: boolean;
2669
- stepSize: number;
2670
- exclusiveStart: boolean;
2671
- exclusiveEnd: boolean;
2672
- };
2673
- /**
2674
- * @param endOrRange The end value or a range [start, end], end is exclusive
2675
- * @param options the options for defining the range
2676
- */
2677
- declare const range: (endOrRange: number | [number, number], options?: Partial<RangeOptions>) => number[];
2678
- /** Finds the closest match
2679
- * @param list The list of all possible matches
2680
- * @param firstCloser Return whether item1 is closer than item2
2681
- */
2682
- declare const closestMatch: <T>(list: T[], firstCloser: (item1: T, item2: T) => boolean) => T;
2683
- /**
2684
- * returns the item in middle of a list and its neighbours before and after
2685
- * e.g. [1,2,3,4,5,6] for item = 1 would return [5,6,1,2,3]
2686
- */
2687
- declare const getNeighbours: <T>(list: T[], item: T, neighbourDistance?: number) => T[];
2688
- declare const createLoopingListWithIndex: <T>(list: T[], startIndex?: number, length?: number, forwards?: boolean) => [number, T][];
2689
- declare const createLoopingList: <T>(list: T[], startIndex?: number, length?: number, forwards?: boolean) => T[];
2690
- declare function resolveSingleOrArray<T>(value: T | T[]): T[];
2691
- declare const ArrayUtil: {
2692
- unique: <T>(list: T[]) => T[];
2693
- difference: <T>(list: T[], removeList: T[]) => T[];
2694
- moveItems: <T>(list: T[], move?: number) => any[];
2695
- resolveSingleOrArray: typeof resolveSingleOrArray;
2696
- };
2697
-
2698
- /**
2699
- * A simple function that implements the builder pattern
2700
- * @param value The value to update which gets return with the same reference
2701
- * @param update The updates to apply on the object
2702
- */
2703
- declare const builder: <T>(value: T, update: (value: T) => void) => T;
2704
-
2705
- type EaseFunction = (t: number) => number;
2706
- declare class EaseFunctions {
2707
- static cubicBezierGeneric(x1: number, y1: number, x2: number, y2: number): {
2708
- x: EaseFunction;
2709
- y: EaseFunction;
2710
- };
2711
- static cubicBezier(x1: number, y1: number, x2: number, y2: number): EaseFunction;
2712
- static easeInEaseOut(t: number): number;
2713
- }
2714
-
2715
- declare const validateEmail: (email: string) => boolean;
2716
-
2717
- /**
2718
- * Filters a text value based on the provided filter value.
2719
- */
2720
- declare function filterText(value: unknown, filterValue: TextFilterValue): boolean;
2721
- /**
2722
- * Filters a number value based on the provided filter value.
2723
- */
2724
- declare function filterNumber(value: unknown, filterValue: NumberFilterValue): boolean;
2725
- /**
2726
- * Filters a date value based on the provided filter value.
2727
- * Only compares dates, ignoring time components.
2728
- */
2729
- declare function filterDate(value: unknown, filterValue: DateFilterValue): boolean;
2730
- /**
2731
- * Filters a dateTime value based on the provided filter value.
2732
- */
2733
- declare function filterDatetime(value: unknown, filterValue: DatetimeFilterValue): boolean;
2734
- /**
2735
- * Filters a boolean value based on the provided filter value.
2736
- */
2737
- declare function filterBoolean(value: unknown, filterValue: BooleanFilterValue): boolean;
2738
- /**
2739
- * Filters a tags array value based on the provided filter value.
2740
- */
2741
- declare function filterTags(value: unknown, filterValue: TagsFilterValue): boolean;
2742
- /**
2743
- * Filters a single tag value based on the provided filter value.
2744
- */
2745
- declare function filterTagsSingle(value: unknown, filterValue: TagsSingleFilterValue): boolean;
2746
- /**
2747
- * Filters a generic value based on the provided filter value.
2748
- */
2749
- declare function filterGeneric(value: unknown, filterValue: GenericFilterValue): boolean;
2750
-
2751
- /**
2752
- * 1 is forwards
2753
- *
2754
- * -1 is backwards
2755
- */
2756
- type Direction = 1 | -1;
2757
- declare class LoopingArrayCalculator {
2758
- length: number;
2759
- isLooping: boolean;
2760
- allowedOverScroll: number;
2761
- constructor(length: number, isLooping?: boolean, allowedOverScroll?: number);
2762
- getCorrectedPosition(position: number): number;
2763
- static withoutOffset(position: number): number;
2764
- static getOffset(position: number): number;
2765
- /**
2766
- * @return absolute distance forwards or Infinity when the target cannot be reached (only possible when not isLooping)
2767
- */
2768
- getDistanceDirectional(position: number, target: number, direction: Direction): number;
2769
- getDistanceForward(position: number, target: number): number;
2770
- getDistanceBackward(position: number, target: number): number;
2771
- getDistance(position: number, target: number): number;
2772
- getBestDirection(position: number, target: number): Direction;
2773
- }
2774
-
2775
- declare const match: <K extends string | number | symbol, V>(key: K, values: Record<K, V>) => Record<K, V>[K];
2776
-
2777
- type Range = [number, number];
2778
- type UnBoundedRange = [undefined | number, undefined | number];
2779
- declare function clamp(value: number, min: number, max: number): number;
2780
- declare function clamp(value: number, range?: [number, number]): number;
2781
- declare const MathUtil: {
2782
- clamp: typeof clamp;
2783
- };
2784
-
2785
- declare const noop: () => any;
2786
-
2787
- declare function sleep(ms: number): Promise<void>;
2788
- declare function delayed<T>(value: T, ms: number): Promise<T>;
2789
- declare const PromiseUtils: {
2790
- sleep: typeof sleep;
2791
- delayed: typeof delayed;
2792
- };
2793
-
2794
- declare function bool(isActive: boolean): string | undefined;
2795
- type InteractionStateDataAttributes = {
2796
- 'data-disabled': string | undefined;
2797
- 'data-invalid': string | undefined;
2798
- 'data-readonly': string | undefined;
2799
- 'data-required': string | undefined;
2800
- };
2801
- declare function interactionStatesData(interactionStates: Partial<FormFieldInteractionStates>): Partial<InteractionStateDataAttributes>;
2802
- type MouseEventExtenderProps<T> = {
2803
- fromProps?: react__default.MouseEventHandler<T>;
2804
- extensions: SingleOrArray<react__default.MouseEventHandler<T>>;
2805
- };
2806
- declare function mouseEventExtender<T>({ fromProps, extensions }: MouseEventExtenderProps<T>): react__default.MouseEventHandler<T>;
2807
- type KeyoardEventExtenderProps<T> = {
2808
- fromProps: react__default.KeyboardEventHandler<T>;
2809
- extensions: SingleOrArray<react__default.KeyboardEventHandler<T>>;
2810
- };
2811
- declare function keyboardEventExtender<T>({ fromProps, extensions, }: KeyoardEventExtenderProps<T>): react__default.KeyboardEventHandler<T>;
2812
- declare function click<T>(onClick: () => void): {
2813
- onClick: () => void;
2814
- onKeyDown: react__default.KeyboardEventHandler<T>;
2815
- };
2816
- declare function close<T>(onClose?: () => void): react__default.KeyboardEventHandler<T>;
2817
- type NavigateType<T> = {
2818
- left?: (event: react__default.KeyboardEvent<T>) => void;
2819
- right?: (event: react__default.KeyboardEvent<T>) => void;
2820
- up?: (event: react__default.KeyboardEvent<T>) => void;
2821
- down?: (event: react__default.KeyboardEvent<T>) => void;
2822
- };
2823
- declare function navigate<T>({ left, right, up, down, }: NavigateType<T>): react__default.KeyboardEventHandler<T>;
2824
- declare function mergeProps<T extends object, U extends Partial<T>>(slotProps: T, childProps: U): T & U;
2825
- type InteractionStateARIAAttributes = Pick<HTMLAttributes<HTMLDivElement>, 'aria-disabled' | 'aria-invalid' | 'aria-readonly' | 'aria-required'>;
2826
- declare function interactionStatesAria(interactionStates: Partial<FormFieldInteractionStates>, props?: Partial<InteractionStateARIAAttributes>): Partial<InteractionStateARIAAttributes>;
2827
- declare const PropsUtil: {
2828
- extender: {
2829
- mouseEvent: typeof mouseEventExtender;
2830
- keyboardEvent: typeof keyboardEventExtender;
2831
- };
2832
- dataAttributes: {
2833
- bool: typeof bool;
2834
- interactionStates: typeof interactionStatesData;
2835
- };
2836
- aria: {
2837
- close: typeof close;
2838
- click: typeof click;
2839
- navigate: typeof navigate;
2840
- interactionStates: typeof interactionStatesAria;
2841
- };
2842
- mergeProps: typeof mergeProps;
2843
- };
2844
-
2845
- declare function resolveSetState<T>(action: SetStateAction<T>, prev: T): T;
2846
-
2847
- /**
2848
- * Finds all values matching the search values by first mapping the values to a string array and then checking each entry for matches.
2849
- * Returns the list of all matches.
2850
- *
2851
- * @param search The list of search strings e.g. `[name, type]`
2852
- *
2853
- * @param objects The list of objects to be searched in
2854
- *
2855
- * @param mapping The mapping of objects to the string properties they fulfil
2856
- *
2857
- * @return The list of objects that match all search strings
2858
- */
2859
- declare const MultiSubjectSearchWithMapping: <T>(search: string[], objects: T[], mapping: (value: T) => (string[] | undefined)) => T[];
2860
- /**
2861
- * Finds all values matching the search value by first mapping the values to a string array and then checking each entry for matches.
2862
- * Returns the list of all matches.
2863
- *
2864
- * @param search The search string e.g `name`
2865
- *
2866
- * @param objects The list of objects to be searched in
2867
- *
2868
- * @param mapping The mapping of objects to the string properties they fulfil, if undefined it is always fulfilled
2869
- *
2870
- * @return The list of objects that match the search string
2871
- */
2872
- declare const MultiSearchWithMapping: <T>(search: string, objects: T[], mapping: (value: T) => (string[] | undefined)) => T[];
2873
- /**
2874
- * Finds all values matching the search value by first mapping the values to a string and returns the list of all matches.
2875
- *
2876
- * @param search The search string e.g `name`
2877
- *
2878
- * @param objects The list of objects to be searched in
2879
- *
2880
- * @param mapping The mapping of objects to a string that is compared to the search
2881
- *
2882
- * @return The list of objects that match the search string
2883
- */
2884
- declare const SimpleSearchWithMapping: <T>(search: string, objects: T[], mapping: (value: T) => string) => T[];
2885
- /**
2886
- * Finds all values matching the search value and returns the list of all matches.
2887
- *
2888
- * @param search The search string e.g `name`
2889
- *
2890
- * @param objects The list of objects to be searched in
2891
- *
2892
- * @return The list of objects that match the search string
2893
- */
2894
- declare const SimpleSearch: (search: string, objects: string[]) => string[];
2895
-
2896
- declare const writeToClipboard: (text: string) => Promise<void>;
2897
-
2898
- export { ASTNodeInterpreter, type ASTNodeInterpreterProps, AnchoredFloatingContainer, type AnchoredFloatingContainerProps, ArrayUtil, AutoColumnOrderFeature, Avatar, AvatarGroup, type AvatarGroupProps, type AvatarProps, type AvatarSize, type BackgroundOverlayProps, type BagFunction, type BagFunctionOrNode, type BagFunctionOrValue, BagFunctionUtil, BooleanFilter, type BooleanFilterParameter, type BooleanFilterProps, type BooleanFilterValue, BreadCrumbGroup, BreadCrumbLink, type BreadCrumbLinkProps, type BreadCrumbProps, BreadCrumbs, Button, type ButtonColor, type ButtonProps, ButtonUtil, Carousel, type CarouselProps, CarouselSlide, type CarouselSlideProps, Checkbox, CheckboxProperty, type CheckboxPropertyProps, type CheckboxProps, Chip, type ChipColor, ChipList, type ChipListProps, type ChipProps, ChipUtil, type ColumnSizeCalculatoProps, ColumnSizeUtil, ColumnSizingWithTargetFeature, ConfirmDialog, type ConfirmDialogProps, type ConfirmDialogType, type ControlledStateProps, CopyToClipboardWrapper, type CopyToClipboardWrapperProps, type Crumb, DateFilter, type DateFilterParameter, type DateFilterProps, type DateFilterValue, DatePicker, type DatePickerProps, DateProperty, type DatePropertyProps, DateTimeFormat, DateTimeInput, type DateTimeInputProps, DateTimePicker, DateTimePickerDialog, type DateTimePickerDialogProps, type DateTimePickerProps, DateUtils, DatetimeFilter, type DatetimeFilterParameter, type DatetimeFilterProps, type DatetimeFilterValue, DayPicker, type DayPickerProps, type DeepPartial, Dialog, DialogContext, type DialogContextType, type DialogOpenerPassingProps, DialogOpenerWrapper, type DialogOpenerWrapperBag, type DialogOpenerWrapperProps, type DialogPosition, type DialogProps, DialogRoot, type DialogRootProps, type Direction, DiscardChangesDialog, DividerInserter, type DividerInserterProps, Drawer, type DrawerAligment, DrawerCloseButton, type DrawerCloseButtonProps, DrawerContent, type DrawerContentProps, DrawerContext, type DrawerContextType, type DrawerProps, DrawerRoot, type DrawerRootProps, Duration, type DurationJSON, type EaseFunction, EaseFunctions, type EditCompleteOptions, type EditCompleteOptionsResolved, type ElementHandle, ErrorComponent, type ErrorComponentProps, type Exact, Expandable, ExpandableContent, type ExpandableContentProps, ExpandableHeader, type ExpandableHeaderProps, type ExpandableProps, ExpandableRoot, type ExpandableRootProps, ExpansionIcon, type ExpansionIconProps, type FAQItem, FAQSection, type FAQSectionProps, FillerCell, type FillerCellProps, type FloatingElementAlignment, FocusTrap, type FocusTrapProps, FocusTrapWrapper, type FocusTrapWrapperProps, FormContext, type FormContextType, type FormEvent, type FormEventListener, FormField, type FormFieldAriaAttributes, type FormFieldBag, type FormFieldDataHandling, type FormFieldFocusableElementProps, type FormFieldInteractionStates, FormFieldLayout, type FormFieldLayoutBag, type FormFieldLayoutIds, type FormFieldLayoutProps, type FormFieldProps, type FormFieldResult, FormObserver, FormObserverKey, type FormObserverKeyProps, type FormObserverKeyResult, type FormObserverProps, type FormObserverResult, FormProvider, type FormProviderProps, FormStore, type FormStoreProps, type FormValidationBehaviour, type FormValidator, type FormValue, GenericFilter, type GenericFilterParameter, type GenericFilterProps, type GenericFilterValue, HelpwaveBadge, type HelpwaveBadgeProps, HelpwaveLogo, type HelpwaveProps, type HighlightStartPositionBehavior, type HightideConfig, HightideConfigContext, HightideConfigProvider, type HightideConfigProviderProps, HightideProvider, type HightideTranslationEntries, type HightideTranslationLocales, IconButton, IconButtonBase, type IconButtonBaseProps, type IconButtonProps, InfiniteScroll, type InfiniteScrollProps, Input, InputDialog, type InputModalProps, type InputProps, InsideLabelInput, LanguageDialog, LanguageSelect, ListBox, ListBoxItem, type ListBoxItemProps, ListBoxMultiple, type ListBoxMultipleProps, ListBoxPrimitive, type ListBoxPrimitiveProps, type ListBoxProps, LoadingAndErrorComponent, type LoadingAndErrorComponentProps, LoadingAnimation, type LoadingAnimationProps, type LoadingComponentProps, LoadingContainer, LocaleContext, type LocaleContextValue, LocaleProvider, type LocaleProviderProps, type LocalizationConfig, LocalizationUtil, LoopingArrayCalculator, MarkdownInterpreter, type MarkdownInterpreterProps, MathUtil, Menu, type MenuBag, MenuItem, type MenuItemProps, type MenuProps, type Month, MultiSearchWithMapping, MultiSelect, MultiSelectButton, type MultiSelectButtonProps, MultiSelectChipDisplay, MultiSelectChipDisplayButton, type MultiSelectChipDisplayProps, MultiSelectContent, type MultiSelectContentProps, MultiSelectOption, type MultiSelectOptionProps, MultiSelectProperty, type MultiSelectPropertyProps, type MultiSelectProps, MultiSelectRoot, type MultiSelectRootProps, MultiSubjectSearchWithMapping, Navigation, NavigationItemList, type NavigationItemListProps, type NavigationItemType, type NavigationProps, NumberFilter, type NumberFilterParameter, type NumberFilterProps, type NumberFilterValue, NumberProperty, type NumberPropertyProps, OperatorLabel, type OperatorLabelProps, type OverlayItem, OverlayRegistry, Pagination, type PaginationProps, PopUp, PopUpContext, type PopUpContextType, PopUpOpener, type PopUpOpenerBag, type PopUpOpenerProps, type PopUpProps, PopUpRoot, type PopUpRootProps, Portal, type PortalProps, ProgressIndicator, type ProgressIndicatorProps, PromiseUtils, PropertyBase, type PropertyBaseProps, type PropertyField, PropsUtil, type PropsWithBagFunction, type PropsWithBagFunctionOrChildren, type Range, type RangeOptions, type ResolvedTheme, ScrollPicker, type ScrollPickerProps, SearchBar, type SearchBarProps, Select, SelectButton, type SelectButtonProps, SelectContent, type SelectContentProps, SelectContext, type SelectIconAppearance, SelectOption, type SelectOptionProps, type SelectProps, SelectRoot, type SelectRootProps, type SharedSelectRootProps, SimpleSearch, SimpleSearchWithMapping, type SingleOrArray, SingleSelectProperty, type SingleSelectPropertyProps, StepperBar, type StepperBarProps, type StepperState, StorageListener, type StorageSubscriber, type SuperSet, Switch, type SwitchProps, type TabContextType, type TabInfo, TabList, TabPanel, TabSwitcher, type TabSwitcherProps, TabView, Table, TableBody, type TableBooleanFilter, TableCell, type TableCellProps, TableColumn, TableColumnDefinitionContext, type TableColumnDefinitionContextType, type TableColumnProps, TableColumnSwitcher, TableColumnSwitcherPopUp, type TableColumnSwitcherPopUpProps, type TableColumnSwitcherProps, TableContainerContext, type TableContainerContextType, type TableDateFilter, type TableDatetimeFilter, TableDisplay, type TableDisplayProps, TableFilter, type TableFilterBaseProps, TableFilterButton, type TableFilterButtonProps, type TableFilterCategory, TableFilterContent, type TableFilterContentProps, TableFilterOperator, type TableFilterType, type TableFilterValue, type TableGenericFilter, TableHeader, type TableHeaderProps, type TableNumberFilter, TablePageSizeSelect, type TablePageSizeSelectProps, TablePagination, TablePaginationMenu, type TablePaginationMenuProps, type TablePaginationProps, type TableProps, TableProvider, type TableProviderProps, TableSortButton, type TableSortButtonProps, TableStateContext, type TableStateContextType, TableStateWithoutSizingContext, type TableStateWithoutSizingContextType, type TableTagsFilter, type TableTagsSingleFilter, type TableTextFilter, TableWithSelection, type TableWithSelectionProps, TableWithSelectionProvider, type TableWithSelectionProviderProps, TagIcon, type TagProps, TagsFilter, type TagsFilterParameter, type TagsFilterProps, type TagsFilterValue, TagsSingleFilter, type TagsSingleFilterParameter, type TagsSingleFilterProps, type TagsSingleFilterValue, TextFilter, type TextFilterParameter, type TextFilterProps, type TextFilterValue, TextImage, type TextImageProps, TextProperty, type TextPropertyProps, Textarea, type TextareaProps, TextareaWithHeadline, type TextareaWithHeadlineProps, type ThemeConfig, ThemeContext, ThemeDialog, type ThemeDialogProps, ThemeIcon, type ThemeIconProps, ThemeProvider, type ThemeProviderProps, ThemeSelect, type ThemeSelectProps, type ThemeType, ThemeUtil, TimeDisplay, TimePicker, type TimePickerMinuteIncrement, type TimePickerProps, ToggleableInput, Tooltip, type TooltipConfig, TooltipContext, type TooltipContextType, TooltipDisplay, type TooltipDisplayProps, type TooltipProps, TooltipRoot, type TooltipRootProps, TooltipTrigger, type TooltipTriggerBag, type TooltipTriggerContextValue, type TooltipTriggerProps, Transition, type TransitionState, type TransitionWrapperProps, type UnBoundedRange, type UseAnchoredPositionOptions, type UseAnchoredPostitionProps, type UseCreateFormProps, type UseCreateFormResult, type UseDelayOptions, type UseDelayOptionsResolved, type UseFocusTrapProps, type UseFormFieldOptions, type UseFormFieldParameter, type UseFormObserverKeyProps, type UseFormObserverProps, type UseOutsideClickHandlers, type UseOutsideClickOptions, type UseOutsideClickProps, type UseOverlayRegistryProps, type UseOverlayRegistryResult, type UsePresenceRefProps, type UseResizeObserverProps, type UseSearchProps, type UseUpdatingDateStringProps, UseValidators, type UserFormFieldProps, type ValidatorError, type ValidatorResult, VerticalDivider, type VerticalDividerProps, Visibility, type VisibilityProps, type WeekDay, YearMonthPicker, type YearMonthPickerProps, builder, closestMatch, createLoopingList, createLoopingListWithIndex, equalSizeGroups, filterBoolean, filterDate, filterDatetime, filterGeneric, filterNumber, filterTags, filterTagsSingle, filterText, getNeighbours, hightideTranslation, hightideTranslationLocales, isTableFilterCategory, match, mergeProps, noop, range, resolveSetState, toSizeVars, useAnchoredPosition, useControlledState, useCreateForm, useDelay, useDialogContext, useDrawerContext, useEventCallbackStabilizer, useFocusGuards, useFocusManagement, useFocusOnceVisible, useFocusTrap, useForm, useFormField, useFormObserver, useFormObserverKey, useHandleRefs, useHightideConfig, useHightideTranslation, useICUTranslation, useIsMounted, useLanguage, useLocale, useLogOnce, useLogUnstableDependencies, useOutsideClick, useOverlayRegistry, useOverwritableState, usePopUpContext, usePresenceRef, useRerender, useResizeObserver, useScrollObserver, useSearch, useSelectContext, useStorage, useTabContext, useTableColumnDefinitionContext, useTableContainerContext, useTableStateContext, useTableStateWithoutSizingContext, useTheme, useTooltip, useTransitionState, useTranslatedValidators, useUpdatingDateString, useWindowResizeObserver, validateEmail, writeToClipboard };
2895
+ export { ASTNodeInterpreter, type ASTNodeInterpreterProps, AnchoredFloatingContainer, type AnchoredFloatingContainerProps, ArrayUtil, AutoColumnOrderFeature, Avatar, AvatarGroup, type AvatarGroupProps, type AvatarProps, type AvatarSize, type BackgroundOverlayProps, type BagFunction, type BagFunctionOrNode, type BagFunctionOrValue, BagFunctionUtil, BooleanFilter, type BooleanFilterParameter, type BooleanFilterProps, type BooleanFilterValue, BreadCrumbGroup, BreadCrumbLink, type BreadCrumbLinkProps, type BreadCrumbProps, BreadCrumbs, Button, type ButtonColor, type ButtonProps, ButtonUtil, Carousel, type CarouselProps, CarouselSlide, type CarouselSlideProps, Checkbox, CheckboxProperty, type CheckboxPropertyProps, type CheckboxProps, Chip, type ChipColor, ChipList, type ChipListProps, type ChipProps, ChipUtil, type ColumnSizeCalculatoProps, ColumnSizeUtil, ColumnSizingWithTargetFeature, ConfirmDialog, type ConfirmDialogProps, type ConfirmDialogType, type ControlledStateProps, CopyToClipboardWrapper, type CopyToClipboardWrapperProps, type Crumb, DateFilter, type DateFilterParameter, type DateFilterProps, type DateFilterValue, DatePicker, type DatePickerProps, DateProperty, type DatePropertyProps, DateTimeFormat, DateTimeInput, type DateTimeInputProps, DateTimePicker, DateTimePickerDialog, type DateTimePickerDialogProps, type DateTimePickerProps, type DateTimePrecision, DateUtils, DatetimeFilter, type DatetimeFilterParameter, type DatetimeFilterProps, type DatetimeFilterValue, DayPicker, type DayPickerProps, type DeepPartial, Dialog, DialogContext, type DialogContextType, type DialogOpenerPassingProps, DialogOpenerWrapper, type DialogOpenerWrapperBag, type DialogOpenerWrapperProps, type DialogPosition, type DialogProps, DialogRoot, type DialogRootProps, type Direction, DiscardChangesDialog, DividerInserter, type DividerInserterProps, Drawer, type DrawerAligment, DrawerCloseButton, type DrawerCloseButtonProps, DrawerContent, type DrawerContentProps, DrawerContext, type DrawerContextType, type DrawerProps, DrawerRoot, type DrawerRootProps, Duration, type DurationJSON, type EaseFunction, EaseFunctions, type EditCompleteOptions, type EditCompleteOptionsResolved, type ElementHandle, ErrorComponent, type ErrorComponentProps, type Exact, Expandable, ExpandableContent, type ExpandableContentProps, ExpandableHeader, type ExpandableHeaderProps, type ExpandableProps, ExpandableRoot, type ExpandableRootProps, ExpansionIcon, type ExpansionIconProps, type FAQItem, FAQSection, type FAQSectionProps, FillerCell, type FillerCellProps, type FloatingElementAlignment, FocusTrap, type FocusTrapProps, FocusTrapWrapper, type FocusTrapWrapperProps, FormContext, type FormContextType, type FormEvent, type FormEventListener, FormField, type FormFieldAriaAttributes, type FormFieldBag, type FormFieldDataHandling, type FormFieldFocusableElementProps, type FormFieldInteractionStates, FormFieldLayout, type FormFieldLayoutBag, type FormFieldLayoutIds, type FormFieldLayoutProps, type FormFieldProps, type FormFieldResult, FormObserver, FormObserverKey, type FormObserverKeyProps, type FormObserverKeyResult, type FormObserverProps, type FormObserverResult, FormProvider, type FormProviderProps, FormStore, type FormStoreProps, type FormValidationBehaviour, type FormValidator, type FormValue, GenericFilter, type GenericFilterParameter, type GenericFilterProps, type GenericFilterValue, HelpwaveBadge, type HelpwaveBadgeProps, HelpwaveLogo, type HelpwaveProps, type HighlightStartPositionBehavior, type HightideConfig, HightideConfigContext, HightideConfigProvider, type HightideConfigProviderProps, HightideProvider, type HightideTranslationEntries, type HightideTranslationLocales, IconButton, IconButtonBase, type IconButtonBaseProps, type IconButtonProps, InfiniteScroll, type InfiniteScrollProps, Input, InputDialog, type InputModalProps, type InputProps, InsideLabelInput, LanguageDialog, LanguageSelect, ListBox, ListBoxItem, type ListBoxItemProps, ListBoxMultiple, type ListBoxMultipleProps, ListBoxPrimitive, type ListBoxPrimitiveProps, type ListBoxProps, LoadingAndErrorComponent, type LoadingAndErrorComponentProps, LoadingAnimation, type LoadingAnimationProps, type LoadingComponentProps, LoadingContainer, LocaleContext, type LocaleContextValue, LocaleProvider, type LocaleProviderProps, type LocalizationConfig, LocalizationUtil, LoopingArrayCalculator, MarkdownInterpreter, type MarkdownInterpreterProps, MathUtil, Menu, type MenuBag, MenuItem, type MenuItemProps, type MenuProps, type Month, MultiSearchWithMapping, MultiSelect, MultiSelectButton, type MultiSelectButtonProps, MultiSelectChipDisplay, MultiSelectChipDisplayButton, type MultiSelectChipDisplayProps, MultiSelectContent, type MultiSelectContentProps, MultiSelectOption, type MultiSelectOptionProps, MultiSelectProperty, type MultiSelectPropertyProps, type MultiSelectProps, MultiSelectRoot, type MultiSelectRootProps, MultiSubjectSearchWithMapping, Navigation, NavigationItemList, type NavigationItemListProps, type NavigationItemType, type NavigationProps, NumberFilter, type NumberFilterParameter, type NumberFilterProps, type NumberFilterValue, NumberProperty, type NumberPropertyProps, OperatorLabel, type OperatorLabelProps, type OverlayItem, OverlayRegistry, Pagination, type PaginationProps, PopUp, PopUpContext, type PopUpContextType, PopUpOpener, type PopUpOpenerBag, type PopUpOpenerProps, type PopUpProps, PopUpRoot, type PopUpRootProps, Portal, type PortalProps, ProgressIndicator, type ProgressIndicatorProps, PromiseUtils, PropertyBase, type PropertyBaseProps, type PropertyField, PropsUtil, type PropsWithBagFunction, type PropsWithBagFunctionOrChildren, type Range, type RangeOptions, type ResolvedTheme, ScrollPicker, type ScrollPickerProps, SearchBar, type SearchBarProps, Select, SelectButton, type SelectButtonProps, SelectContent, type SelectContentProps, SelectContext, type SelectIconAppearance, SelectOption, type SelectOptionProps, type SelectProps, SelectRoot, type SelectRootProps, type SharedSelectRootProps, SimpleSearch, SimpleSearchWithMapping, type SingleOrArray, SingleSelectProperty, type SingleSelectPropertyProps, StepperBar, type StepperBarProps, type StepperState, StorageListener, type StorageSubscriber, type SuperSet, Switch, type SwitchProps, type TabContextType, type TabInfo, TabList, TabPanel, TabSwitcher, type TabSwitcherProps, TabView, Table, TableBody, type TableBooleanFilter, TableCell, type TableCellProps, TableColumn, TableColumnDefinitionContext, type TableColumnDefinitionContextType, type TableColumnProps, TableColumnSwitcher, TableColumnSwitcherPopUp, type TableColumnSwitcherPopUpProps, type TableColumnSwitcherProps, TableContainerContext, type TableContainerContextType, type TableDateFilter, type TableDatetimeFilter, TableDisplay, type TableDisplayProps, TableFilter, type TableFilterBaseProps, TableFilterButton, type TableFilterButtonProps, type TableFilterCategory, TableFilterContent, type TableFilterContentProps, TableFilterOperator, type TableFilterType, type TableFilterValue, type TableGenericFilter, TableHeader, type TableHeaderProps, type TableNumberFilter, TablePageSizeSelect, type TablePageSizeSelectProps, TablePagination, TablePaginationMenu, type TablePaginationMenuProps, type TablePaginationProps, type TableProps, TableProvider, type TableProviderProps, TableSortButton, type TableSortButtonProps, TableStateContext, type TableStateContextType, TableStateWithoutSizingContext, type TableStateWithoutSizingContextType, type TableTagsFilter, type TableTagsSingleFilter, type TableTextFilter, TableWithSelection, type TableWithSelectionProps, TableWithSelectionProvider, type TableWithSelectionProviderProps, TagIcon, type TagProps, TagsFilter, type TagsFilterParameter, type TagsFilterProps, type TagsFilterValue, TagsSingleFilter, type TagsSingleFilterParameter, type TagsSingleFilterProps, type TagsSingleFilterValue, TextFilter, type TextFilterParameter, type TextFilterProps, type TextFilterValue, TextImage, type TextImageProps, TextProperty, type TextPropertyProps, Textarea, type TextareaProps, TextareaWithHeadline, type TextareaWithHeadlineProps, type ThemeConfig, ThemeContext, ThemeDialog, type ThemeDialogProps, ThemeIcon, type ThemeIconProps, ThemeProvider, type ThemeProviderProps, ThemeSelect, type ThemeSelectProps, type ThemeType, ThemeUtil, TimeDisplay, TimePicker, type TimePickerMillisecondIncrement, type TimePickerMinuteIncrement, type TimePickerProps, type TimePickerSecondIncrement, ToggleableInput, Tooltip, type TooltipConfig, TooltipContext, type TooltipContextType, TooltipDisplay, type TooltipDisplayProps, type TooltipProps, TooltipRoot, type TooltipRootProps, TooltipTrigger, type TooltipTriggerBag, type TooltipTriggerContextValue, type TooltipTriggerProps, Transition, type TransitionState, type TransitionWrapperProps, type UnBoundedRange, type UseAnchoredPositionOptions, type UseAnchoredPostitionProps, type UseCreateFormProps, type UseCreateFormResult, type UseDelayOptions, type UseDelayOptionsResolved, type UseFocusTrapProps, type UseFormFieldOptions, type UseFormFieldParameter, type UseFormObserverKeyProps, type UseFormObserverProps, type UseOutsideClickHandlers, type UseOutsideClickOptions, type UseOutsideClickProps, type UseOverlayRegistryProps, type UseOverlayRegistryResult, type UsePresenceRefProps, type UseResizeObserverProps, type UseSearchProps, type UseUpdatingDateStringProps, UseValidators, type UserFormFieldProps, type ValidatorError, type ValidatorResult, VerticalDivider, type VerticalDividerProps, Visibility, type VisibilityProps, type WeekDay, YearMonthPicker, type YearMonthPickerProps, builder, closestMatch, createLoopingList, createLoopingListWithIndex, equalSizeGroups, filterBoolean, filterDate, filterDatetime, filterGeneric, filterNumber, filterTags, filterTagsSingle, filterText, getNeighbours, hightideTranslation, hightideTranslationLocales, isTableFilterCategory, match, mergeProps, noop, range, resolveSetState, toSizeVars, useAnchoredPosition, useControlledState, useCreateForm, useDelay, useDialogContext, useDrawerContext, useEventCallbackStabilizer, useFocusGuards, useFocusManagement, useFocusOnceVisible, useFocusTrap, useForm, useFormField, useFormObserver, useFormObserverKey, useHandleRefs, useHightideConfig, useHightideTranslation, useICUTranslation, useIsMounted, useLanguage, useLocale, useLogOnce, useLogUnstableDependencies, useOutsideClick, useOverlayRegistry, useOverwritableState, usePopUpContext, usePresenceRef, useRerender, useResizeObserver, useScrollObserver, useSearch, useSelectContext, useStorage, useTabContext, useTableColumnDefinitionContext, useTableContainerContext, useTableStateContext, useTableStateWithoutSizingContext, useTheme, useTooltip, useTransitionState, useTranslatedValidators, useUpdatingDateString, useWindowResizeObserver, validateEmail, writeToClipboard };