@homebound/beam 2.392.0 → 2.394.0

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.cts CHANGED
@@ -1,7 +1,7 @@
1
1
  import * as csstype from 'csstype';
2
2
  import { Properties as Properties$1 } from 'csstype';
3
3
  import * as React$1 from 'react';
4
- import React__default, { PropsWithChildren, AriaAttributes, ReactNode, RefObject, ButtonHTMLAttributes, ReactElement, MutableRefObject, Dispatch, SetStateAction, KeyboardEvent, LabelHTMLAttributes, InputHTMLAttributes, TextareaHTMLAttributes, Key, ReactPortal, HTMLAttributes } from 'react';
4
+ import React__default, { PropsWithChildren, AriaAttributes, ReactNode, RefObject, ButtonHTMLAttributes, ReactElement, MutableRefObject, Dispatch, SetStateAction, KeyboardEvent, LabelHTMLAttributes, InputHTMLAttributes, TextareaHTMLAttributes, Key, HTMLAttributes, ReactPortal } from 'react';
5
5
  import * as _emotion_react_jsx_runtime from '@emotion/react/jsx-runtime';
6
6
  import { DOMProps, PressEvent } from '@react-types/shared';
7
7
  import { VirtuosoHandle, ListRange } from 'react-virtuoso';
@@ -7716,11 +7716,12 @@ type SidebarContentProps = {
7716
7716
  };
7717
7717
  type RightSidebarProps = {
7718
7718
  content: SidebarContentProps[];
7719
+ headerHeightPx: number;
7719
7720
  };
7720
7721
  /** Exporting this value allows layout components to coordinate responsive column sizing
7721
7722
  * while avoiding layout shift when the sidebar is opened */
7722
7723
  declare const RIGHT_SIDEBAR_MIN_WIDTH = "250px";
7723
- declare function RightSidebar({ content }: RightSidebarProps): _emotion_react_jsx_runtime.JSX.Element;
7724
+ declare function RightSidebar({ content, headerHeightPx }: RightSidebarProps): _emotion_react_jsx_runtime.JSX.Element;
7724
7725
 
7725
7726
  type HeaderBreadcrumb = {
7726
7727
  href: string;
@@ -7733,15 +7734,15 @@ type FormSection<F> = {
7733
7734
  rows: BoundFormInputConfig<F>;
7734
7735
  };
7735
7736
  type FormSectionConfig<F> = FormSection<F>[];
7736
- type ActionButtonProps = Pick<ButtonProps, "onClick" | "label" | "disabled" | "tooltip">;
7737
+ type ActionButtonProps$1 = Pick<ButtonProps, "onClick" | "label" | "disabled" | "tooltip">;
7737
7738
  type FormPageLayoutProps<F> = {
7738
7739
  pageTitle: string;
7739
7740
  breadCrumb?: HeaderBreadcrumb | HeaderBreadcrumb[];
7740
7741
  formState: ObjectState<F>;
7741
7742
  formSections: FormSectionConfig<F>;
7742
- submitAction: ActionButtonProps;
7743
- cancelAction?: ActionButtonProps;
7744
- tertiaryAction?: ActionButtonProps;
7743
+ submitAction: ActionButtonProps$1;
7744
+ cancelAction?: ActionButtonProps$1;
7745
+ tertiaryAction?: ActionButtonProps$1;
7745
7746
  rightSideBar?: SidebarContentProps[];
7746
7747
  };
7747
7748
  declare function FormPageLayoutComponent<F>(props: FormPageLayoutProps<F>): _emotion_react_jsx_runtime.JSX.Element;
@@ -7753,6 +7754,214 @@ declare function FullBleed({ children, omitPadding }: {
7753
7754
  omitPadding?: boolean;
7754
7755
  }): ReactElement<any, string | React$1.JSXElementConstructor<any>>;
7755
7756
 
7757
+ type BreakpointsType = Record<Breakpoint, boolean>;
7758
+ /**
7759
+ * A React hook to return a record of responsive breakpoints that updates on resize.
7760
+ *
7761
+ * @example
7762
+ * const breakpoints = useBreakpoint();
7763
+ * if (breakpoints.mdAndDown) { ...do something cool }
7764
+ */
7765
+ declare function useBreakpoint(): BreakpointsType;
7766
+
7767
+ /**
7768
+ * Evaluates a computed function `fn` to a regular value and triggers a re-render whenever it changes.
7769
+ *
7770
+ * Some examples:
7771
+ *
7772
+ * ```ts
7773
+ * // Good, watching a single value
7774
+ * const firstName = useComputed(() => author.firstName, [author]);
7775
+ *
7776
+ * // Good, watching multiple values in a single `useComputed`
7777
+ * const { firstName, lastName } = useComputed(() => {
7778
+ * // Make sure to read the values
7779
+ * const { firstName, lastName } = author;
7780
+ * return { firstName, lastName };
7781
+ * }, [author]);
7782
+ *
7783
+ * // Good, watching a form-state field
7784
+ * const firstName = useComputed(() => {
7785
+ * return formState.firstName.value;
7786
+ * }, [formState]);
7787
+ *
7788
+ * // Good, watching an observable `formState` + a POJO/immutable `items` which is not an observable
7789
+ * const item = useComputed(() => {
7790
+ * return items.find((i) => i.id === formState.itemId.value);
7791
+ * }, [formState, items]);
7792
+ *
7793
+ * // Bad, fn and deps are "watching the same thing".
7794
+ * const firstName = useComputed(() => {
7795
+ * return formState.firstName.value;
7796
+ * }, [formState.firstName.value]);
7797
+ * ```
7798
+ *
7799
+ * Note that the difference between the `fn` and the `deps` is:
7800
+ *
7801
+ * - `fn` is "which values we are watching in the observable" (i.e. store or `formState`), and
7802
+ * - `deps` is "which observable we're watching" (i.e. store or `formState`)
7803
+ *
7804
+ * So the `deps` array shouldn't overlap with any of the "watched values" of the `fn` lambda,
7805
+ * other than the root observer itself (which admittedly should rarely change, i.e. our stores
7806
+ * are generally global-ish/very stable, but can change if the user switches pages i.e. "from
7807
+ * editing author:1 t editing author:2").
7808
+ */
7809
+ declare function useComputed<T>(fn: (prev: T | undefined) => T, deps: readonly any[]): T;
7810
+
7811
+ interface UsePersistedFilterProps$1<F> {
7812
+ filterDefs: FilterDefs<F>;
7813
+ }
7814
+ interface FilterHook<F> {
7815
+ filter: F;
7816
+ setFilter: (filter: F) => void;
7817
+ }
7818
+ declare function useFilter<F>({ filterDefs }: UsePersistedFilterProps$1<F>): FilterHook<F>;
7819
+
7820
+ interface GroupByHook<G extends string> {
7821
+ /** The current group by value. */
7822
+ value: G;
7823
+ /** Called when the group by have changed. */
7824
+ setValue: (groupBy: G) => void;
7825
+ /** The list of group by options. */
7826
+ options: Array<{
7827
+ id: G;
7828
+ name: string;
7829
+ }>;
7830
+ }
7831
+ declare function useGroupBy<G extends string>(opts: Record<G, string>): GroupByHook<G>;
7832
+
7833
+ interface useHoverProps {
7834
+ onHoverStart?: VoidFunction;
7835
+ onHoverEnd?: VoidFunction;
7836
+ onHoverChange?: (isHovering: boolean) => void;
7837
+ disabled?: boolean;
7838
+ }
7839
+ declare function useHover(props: useHoverProps): {
7840
+ hoverProps: HTMLAttributes<HTMLElement>;
7841
+ isHovered: boolean;
7842
+ };
7843
+
7844
+ interface UsePersistedFilterProps<F> {
7845
+ filterDefs: FilterDefs<F>;
7846
+ storageKey: string;
7847
+ }
7848
+ interface PersistedFilterHook<F> {
7849
+ filter: F;
7850
+ setFilter: (filter: F) => void;
7851
+ }
7852
+ /**
7853
+ * Persists filter details in both browser storage and query parameters.
7854
+ * If a valid filter is present in the query params, then that will be used.
7855
+ * Otherwise it looks at browser storage, and finally the defaultFilter prop.
7856
+ */
7857
+ declare function usePersistedFilter<F>({ storageKey, filterDefs }: UsePersistedFilterProps<F>): PersistedFilterHook<F>;
7858
+
7859
+ type UseQueryState<V> = [V, (value: V) => void];
7860
+ /**
7861
+ * Very similar to `useState` but persists in the query string.
7862
+ *
7863
+ * It currently doesn't fallback on session storage, which maybe it should if
7864
+ * this is used for group bys, b/c that is what usePersistedFilter does.
7865
+ *
7866
+ * Also only supports string values right now.
7867
+ */
7868
+ declare function useQueryState<V extends string = string>(name: string, initialValue: V): UseQueryState<V>;
7869
+
7870
+ type UseSessionStorage<T> = [T, (value: T) => void];
7871
+ declare function useSessionStorage<T>(key: string, defaultValue: T): UseSessionStorage<T>;
7872
+
7873
+ type Sizes = "sm" | "md" | "lg";
7874
+ type LoadingSkeletonProps = {
7875
+ rows?: number;
7876
+ columns?: number;
7877
+ size?: Sizes;
7878
+ randomizeWidths?: boolean;
7879
+ contrast?: boolean;
7880
+ };
7881
+ declare function LoadingSkeleton({ rows, columns, size, randomizeWidths, contrast, }: LoadingSkeletonProps): _emotion_react_jsx_runtime.JSX.Element;
7882
+
7883
+ type QueryResult<QData> = {
7884
+ loading: boolean;
7885
+ error?: {
7886
+ message: string;
7887
+ };
7888
+ data?: QData;
7889
+ };
7890
+
7891
+ type ActionButtonProps = Pick<ButtonProps, "onClick" | "label" | "disabled" | "tooltip">;
7892
+ type OmittedTableProps = "filter" | "stickyHeader" | "style" | "rows";
7893
+ type BaseTableProps<R extends Kinded, X extends Only<GridTableXss, X>> = Omit<GridTableProps<R, X>, OmittedTableProps>;
7894
+ type GridTablePropsWithRows<R extends Kinded, X extends Only<GridTableXss, X>> = BaseTableProps<R, X> & {
7895
+ rows: GridTableProps<R, X>["rows"];
7896
+ query?: never;
7897
+ createRows?: never;
7898
+ };
7899
+ type QueryTablePropsWithQuery<R extends Kinded, X extends Only<GridTableXss, X>, QData> = BaseTableProps<R, X> & {
7900
+ query: QueryResult<QData>;
7901
+ createRows: (data: QData | undefined) => GridDataRow<R>[];
7902
+ getPageInfo?: (data: QData) => {
7903
+ hasNextPage: boolean;
7904
+ };
7905
+ emptyFallback?: string;
7906
+ keepHeaderWhenLoading?: boolean;
7907
+ rows?: never;
7908
+ };
7909
+ type GridTableLayoutProps<F extends Record<string, unknown>, R extends Kinded, X extends Only<GridTableXss, X>, QData> = {
7910
+ pageTitle: string;
7911
+ tableProps: GridTablePropsWithRows<R, X> | QueryTablePropsWithQuery<R, X, QData>;
7912
+ breadcrumb?: HeaderBreadcrumb | HeaderBreadcrumb[];
7913
+ layoutState?: ReturnType<typeof useGridTableLayoutState<F>>;
7914
+ primaryAction?: ActionButtonProps;
7915
+ secondaryAction?: ActionButtonProps;
7916
+ tertiaryAction?: ActionButtonProps;
7917
+ };
7918
+ /**
7919
+ * A layout component that combines a table with a header, actions buttons and filters.
7920
+ *
7921
+ * This component can render either a `GridTable` or wrapped `QueryTable` based on the provided props:
7922
+ *
7923
+ * - For static data or custom handled loading states, use `rows` to pass in the data directly:
7924
+ * ```tsx
7925
+ * <GridTableLayout
7926
+ * tableProps={{
7927
+ * rows: [...],
7928
+ * columns: [...],
7929
+ * }}
7930
+ * />
7931
+ * ```
7932
+ *
7933
+ * - To take advantage of data/loading/error states directly from an Apollo query, use `query` and `createRows`:
7934
+ * ```tsx
7935
+ * <GridTableLayout
7936
+ * tableProps={{
7937
+ * query,
7938
+ * createRows: (data) => [...],
7939
+ * columns: [...],
7940
+ * }}
7941
+ * />
7942
+ * ```
7943
+ */
7944
+ declare function GridTableLayoutComponent<F extends Record<string, unknown>, R extends Kinded, X extends Only<GridTableXss, X>, QData>(props: GridTableLayoutProps<F, R, X, QData>): _emotion_react_jsx_runtime.JSX.Element;
7945
+ declare const GridTableLayout: typeof GridTableLayoutComponent;
7946
+ /**
7947
+ * A wrapper around standard filter, grouping and search state hooks.
7948
+ * * `client` search will use the built-in grid table search functionality.
7949
+ * * `server` search will return `searchString` as a debounced search string to query the server.
7950
+ */
7951
+ declare function useGridTableLayoutState<F extends Record<string, unknown>>({ persistedFilter, search, groupBy: maybeGroupBy, }: {
7952
+ persistedFilter?: UsePersistedFilterProps<F>;
7953
+ search?: "client" | "server";
7954
+ groupBy?: Record<string, string>;
7955
+ }): {
7956
+ filter: F;
7957
+ setFilter: (filter: F) => void;
7958
+ filterDefs: FilterDefs<F> | undefined;
7959
+ searchString: string | undefined;
7960
+ setSearchString: React__default.Dispatch<React__default.SetStateAction<string | undefined>>;
7961
+ search: "client" | "server" | undefined;
7962
+ groupBy: GroupByHook<string> | undefined;
7963
+ };
7964
+
7756
7965
  /** Intended to wrap the whole application to prevent the browser's native scrolling behavior while also taking the full height of the viewport */
7757
7966
  declare function PreventBrowserScroll({ children }: ChildrenOnly): _emotion_react_jsx_runtime.JSX.Element;
7758
7967
 
@@ -7854,16 +8063,6 @@ interface LoaderProps {
7854
8063
  }
7855
8064
  declare function Loader({ size, contrast }: LoaderProps): _emotion_react_jsx_runtime.JSX.Element;
7856
8065
 
7857
- type Sizes = "sm" | "md" | "lg";
7858
- type LoadingSkeletonProps = {
7859
- rows?: number;
7860
- columns?: number;
7861
- size?: Sizes;
7862
- randomizeWidths?: boolean;
7863
- contrast?: boolean;
7864
- };
7865
- declare function LoadingSkeleton({ rows, columns, size, randomizeWidths, contrast, }: LoadingSkeletonProps): _emotion_react_jsx_runtime.JSX.Element;
7866
-
7867
8066
  type MaxLinesProps = PropsWithChildren<{
7868
8067
  maxLines: number;
7869
8068
  }>;
@@ -8115,122 +8314,6 @@ declare function maybeTooltip(props: Omit<TooltipProps, "children"> & {
8115
8314
  }): _emotion_react_jsx_runtime.JSX.Element;
8116
8315
  declare function resolveTooltip(disabled?: boolean | ReactNode, tooltip?: ReactNode, readOnly?: boolean | ReactNode): ReactNode | undefined;
8117
8316
 
8118
- type BreakpointsType = Record<Breakpoint, boolean>;
8119
- /**
8120
- * A React hook to return a record of responsive breakpoints that updates on resize.
8121
- *
8122
- * @example
8123
- * const breakpoints = useBreakpoint();
8124
- * if (breakpoints.mdAndDown) { ...do something cool }
8125
- */
8126
- declare function useBreakpoint(): BreakpointsType;
8127
-
8128
- /**
8129
- * Evaluates a computed function `fn` to a regular value and triggers a re-render whenever it changes.
8130
- *
8131
- * Some examples:
8132
- *
8133
- * ```ts
8134
- * // Good, watching a single value
8135
- * const firstName = useComputed(() => author.firstName, [author]);
8136
- *
8137
- * // Good, watching multiple values in a single `useComputed`
8138
- * const { firstName, lastName } = useComputed(() => {
8139
- * // Make sure to read the values
8140
- * const { firstName, lastName } = author;
8141
- * return { firstName, lastName };
8142
- * }, [author]);
8143
- *
8144
- * // Good, watching a form-state field
8145
- * const firstName = useComputed(() => {
8146
- * return formState.firstName.value;
8147
- * }, [formState]);
8148
- *
8149
- * // Good, watching an observable `formState` + a POJO/immutable `items` which is not an observable
8150
- * const item = useComputed(() => {
8151
- * return items.find((i) => i.id === formState.itemId.value);
8152
- * }, [formState, items]);
8153
- *
8154
- * // Bad, fn and deps are "watching the same thing".
8155
- * const firstName = useComputed(() => {
8156
- * return formState.firstName.value;
8157
- * }, [formState.firstName.value]);
8158
- * ```
8159
- *
8160
- * Note that the difference between the `fn` and the `deps` is:
8161
- *
8162
- * - `fn` is "which values we are watching in the observable" (i.e. store or `formState`), and
8163
- * - `deps` is "which observable we're watching" (i.e. store or `formState`)
8164
- *
8165
- * So the `deps` array shouldn't overlap with any of the "watched values" of the `fn` lambda,
8166
- * other than the root observer itself (which admittedly should rarely change, i.e. our stores
8167
- * are generally global-ish/very stable, but can change if the user switches pages i.e. "from
8168
- * editing author:1 t editing author:2").
8169
- */
8170
- declare function useComputed<T>(fn: (prev: T | undefined) => T, deps: readonly any[]): T;
8171
-
8172
- interface UsePersistedFilterProps$1<F> {
8173
- filterDefs: FilterDefs<F>;
8174
- }
8175
- interface FilterHook<F> {
8176
- filter: F;
8177
- setFilter: (filter: F) => void;
8178
- }
8179
- declare function useFilter<F>({ filterDefs }: UsePersistedFilterProps$1<F>): FilterHook<F>;
8180
-
8181
- interface GroupByHook<G extends string> {
8182
- /** The current group by value. */
8183
- value: G;
8184
- /** Called when the group by have changed. */
8185
- setValue: (groupBy: G) => void;
8186
- /** The list of group by options. */
8187
- options: Array<{
8188
- id: G;
8189
- name: string;
8190
- }>;
8191
- }
8192
- declare function useGroupBy<G extends string>(opts: Record<G, string>): GroupByHook<G>;
8193
-
8194
- interface useHoverProps {
8195
- onHoverStart?: VoidFunction;
8196
- onHoverEnd?: VoidFunction;
8197
- onHoverChange?: (isHovering: boolean) => void;
8198
- disabled?: boolean;
8199
- }
8200
- declare function useHover(props: useHoverProps): {
8201
- hoverProps: HTMLAttributes<HTMLElement>;
8202
- isHovered: boolean;
8203
- };
8204
-
8205
- interface UsePersistedFilterProps<F> {
8206
- filterDefs: FilterDefs<F>;
8207
- storageKey: string;
8208
- }
8209
- interface PersistedFilterHook<F> {
8210
- filter: F;
8211
- setFilter: (filter: F) => void;
8212
- }
8213
- /**
8214
- * Persists filter details in both browser storage and query parameters.
8215
- * If a valid filter is present in the query params, then that will be used.
8216
- * Otherwise it looks at browser storage, and finally the defaultFilter prop.
8217
- */
8218
- declare function usePersistedFilter<F>({ storageKey, filterDefs }: UsePersistedFilterProps<F>): PersistedFilterHook<F>;
8219
-
8220
- type UseQueryState<V> = [V, (value: V) => void];
8221
- /**
8222
- * Very similar to `useState` but persists in the query string.
8223
- *
8224
- * It currently doesn't fallback on session storage, which maybe it should if
8225
- * this is used for group bys, b/c that is what usePersistedFilter does.
8226
- *
8227
- * Also only supports string values right now.
8228
- */
8229
- declare function useQueryState<V extends string = string>(name: string, initialValue: V): UseQueryState<V>;
8230
-
8231
- type UseSessionStorage<T> = [T, (value: T) => void];
8232
- declare function useSessionStorage<T>(key: string, defaultValue: T): UseSessionStorage<T>;
8233
-
8234
8317
  /**
8235
8318
  * Guesses an id based on a label string, i.e. given `Homeowner Contract`,
8236
8319
  * returns `homeownerContract`.
@@ -8242,4 +8325,4 @@ declare function useSessionStorage<T>(key: string, defaultValue: T): UseSessionS
8242
8325
  */
8243
8326
  declare function defaultTestId(label: string): string;
8244
8327
 
8245
- export { ASC, Accordion, AccordionList, type AccordionProps, type AccordionSize, AutoSaveIndicator, AutoSaveStatus, AutoSaveStatusContext, AutoSaveStatusProvider, Autocomplete, type AutocompleteProps, Avatar, AvatarButton, type AvatarButtonProps, AvatarGroup, type AvatarGroupProps, type AvatarProps, type AvatarSize, Banner, type BannerProps, type BannerTypes, BaseFilter, type BeamButtonProps, type BeamFocusableProps, BeamProvider, type BeamTextFieldProps, BoundCheckboxField, type BoundCheckboxFieldProps, BoundCheckboxGroupField, type BoundCheckboxGroupFieldProps, BoundChipSelectField, BoundDateField, type BoundDateFieldProps, BoundDateRangeField, type BoundDateRangeFieldProps, BoundForm, type BoundFormInputConfig, type BoundFormProps, type BoundFormRowInputs, BoundIconCardField, type BoundIconCardFieldProps, BoundIconCardGroupField, type BoundIconCardGroupFieldProps, BoundMultiLineSelectField, type BoundMultiLineSelectFieldProps, BoundMultiSelectField, type BoundMultiSelectFieldProps, BoundNumberField, type BoundNumberFieldProps, BoundRadioGroupField, type BoundRadioGroupFieldProps, BoundRichTextField, type BoundRichTextFieldProps, BoundSelectAndTextField, BoundSelectField, type BoundSelectFieldProps, BoundSwitchField, type BoundSwitchFieldProps, BoundTextAreaField, type BoundTextAreaFieldProps, BoundTextField, type BoundTextFieldProps, BoundToggleChipGroupField, type BoundToggleChipGroupFieldProps, BoundTreeSelectField, type BoundTreeSelectFieldProps, type Breakpoint, Breakpoints, Button, ButtonDatePicker, ButtonGroup, type ButtonGroupButton, type ButtonGroupProps, ButtonMenu, ButtonModal, type ButtonModalProps, type ButtonProps, type ButtonSize, type ButtonVariant, Card, type CardProps, type CardTag, type CardType, type CheckFn, Checkbox, CheckboxGroup, type CheckboxGroupItemOption, type CheckboxGroupProps, type CheckboxProps, Chip, type ChipProps, ChipSelectField, type ChipSelectFieldProps, type ChipType, ChipTypes, type ChipValue, Chips, type ChipsProps, CollapseToggle, CollapsedContext, ConfirmCloseModal, Container, type ContentStack, Copy, Css, CssReset, DESC, DateField, type DateFieldMode, type DateFieldModeTuple, type DateFieldProps, type DateFilterValue, DateRangeField, type DateRangeFieldProps, type DateRangeFilterValue, type Direction, type DiscriminateUnion, type DividerMenuItemType, DnDGrid, DnDGridItemHandle, type DnDGridItemHandleProps, type DnDGridItemProps, type DnDGridProps, type DragData, EXPANDABLE_HEADER, EditColumnsButton, ErrorMessage, FieldGroup, type Filter, type FilterDefs, type FilterImpls, FilterModal, _Filters as Filters, type Font, FormDivider, FormHeading, type FormHeadingProps, FormLines, type FormLinesProps, FormPageLayout, FormRow, type FormSectionConfig, type FormWidth, FullBleed, type GridCellAlignment, type GridCellContent, type GridColumn, type GridColumnWithId, type GridDataRow, type GridRowKind, type GridRowLookup, type GridSortConfig, type GridStyle, GridTable, type GridTableApi, type GridTableCollapseToggleProps, type GridTableDefaults, type GridTableProps, type GridTableScrollOptions, type GridTableXss, type GroupByHook, HB_QUIPS_FLAVOR, HB_QUIPS_MISSION, HEADER, type HasIdAndName, HbLoadingSpinner, HbSpinnerProvider, HelperText, Icon, IconButton, type IconButtonProps, IconCard, type IconCardProps, type IconKey, type IconMenuItemType, type IconProps, Icons, type IfAny, type ImageFitType, type ImageMenuItemType, type InfiniteScroll, type InputStylePalette, KEPT_GROUP, type Kinded, Loader, LoadingSkeleton, type LoadingSkeletonProps, type Margin, MaxLines, type MaxLinesProps, type MaybeFn, type MenuItem, type MenuSection, ModalBody, ModalFilterItem, ModalFooter, ModalHeader, type ModalProps, type ModalSize, MultiLineSelectField, type MultiLineSelectFieldProps, MultiSelectField, type MultiSelectFieldProps, NavLink, type NestedOption, type NestedOptionsOrLoad, NumberField, type NumberFieldProps, type NumberFieldType, type OffsetAndLimit, type OnRowDragEvent, type OnRowSelect, type Only, type OpenDetailOpts, type OpenInDrawerOpts, OpenModal, type OpenRightPaneOpts, type Optional, type Padding, type PageNumberAndSize, type PageSettings, Pagination, Palette, type Pin, type Placement, type PresentationFieldProps, PresentationProvider, PreventBrowserScroll, type Properties, RIGHT_SIDEBAR_MIN_WIDTH, type RadioFieldOption, RadioGroupField, type RadioGroupFieldProps, type RenderAs, type RenderCellFn, ResponsiveGrid, ResponsiveGridItem, type ResponsiveGridItemProps, type ResponsiveGridProps, RichTextField, RichTextFieldImpl, type RichTextFieldProps, RightPaneContext, RightPaneLayout, type RightPaneLayoutContextProps, RightPaneProvider, RightSidebar, type RightSidebarProps, type RouteTab, type RouteTabWithContent, Row, type RowStyle, type RowStyles, ScrollShadows, ScrollableContent, ScrollableParent, SelectField, type SelectFieldProps, SelectToggle, type SelectedState, type SidebarContentProps, type SimpleHeaderAndData, SortHeader, type SortOn, type SortState, StaticField, type Step, Stepper, type StepperProps, SubmitButton, type SubmitButtonProps, SuperDrawerContent, SuperDrawerHeader, SuperDrawerWidth, Switch, type SwitchProps, TOTALS, type Tab, TabContent, type TabWithContent, TableState, TableStateContext, Tabs, TabsWithContent, Tag, type TagType, type TestIds, TextAreaField, type TextAreaFieldProps, TextField, type TextFieldApi, type TextFieldInternalProps, type TextFieldProps, type TextFieldXss, Toast, ToggleButton, type ToggleButtonProps, ToggleChip, ToggleChipGroup, type ToggleChipGroupProps, type ToggleChipProps, ToggleChips, type ToggleChipsProps, Tooltip, TreeSelectField, type TreeSelectFieldProps, type TriggerNoticeProps, type Typography, type UseModalHook, type UseQueryState, type UseRightPaneHook, type UseSnackbarHook, type UseSuperDrawerHook, type UseToastProps, type Value, type Xss, actionColumn, applyRowFn, assignDefaultColumnIds, booleanFilter, boundCheckboxField, boundCheckboxGroupField, boundDateField, boundDateRangeField, boundIconCardField, boundIconCardGroupField, boundMultiSelectField, boundMultilineSelectField, boundNumberField, boundRadioGroupField, boundRichTextField, boundSelectField, boundSwitchField, boundTextAreaField, boundTextField, boundToggleChipGroupField, boundTreeSelectField, calcColumnSizes, cardStyle, checkboxFilter, chipBaseStyles, chipDisabledStyles, chipHoverStyles, collapseColumn, column, condensedStyle, createRowLookup, dateColumn, dateFilter, dateFormats, dateRangeFilter, defaultPage, defaultRenderFn, defaultStyle, defaultTestId, dragHandleColumn, emptyCell, ensureClientSideSortValueIsSortable, filterTestIdPrefix, formatDate, formatDateRange, formatValue, generateColumnId, getAlignment, getDateFormat, getFirstOrLastCellCss, getJustification, getTableRefWidthStyles, getTableStyles, headerRenderFn, hoverStyles, iconButtonCircleStylesHover, iconButtonContrastStylesHover, iconButtonStylesHover, iconCardStylesHover, increment, insertAtIndex, isCursorBelowMidpoint, isGridCellContent, isJSX, isListBoxSection, isPersistentItem, isPersistentKey, isValidDate, listFieldPrefix, loadArrayOrUndefined, matchesFilter, maybeApplyFunction, maybeInc, maybeTooltip, multiFilter, navLink, newMethodMissingProxy, nonKindGridColumnKeys, numberRangeFilter, numericColumn, parseDate, parseDateRange, persistentItemPrefix, pressedStyles, px, recursivelyGetContainingRow, reservedRowKinds, resolveTooltip, rowClickRenderFn, rowLinkRenderFn, scrollContainerBottomPadding, selectColumn, selectedStyles, setDefaultStyle, setGridTableDefaults, setRunningInJest, shouldSkipScrollTo, simpleDataRows, simpleHeader, singleFilter, sortFn, sortRows, switchFocusStyles, switchHoverStyles, switchSelectedHoverStyles, toContent, toLimitAndOffset, toPageNumberSize, toggleFilter, toggleFocusStyles, toggleHoverStyles, togglePressStyles, treeFilter, updateFilter, useAutoSaveStatus, useBreakpoint, useComputed, useDnDGridItem, type useDnDGridItemProps, useFilter, useGridTableApi, useGroupBy, useHover, useModal, usePersistedFilter, useQueryState, useResponsiveGrid, useResponsiveGridItem, type useResponsiveGridProps, useRightPane, useRightPaneContext, useScrollableParent, useSessionStorage, useSetupColumnSizes, useSnackbar, useSuperDrawer, useTestIds, useToast, useTreeSelectFieldProvider, visit, zIndices };
8328
+ export { ASC, Accordion, AccordionList, type AccordionProps, type AccordionSize, AutoSaveIndicator, AutoSaveStatus, AutoSaveStatusContext, AutoSaveStatusProvider, Autocomplete, type AutocompleteProps, Avatar, AvatarButton, type AvatarButtonProps, AvatarGroup, type AvatarGroupProps, type AvatarProps, type AvatarSize, Banner, type BannerProps, type BannerTypes, BaseFilter, type BeamButtonProps, type BeamFocusableProps, BeamProvider, type BeamTextFieldProps, BoundCheckboxField, type BoundCheckboxFieldProps, BoundCheckboxGroupField, type BoundCheckboxGroupFieldProps, BoundChipSelectField, BoundDateField, type BoundDateFieldProps, BoundDateRangeField, type BoundDateRangeFieldProps, BoundForm, type BoundFormInputConfig, type BoundFormProps, type BoundFormRowInputs, BoundIconCardField, type BoundIconCardFieldProps, BoundIconCardGroupField, type BoundIconCardGroupFieldProps, BoundMultiLineSelectField, type BoundMultiLineSelectFieldProps, BoundMultiSelectField, type BoundMultiSelectFieldProps, BoundNumberField, type BoundNumberFieldProps, BoundRadioGroupField, type BoundRadioGroupFieldProps, BoundRichTextField, type BoundRichTextFieldProps, BoundSelectAndTextField, BoundSelectField, type BoundSelectFieldProps, BoundSwitchField, type BoundSwitchFieldProps, BoundTextAreaField, type BoundTextAreaFieldProps, BoundTextField, type BoundTextFieldProps, BoundToggleChipGroupField, type BoundToggleChipGroupFieldProps, BoundTreeSelectField, type BoundTreeSelectFieldProps, type Breakpoint, Breakpoints, Button, ButtonDatePicker, ButtonGroup, type ButtonGroupButton, type ButtonGroupProps, ButtonMenu, ButtonModal, type ButtonModalProps, type ButtonProps, type ButtonSize, type ButtonVariant, Card, type CardProps, type CardTag, type CardType, type CheckFn, Checkbox, CheckboxGroup, type CheckboxGroupItemOption, type CheckboxGroupProps, type CheckboxProps, Chip, type ChipProps, ChipSelectField, type ChipSelectFieldProps, type ChipType, ChipTypes, type ChipValue, Chips, type ChipsProps, CollapseToggle, CollapsedContext, ConfirmCloseModal, Container, type ContentStack, Copy, Css, CssReset, DESC, DateField, type DateFieldMode, type DateFieldModeTuple, type DateFieldProps, type DateFilterValue, DateRangeField, type DateRangeFieldProps, type DateRangeFilterValue, type Direction, type DiscriminateUnion, type DividerMenuItemType, DnDGrid, DnDGridItemHandle, type DnDGridItemHandleProps, type DnDGridItemProps, type DnDGridProps, type DragData, EXPANDABLE_HEADER, EditColumnsButton, ErrorMessage, FieldGroup, type Filter, type FilterDefs, type FilterImpls, FilterModal, _Filters as Filters, type Font, FormDivider, FormHeading, type FormHeadingProps, FormLines, type FormLinesProps, FormPageLayout, FormRow, type FormSectionConfig, type FormWidth, FullBleed, type GridCellAlignment, type GridCellContent, type GridColumn, type GridColumnWithId, type GridDataRow, type GridRowKind, type GridRowLookup, type GridSortConfig, type GridStyle, GridTable, type GridTableApi, type GridTableCollapseToggleProps, type GridTableDefaults, GridTableLayout, type GridTableLayoutProps, type GridTableProps, type GridTableScrollOptions, type GridTableXss, type GroupByHook, HB_QUIPS_FLAVOR, HB_QUIPS_MISSION, HEADER, type HasIdAndName, HbLoadingSpinner, HbSpinnerProvider, HelperText, Icon, IconButton, type IconButtonProps, IconCard, type IconCardProps, type IconKey, type IconMenuItemType, type IconProps, Icons, type IfAny, type ImageFitType, type ImageMenuItemType, type InfiniteScroll, type InputStylePalette, KEPT_GROUP, type Kinded, Loader, LoadingSkeleton, type LoadingSkeletonProps, type Margin, MaxLines, type MaxLinesProps, type MaybeFn, type MenuItem, type MenuSection, ModalBody, ModalFilterItem, ModalFooter, ModalHeader, type ModalProps, type ModalSize, MultiLineSelectField, type MultiLineSelectFieldProps, MultiSelectField, type MultiSelectFieldProps, NavLink, type NestedOption, type NestedOptionsOrLoad, NumberField, type NumberFieldProps, type NumberFieldType, type OffsetAndLimit, type OnRowDragEvent, type OnRowSelect, type Only, type OpenDetailOpts, type OpenInDrawerOpts, OpenModal, type OpenRightPaneOpts, type Optional, type Padding, type PageNumberAndSize, type PageSettings, Pagination, Palette, type Pin, type Placement, type PresentationFieldProps, PresentationProvider, PreventBrowserScroll, type Properties, RIGHT_SIDEBAR_MIN_WIDTH, type RadioFieldOption, RadioGroupField, type RadioGroupFieldProps, type RenderAs, type RenderCellFn, ResponsiveGrid, ResponsiveGridItem, type ResponsiveGridItemProps, type ResponsiveGridProps, RichTextField, RichTextFieldImpl, type RichTextFieldProps, RightPaneContext, RightPaneLayout, type RightPaneLayoutContextProps, RightPaneProvider, RightSidebar, type RightSidebarProps, type RouteTab, type RouteTabWithContent, Row, type RowStyle, type RowStyles, ScrollShadows, ScrollableContent, ScrollableParent, SelectField, type SelectFieldProps, SelectToggle, type SelectedState, type SidebarContentProps, type SimpleHeaderAndData, SortHeader, type SortOn, type SortState, StaticField, type Step, Stepper, type StepperProps, SubmitButton, type SubmitButtonProps, SuperDrawerContent, SuperDrawerHeader, SuperDrawerWidth, Switch, type SwitchProps, TOTALS, type Tab, TabContent, type TabWithContent, TableState, TableStateContext, Tabs, TabsWithContent, Tag, type TagType, type TestIds, TextAreaField, type TextAreaFieldProps, TextField, type TextFieldApi, type TextFieldInternalProps, type TextFieldProps, type TextFieldXss, Toast, ToggleButton, type ToggleButtonProps, ToggleChip, ToggleChipGroup, type ToggleChipGroupProps, type ToggleChipProps, ToggleChips, type ToggleChipsProps, Tooltip, TreeSelectField, type TreeSelectFieldProps, type TriggerNoticeProps, type Typography, type UseModalHook, type UsePersistedFilterProps, type UseQueryState, type UseRightPaneHook, type UseSnackbarHook, type UseSuperDrawerHook, type UseToastProps, type Value, type Xss, actionColumn, applyRowFn, assignDefaultColumnIds, booleanFilter, boundCheckboxField, boundCheckboxGroupField, boundDateField, boundDateRangeField, boundIconCardField, boundIconCardGroupField, boundMultiSelectField, boundMultilineSelectField, boundNumberField, boundRadioGroupField, boundRichTextField, boundSelectField, boundSwitchField, boundTextAreaField, boundTextField, boundToggleChipGroupField, boundTreeSelectField, calcColumnSizes, cardStyle, checkboxFilter, chipBaseStyles, chipDisabledStyles, chipHoverStyles, collapseColumn, column, condensedStyle, createRowLookup, dateColumn, dateFilter, dateFormats, dateRangeFilter, defaultPage, defaultRenderFn, defaultStyle, defaultTestId, dragHandleColumn, emptyCell, ensureClientSideSortValueIsSortable, filterTestIdPrefix, formatDate, formatDateRange, formatValue, generateColumnId, getAlignment, getDateFormat, getFirstOrLastCellCss, getJustification, getTableRefWidthStyles, getTableStyles, headerRenderFn, hoverStyles, iconButtonCircleStylesHover, iconButtonContrastStylesHover, iconButtonStylesHover, iconCardStylesHover, increment, insertAtIndex, isCursorBelowMidpoint, isGridCellContent, isJSX, isListBoxSection, isPersistentItem, isPersistentKey, isValidDate, listFieldPrefix, loadArrayOrUndefined, matchesFilter, maybeApplyFunction, maybeInc, maybeTooltip, multiFilter, navLink, newMethodMissingProxy, nonKindGridColumnKeys, numberRangeFilter, numericColumn, parseDate, parseDateRange, persistentItemPrefix, pressedStyles, px, recursivelyGetContainingRow, reservedRowKinds, resolveTooltip, rowClickRenderFn, rowLinkRenderFn, scrollContainerBottomPadding, selectColumn, selectedStyles, setDefaultStyle, setGridTableDefaults, setRunningInJest, shouldSkipScrollTo, simpleDataRows, simpleHeader, singleFilter, sortFn, sortRows, switchFocusStyles, switchHoverStyles, switchSelectedHoverStyles, toContent, toLimitAndOffset, toPageNumberSize, toggleFilter, toggleFocusStyles, toggleHoverStyles, togglePressStyles, treeFilter, updateFilter, useAutoSaveStatus, useBreakpoint, useComputed, useDnDGridItem, type useDnDGridItemProps, useFilter, useGridTableApi, useGridTableLayoutState, useGroupBy, useHover, useModal, usePersistedFilter, useQueryState, useResponsiveGrid, useResponsiveGridItem, type useResponsiveGridProps, useRightPane, useRightPaneContext, useScrollableParent, useSessionStorage, useSetupColumnSizes, useSnackbar, useSuperDrawer, useTestIds, useToast, useTreeSelectFieldProvider, visit, zIndices };