@texturehq/edges 1.10.1 → 1.11.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
@@ -2990,13 +2990,76 @@ interface NumberFieldProps extends Omit<NumberFieldProps$1, "size" | "className"
2990
2990
  }
2991
2991
  declare function NumberField({ label, description, errorMessage, size, tooltip, isRequired, transparent, validationResult, ...props }: NumberFieldProps): react_jsx_runtime.JSX.Element;
2992
2992
 
2993
+ /**
2994
+ * SectionNav — In-page navigation for content sections with smooth scrolling
2995
+ *
2996
+ * Provides sticky sidebar navigation on desktop and horizontal scrollable tabs on mobile.
2997
+ * Automatically tracks the active section based on scroll position and enables smooth
2998
+ * scrolling to sections when clicked.
2999
+ *
3000
+ * ## Features
3001
+ * - Responsive: Sidebar on desktop (lg+), horizontal tabs on mobile
3002
+ * - Sticky positioning for persistent visibility
3003
+ * - Smooth scroll to sections
3004
+ * - Active state management
3005
+ * - Customizable styling and positioning
3006
+ *
3007
+ * @example
3008
+ * ```tsx
3009
+ * <SectionNav
3010
+ * sections={[
3011
+ * { id: 'overview', label: 'Overview' },
3012
+ * { id: 'features', label: 'Features' },
3013
+ * { id: 'pricing', label: 'Pricing' }
3014
+ * ]}
3015
+ * activeSection="overview"
3016
+ * onSectionChange={(id) => console.log('Active section:', id)}
3017
+ * />
3018
+ * ```
3019
+ */
3020
+ type SectionNavItem = {
3021
+ /** Unique identifier that matches the section's HTML id */
3022
+ id: string;
3023
+ /** Display label for the navigation item */
3024
+ label: string;
3025
+ /** Optional count badge to display next to the label */
3026
+ count?: number;
3027
+ };
3028
+ type SectionNavOrientation = "vertical" | "horizontal" | "responsive";
3029
+ type SectionNavProps = {
3030
+ /** Array of section items to navigate between */
3031
+ sections: SectionNavItem[];
3032
+ /** Currently active section id */
3033
+ activeSection?: string | null;
3034
+ /** Callback when active section changes (controlled mode) */
3035
+ onSectionChange?: (sectionId: string) => void;
3036
+ /** Navigation orientation: vertical (sidebar), horizontal (tabs), or responsive (auto) */
3037
+ orientation?: SectionNavOrientation;
3038
+ /** Additional CSS classes for the nav container */
3039
+ className?: string;
3040
+ /** Custom scroll behavior options */
3041
+ scrollBehavior?: ScrollBehavior;
3042
+ /** Top offset for sticky positioning (default: 24px / 1.5rem) */
3043
+ stickyTop?: string;
3044
+ /** ID prefix for section elements (default: 'section-') */
3045
+ sectionIdPrefix?: string;
3046
+ /** Custom filter function to determine which sections are visible */
3047
+ filterSection?: (section: SectionNavItem) => boolean;
3048
+ };
3049
+ declare function SectionNav({ sections, activeSection: controlledActiveSection, onSectionChange, orientation, className, scrollBehavior, stickyTop, sectionIdPrefix, filterSection, }: SectionNavProps): react_jsx_runtime.JSX.Element | null;
3050
+
2993
3051
  /**
2994
3052
  * PageLayout — opinionated, SSR-friendly page scaffold for dashboards.
2995
3053
  *
2996
3054
  * Structure:
2997
3055
  * <PageLayout>
2998
- * <PageLayout.Header title="..." subtitle="..." breadcrumbs={[...]} />
2999
- * <PageLayout.Actions primary={<Button/>} secondary={<Button/>} />
3056
+ * <PageLayout.Header
3057
+ * title="..."
3058
+ * subtitle="..."
3059
+ * breadcrumbs={[...]}
3060
+ * media={<div>images/maps</div>}
3061
+ * actions={[<Button/>, <Button/>]}
3062
+ * />
3000
3063
  * <PageLayout.Tabs tabs={[...]} value=... onChange=... />
3001
3064
  * <PageLayout.Content>
3002
3065
  * <Grid cols={{ base: 1, lg: 4 }} gap="lg">
@@ -3010,6 +3073,8 @@ declare function NumberField({ label, description, errorMessage, size, tooltip,
3010
3073
  * - Router-agnostic: Breadcrumbs accept either structured items with a Link component, or a custom ReactNode.
3011
3074
  * - Accessible: Header uses h1; Tabs are roving-`tablist`.
3012
3075
  * - Composable: Use with Grid, Section, Card, DataControls and other components for flexible layouts.
3076
+ * - Media support: Header can include hero images, maps, or other visual content.
3077
+ * - Actions: Right-aligned on desktop, below subtitle on mobile.
3013
3078
  * - Styling: token-oriented utility classes (match to your Tailwind preset/tokens).
3014
3079
  */
3015
3080
  type PageBreadcrumbItem = BreadcrumbItemProps & {
@@ -3026,10 +3091,10 @@ type PageLayoutProps = {
3026
3091
  declare function PageLayout({ children, maxWidth, paddingXClass, paddingYClass, className, }: PageLayoutProps): react_jsx_runtime.JSX.Element;
3027
3092
  declare namespace PageLayout {
3028
3093
  var Header: typeof Header;
3029
- var Actions: typeof Actions;
3030
3094
  var Tabs: typeof Tabs$1;
3031
3095
  var Content: typeof Content;
3032
3096
  var Aside: typeof Aside$1;
3097
+ var SectionNav: typeof SectionNavWithLayout;
3033
3098
  }
3034
3099
  type PageHeaderProps = {
3035
3100
  title: React__default.ReactNode;
@@ -3039,19 +3104,15 @@ type PageHeaderProps = {
3039
3104
  breadcrumbsNode?: React__default.ReactNode;
3040
3105
  /** Optional right-aligned meta area (badges, status, small stats) */
3041
3106
  meta?: React__default.ReactNode;
3107
+ /** Optional media content (images, maps, etc.) rendered after title/subtitle */
3108
+ media?: React__default.ReactNode;
3109
+ /** Optional actions (buttons, filters) - right-aligned on desktop, below subtitle on mobile. Array ensures consistent gap spacing. */
3110
+ actions?: React__default.ReactNode[];
3042
3111
  /** Optional slot to replace the default heading element */
3043
3112
  headingAs?: "h1" | "h2" | "h3" | "h4" | "h5" | "h6";
3044
3113
  className?: string;
3045
3114
  };
3046
- declare function Header({ title, subtitle, breadcrumbs, breadcrumbsNode, meta, headingAs, className, }: PageHeaderProps): react_jsx_runtime.JSX.Element;
3047
- type PageActionsProps = {
3048
- primary?: React__default.ReactNode;
3049
- secondary?: React__default.ReactNode;
3050
- children?: React__default.ReactNode;
3051
- align?: "start" | "end";
3052
- className?: string;
3053
- };
3054
- declare function Actions({ primary, secondary, children, align, className, }: PageActionsProps): react_jsx_runtime.JSX.Element;
3115
+ declare function Header({ title, subtitle, breadcrumbs, breadcrumbsNode, meta, media, actions, headingAs, className, }: PageHeaderProps): react_jsx_runtime.JSX.Element;
3055
3116
  type PageLayoutTab = {
3056
3117
  id: string;
3057
3118
  label: React__default.ReactNode;
@@ -3078,6 +3139,34 @@ type PageAsideProps = {
3078
3139
  className?: string;
3079
3140
  };
3080
3141
  declare function Aside$1({ children, sticky, className }: PageAsideProps): react_jsx_runtime.JSX.Element;
3142
+ type PageSectionNavProps = {
3143
+ sections: SectionNavItem[];
3144
+ activeSection?: string | null;
3145
+ onSectionChange?: (sectionId: string) => void;
3146
+ /** Position on desktop: 'above' (horizontal), 'left' (vertical), 'right' (vertical). Default: 'left' */
3147
+ position?: "above" | "left" | "right";
3148
+ /** Custom nav width when positioned left/right (default: 240px) */
3149
+ navWidth?: string;
3150
+ /** Gap between nav and content when positioned left/right (default: 1.5rem) */
3151
+ gap?: string;
3152
+ /** The main content with sections */
3153
+ children: React__default.ReactNode;
3154
+ className?: string;
3155
+ scrollBehavior?: ScrollBehavior;
3156
+ sectionIdPrefix?: string;
3157
+ filterSection?: (section: SectionNavItem) => boolean;
3158
+ };
3159
+ /**
3160
+ * PageLayout.SectionNav
3161
+ *
3162
+ * Renders section navigation with flexible positioning:
3163
+ * - `position="above"`: Horizontal nav above content (desktop and mobile)
3164
+ * - `position="left"`: Vertical nav on left side (desktop), horizontal above (mobile)
3165
+ * - `position="right"`: Vertical nav on right side with right-aligned text (desktop), horizontal above (mobile)
3166
+ *
3167
+ * Navigation is sticky in all positions.
3168
+ */
3169
+ declare function SectionNavWithLayout({ sections, activeSection, onSectionChange, position, navWidth, gap, children, className, scrollBehavior, sectionIdPrefix, filterSection, }: PageSectionNavProps): react_jsx_runtime.JSX.Element;
3081
3170
 
3082
3171
  interface Place {
3083
3172
  id: string;
@@ -3158,6 +3247,85 @@ interface ProgressBarProps extends ProgressBarProps$1 {
3158
3247
  }
3159
3248
  declare function ProgressBar({ label, rightLabel, progressWidth, hideLabels, ...props }: ProgressBarProps): react_jsx_runtime.JSX.Element;
3160
3249
 
3250
+ interface RadioCardProps {
3251
+ /**
3252
+ * The value of the radio card
3253
+ */
3254
+ value: string;
3255
+ /**
3256
+ * Whether the radio card is disabled
3257
+ */
3258
+ isDisabled?: boolean;
3259
+ /**
3260
+ * Additional CSS classes
3261
+ */
3262
+ className?: string;
3263
+ /**
3264
+ * Children content
3265
+ */
3266
+ children: React__default.ReactNode;
3267
+ /**
3268
+ * Size variant
3269
+ */
3270
+ size?: "1" | "2" | "3";
3271
+ /**
3272
+ * Visual variant
3273
+ */
3274
+ variant?: "default" | "brand";
3275
+ }
3276
+ interface RadioCardGroupProps {
3277
+ /**
3278
+ * The selected value
3279
+ */
3280
+ value?: string;
3281
+ /**
3282
+ * Default selected value
3283
+ */
3284
+ defaultValue?: string;
3285
+ /**
3286
+ * Callback when selection changes
3287
+ */
3288
+ onChange?: (value: string) => void;
3289
+ /**
3290
+ * Whether the radio group is disabled
3291
+ */
3292
+ isDisabled?: boolean;
3293
+ /**
3294
+ * Whether the radio group is read-only
3295
+ */
3296
+ isReadOnly?: boolean;
3297
+ /**
3298
+ * Whether the radio group is required
3299
+ */
3300
+ isRequired?: boolean;
3301
+ /**
3302
+ * Additional CSS classes
3303
+ */
3304
+ className?: string;
3305
+ /**
3306
+ * Children content
3307
+ */
3308
+ children: React__default.ReactNode;
3309
+ /**
3310
+ * Size variant
3311
+ */
3312
+ size?: "1" | "2" | "3";
3313
+ /**
3314
+ * Visual variant
3315
+ */
3316
+ variant?: "default" | "brand";
3317
+ /**
3318
+ * Grid columns configuration
3319
+ */
3320
+ columns?: string;
3321
+ /**
3322
+ * Gap between items
3323
+ */
3324
+ gap?: string;
3325
+ }
3326
+ declare function RadioCard({ value, isDisabled, className, children, size, variant, }: RadioCardProps): react_jsx_runtime.JSX.Element;
3327
+ declare function RadioCardGroup({ value, defaultValue, onChange, isDisabled, isReadOnly, isRequired, className, children, size, variant, columns, gap, }: RadioCardGroupProps): react_jsx_runtime.JSX.Element;
3328
+
3161
3329
  interface RadioGroupProps extends Omit<RadioGroupProps$1, "children"> {
3162
3330
  /** Label for the radio group */
3163
3331
  label?: string;
@@ -3211,6 +3379,8 @@ declare function RangeCalendar<T extends DateValue>({ errorMessage, ...props }:
3211
3379
  type SectionVariant = "plain" | "contained" | "bordered";
3212
3380
  type SectionSpacing = "none" | "sm" | "md" | "lg";
3213
3381
  interface SectionProps {
3382
+ /** Section ID for linking/navigation (e.g., for use with SectionNav) */
3383
+ id?: string;
3214
3384
  /** Section title */
3215
3385
  title?: React__default.ReactNode;
3216
3386
  /** Optional description/subtitle */
@@ -3230,7 +3400,7 @@ interface SectionProps {
3230
3400
  /** Section content */
3231
3401
  children?: React__default.ReactNode;
3232
3402
  }
3233
- declare function Section({ title, description, actions, variant, spacing, withDivider, headingAs, className, children, }: SectionProps): react_jsx_runtime.JSX.Element;
3403
+ declare function Section({ id, title, description, actions, variant, spacing, withDivider, headingAs, className, children, }: SectionProps): react_jsx_runtime.JSX.Element;
3234
3404
 
3235
3405
  /**
3236
3406
  * Interface defining the shape of items in the Select component
@@ -3724,4 +3894,4 @@ interface ColorModeProviderProps {
3724
3894
  }
3725
3895
  declare const ColorModeProvider: React.FC<ColorModeProviderProps>;
3726
3896
 
3727
- export { type Action, ActionCell, type ActionCellProps, ActivityFeed, ActivityFeedGroup, type ActivityFeedGroupProps, type ActivityFeedProps, type ActivityFeedSize, type ActivityFeedVariant, ActivityItem, type ActivityItemProps, type ActivityItemSurface, type ActivityItemTone, Alert, type AlertProps, AreaSeries, AutoMobileRenderer, Autocomplete, BREAKPOINTS, BarSeries, BaseDataPoint, type BaseInputProps, type BaseProps, BooleanCell, type BooleanCellProps, BooleanFormat, BreadcrumbItem, type BreadcrumbItemProps, Breadcrumbs, type Breakpoint, type BreakpointState, Button, Calendar, Card, CardMobileRenderer, type CardProps, type CardVariant, type CellAlignment, type CellComponent, type CellComponentProps, type CellContext, type CellEmphasis, ChartAxis, ChartBottomBar, ChartContainer, type ChartExportMetadata, ChartTooltip, Checkbox, CheckboxGroup, Chip, ClearButton, Collapse, CollapseContent, type CollapseContentProps, type CollapseDensity, CollapseHeader, type CollapseHeaderProps, CollapseItem, type CollapseItemProps, type CollapseProps, type CollapseVariant, ColorModeProvider, type Column, ComponentFormatter, Confirm, type ConfirmProps, CopyToClipboard, CurrencyFormat, CurrentFormat, CustomPinsSpec, DataControls, type Filter as DataControlsFilter, type DataControlsProps, type SortOption as DataControlsSortOption, DataTable, type DataTableProps, DateCell, type DateCellProps, DateFormat, DateRangePicker, Description, type DescriptionProps, Dialog, type DialogAction, type DialogFooterConfig, DialogHeader, type DialogHeaderConfig, type DialogHeaderProps, type DialogProps, DistanceFormat, Drawer, type DrawerProps, EmptyState, type EmptyStateAction, type EmptyStateAlignment, type EmptyStateProps, type EmptyStateSize, EnergyFormat, ErrorBoundary, type ExportType, FieldError, type FieldErrorProps, FieldFormat, FieldGroup, type FieldGroupProps, FieldValue, FilterChips, type FilterChipsProps, Form, FormatRegistry, FormattedValue, FormatterFunction, GeoJsonLayerSpec, Grid, type GridAlign, type GridCols, type GridFlow, type GridGap, type GridItemProps, type GridJustify, type GridProps, type GridSpan, Icon, Input, type InputProps, type InputStyleProps, InputWrapper, Kpi, KpiGroup, type KpiGroupAlign, type KpiGroupCols, type KpiGroupGap, type KpiGroupProps, type KpiOrientation, type KpiProps, type KpiSize, type KpiStatus, Label, type LabelProps, LayerSpec, LineSeries, type LinkBehavior, List, ListBox, ListBoxItem, ListItem, type ListItemProps, ListPane, type ListPaneProps, type ListProps, type MobileBreakpoint, type MobileConfig, type MobileRenderer, ModalBackdrop, type ModalBackdropProps, Notice, NoticeContainer, type NoticeContainerProps, type NoticeOptions, type NoticeProps, NoticeProvider, type NoticeProviderProps, type NoticeVariant, NumberCell, type NumberCellProps, NumberField, NumberFormat, type PageActionsProps, type PageAsideProps, type PageBreadcrumbItem, type PageContentProps, type PageHeaderProps, PageLayout, type PageLayoutProps, PhoneFormat, PlaceSearch, Popover, PowerFormat, ProgressBar, Radio, RadioGroup, RangeCalendar, RasterLayerSpec, ResistanceFormat, type ResponsiveValue, ResultsCount, type ResultsCountProps, SKELETON_SIZES, SearchControl, type SearchControlProps, Section, type SectionProps, type SectionSpacing, type SectionVariant, Select, SelectCell, type SelectCellProps, Skeleton, Slider, type SortConfig, SortControl, type SortControlProps, type SortDirection, SplitPane, type SplitPaneOrientation, type SplitPanePanelProps, type SplitPaneProps, type StatAlign, type StatFormatter, type StatItem, type StatLayout, StatList, type StatListProps, type StatThreshold, type StatTone, type StatValue, Switch, Tab, TabList, TabPanel, type TableDensity, type TableLayout, type TableWidth, Tabs, type TabsProps$1 as TabsProps, TemperatureFormat, TemperatureUnit, TemperatureUnitString, TextArea, TextAreaWithChips, TextCell, type TextCellProps, TextField, TextFormat, TimeField, ToggleButton, Tooltip, TooltipData, Tray, type TrayProps, type TrendPoint, type UseBreakpointReturn, VectorLayerSpec, VoltageFormat, YFormatType, autoScaleCurrent, autoScaleDistance, autoScaleEnergy, autoScalePower, autoScaleResistance, autoScaleVoltage, camelCaseToWords, capitalize, celsiusToFahrenheit, celsiusToKelvin, centimetersToInches, createFormat, enumToSentenceCase, exportChart, fahrenheitToCelsius, fahrenheitToKelvin, feetToMeters, feetToMiles, formatBoolean, formatCurrency, formatCurrent, formatDate, formatDistance, formatEmptyValue, formatEnergy, formatFieldValue, formatInternationalPhone, formatNumber, formatPhone, formatPhoneNumber, formatPower, formatResistance, formatTemperature, formatText, formatUSPhone, formatVoltage, getBadgeClasses, getBooleanBadgeVariant, getCellAlignmentClasses, getCellContainerClasses, getCellTextClasses, getDateParts, getExportFormatName, getFieldGroupStyles, getInputBackgroundStyles, getInputBaseStyles, getInputStateStyles, getNumericColorClasses, getSkeletonSize, inchesToCentimeters, isCustomPinsLayer, isExportSupported, isGeoJsonLayer, isNil, isRasterLayer, isVectorLayer, kelvinToCelsius, kelvinToFahrenheit, kilometersToMiles, layer, metersToFeet, metersToMiles, metersToYards, milesToFeet, milesToKilometers, milesToMeters, parseBoolean, resolveValue, snakeCaseToWords, temperatureStringToSymbol, toA, toActiveInactive, toAmps, toBoolean, toCelsius, toCentimeters, toCheckmark, toCompactNumber, toCurrency, toCustomDateFormat, toDateString, toEnabledDisabled, toFahrenheit, toFeet, toFloat, toFormattedNumber, toFullDateTime, toGW, toGWh, toGigawatts, toISOString, toInches, toInteger, toKA, toKV, toKW, toKelvin, toKiloamps, toKilohms, toKilometers, toKilovolts, toKilowatts, toLowerCase, toMA, toMV, toMW, toMWh, toMegawatts, toMegohms, toMeters, toMiles, toMilliamps, toMillimeters, toMilliohms, toMillivolts, toNauticalMiles, toOhms, toOnOff, toPercentage, toRelativeTime, toScientificNotation, toSecret, toSentenceCase, toTemperature, toTitleCase, toTrueFalse, toUpperCase, toV, toVolts, toW, toWatts, toWh, toYards, tokWh, truncateEnd, truncateMiddle, truncateStart, ucFirst, useBreakpoint, useColorMode, useDebounce, useInputFocus, useLocalStorage, useMediaQuery, useNotice, yardsToMeters };
3897
+ export { type Action, ActionCell, type ActionCellProps, ActivityFeed, ActivityFeedGroup, type ActivityFeedGroupProps, type ActivityFeedProps, type ActivityFeedSize, type ActivityFeedVariant, ActivityItem, type ActivityItemProps, type ActivityItemSurface, type ActivityItemTone, Alert, type AlertProps, AreaSeries, AutoMobileRenderer, Autocomplete, BREAKPOINTS, BarSeries, BaseDataPoint, type BaseInputProps, type BaseProps, BooleanCell, type BooleanCellProps, BooleanFormat, BreadcrumbItem, type BreadcrumbItemProps, Breadcrumbs, type Breakpoint, type BreakpointState, Button, Calendar, Card, CardMobileRenderer, type CardProps, type CardVariant, type CellAlignment, type CellComponent, type CellComponentProps, type CellContext, type CellEmphasis, ChartAxis, ChartBottomBar, ChartContainer, type ChartExportMetadata, ChartTooltip, Checkbox, CheckboxGroup, Chip, ClearButton, Collapse, CollapseContent, type CollapseContentProps, type CollapseDensity, CollapseHeader, type CollapseHeaderProps, CollapseItem, type CollapseItemProps, type CollapseProps, type CollapseVariant, ColorModeProvider, type Column, ComponentFormatter, Confirm, type ConfirmProps, CopyToClipboard, CurrencyFormat, CurrentFormat, CustomPinsSpec, DataControls, type Filter as DataControlsFilter, type DataControlsProps, type SortOption as DataControlsSortOption, DataTable, type DataTableProps, DateCell, type DateCellProps, DateFormat, DateRangePicker, Description, type DescriptionProps, Dialog, type DialogAction, type DialogFooterConfig, DialogHeader, type DialogHeaderConfig, type DialogHeaderProps, type DialogProps, DistanceFormat, Drawer, type DrawerProps, EmptyState, type EmptyStateAction, type EmptyStateAlignment, type EmptyStateProps, type EmptyStateSize, EnergyFormat, ErrorBoundary, type ExportType, FieldError, type FieldErrorProps, FieldFormat, FieldGroup, type FieldGroupProps, FieldValue, FilterChips, type FilterChipsProps, Form, FormatRegistry, FormattedValue, FormatterFunction, GeoJsonLayerSpec, Grid, type GridAlign, type GridCols, type GridFlow, type GridGap, type GridItemProps, type GridJustify, type GridProps, type GridSpan, Icon, Input, type InputProps, type InputStyleProps, InputWrapper, Kpi, KpiGroup, type KpiGroupAlign, type KpiGroupCols, type KpiGroupGap, type KpiGroupProps, type KpiOrientation, type KpiProps, type KpiSize, type KpiStatus, Label, type LabelProps, LayerSpec, LineSeries, type LinkBehavior, List, ListBox, ListBoxItem, ListItem, type ListItemProps, ListPane, type ListPaneProps, type ListProps, type MobileBreakpoint, type MobileConfig, type MobileRenderer, ModalBackdrop, type ModalBackdropProps, Notice, NoticeContainer, type NoticeContainerProps, type NoticeOptions, type NoticeProps, NoticeProvider, type NoticeProviderProps, type NoticeVariant, NumberCell, type NumberCellProps, NumberField, NumberFormat, type PageAsideProps, type PageBreadcrumbItem, type PageContentProps, type PageHeaderProps, PageLayout, type PageLayoutProps, type PageSectionNavProps, PhoneFormat, PlaceSearch, Popover, PowerFormat, ProgressBar, Radio, RadioCard, RadioCardGroup, type RadioCardGroupProps, type RadioCardProps, RadioGroup, RangeCalendar, RasterLayerSpec, ResistanceFormat, type ResponsiveValue, ResultsCount, type ResultsCountProps, SKELETON_SIZES, SearchControl, type SearchControlProps, Section, SectionNav, type SectionNavItem, type SectionNavOrientation, type SectionNavProps, type SectionProps, type SectionSpacing, type SectionVariant, Select, SelectCell, type SelectCellProps, Skeleton, Slider, type SortConfig, SortControl, type SortControlProps, type SortDirection, SplitPane, type SplitPaneOrientation, type SplitPanePanelProps, type SplitPaneProps, type StatAlign, type StatFormatter, type StatItem, type StatLayout, StatList, type StatListProps, type StatThreshold, type StatTone, type StatValue, Switch, Tab, TabList, TabPanel, type TableDensity, type TableLayout, type TableWidth, Tabs, type TabsProps$1 as TabsProps, TemperatureFormat, TemperatureUnit, TemperatureUnitString, TextArea, TextAreaWithChips, TextCell, type TextCellProps, TextField, TextFormat, TimeField, ToggleButton, Tooltip, TooltipData, Tray, type TrayProps, type TrendPoint, type UseBreakpointReturn, VectorLayerSpec, VoltageFormat, YFormatType, autoScaleCurrent, autoScaleDistance, autoScaleEnergy, autoScalePower, autoScaleResistance, autoScaleVoltage, camelCaseToWords, capitalize, celsiusToFahrenheit, celsiusToKelvin, centimetersToInches, createFormat, enumToSentenceCase, exportChart, fahrenheitToCelsius, fahrenheitToKelvin, feetToMeters, feetToMiles, formatBoolean, formatCurrency, formatCurrent, formatDate, formatDistance, formatEmptyValue, formatEnergy, formatFieldValue, formatInternationalPhone, formatNumber, formatPhone, formatPhoneNumber, formatPower, formatResistance, formatTemperature, formatText, formatUSPhone, formatVoltage, getBadgeClasses, getBooleanBadgeVariant, getCellAlignmentClasses, getCellContainerClasses, getCellTextClasses, getDateParts, getExportFormatName, getFieldGroupStyles, getInputBackgroundStyles, getInputBaseStyles, getInputStateStyles, getNumericColorClasses, getSkeletonSize, inchesToCentimeters, isCustomPinsLayer, isExportSupported, isGeoJsonLayer, isNil, isRasterLayer, isVectorLayer, kelvinToCelsius, kelvinToFahrenheit, kilometersToMiles, layer, metersToFeet, metersToMiles, metersToYards, milesToFeet, milesToKilometers, milesToMeters, parseBoolean, resolveValue, snakeCaseToWords, temperatureStringToSymbol, toA, toActiveInactive, toAmps, toBoolean, toCelsius, toCentimeters, toCheckmark, toCompactNumber, toCurrency, toCustomDateFormat, toDateString, toEnabledDisabled, toFahrenheit, toFeet, toFloat, toFormattedNumber, toFullDateTime, toGW, toGWh, toGigawatts, toISOString, toInches, toInteger, toKA, toKV, toKW, toKelvin, toKiloamps, toKilohms, toKilometers, toKilovolts, toKilowatts, toLowerCase, toMA, toMV, toMW, toMWh, toMegawatts, toMegohms, toMeters, toMiles, toMilliamps, toMillimeters, toMilliohms, toMillivolts, toNauticalMiles, toOhms, toOnOff, toPercentage, toRelativeTime, toScientificNotation, toSecret, toSentenceCase, toTemperature, toTitleCase, toTrueFalse, toUpperCase, toV, toVolts, toW, toWatts, toWh, toYards, tokWh, truncateEnd, truncateMiddle, truncateStart, ucFirst, useBreakpoint, useColorMode, useDebounce, useInputFocus, useLocalStorage, useMediaQuery, useNotice, yardsToMeters };
package/dist/index.d.ts CHANGED
@@ -2990,13 +2990,76 @@ interface NumberFieldProps extends Omit<NumberFieldProps$1, "size" | "className"
2990
2990
  }
2991
2991
  declare function NumberField({ label, description, errorMessage, size, tooltip, isRequired, transparent, validationResult, ...props }: NumberFieldProps): react_jsx_runtime.JSX.Element;
2992
2992
 
2993
+ /**
2994
+ * SectionNav — In-page navigation for content sections with smooth scrolling
2995
+ *
2996
+ * Provides sticky sidebar navigation on desktop and horizontal scrollable tabs on mobile.
2997
+ * Automatically tracks the active section based on scroll position and enables smooth
2998
+ * scrolling to sections when clicked.
2999
+ *
3000
+ * ## Features
3001
+ * - Responsive: Sidebar on desktop (lg+), horizontal tabs on mobile
3002
+ * - Sticky positioning for persistent visibility
3003
+ * - Smooth scroll to sections
3004
+ * - Active state management
3005
+ * - Customizable styling and positioning
3006
+ *
3007
+ * @example
3008
+ * ```tsx
3009
+ * <SectionNav
3010
+ * sections={[
3011
+ * { id: 'overview', label: 'Overview' },
3012
+ * { id: 'features', label: 'Features' },
3013
+ * { id: 'pricing', label: 'Pricing' }
3014
+ * ]}
3015
+ * activeSection="overview"
3016
+ * onSectionChange={(id) => console.log('Active section:', id)}
3017
+ * />
3018
+ * ```
3019
+ */
3020
+ type SectionNavItem = {
3021
+ /** Unique identifier that matches the section's HTML id */
3022
+ id: string;
3023
+ /** Display label for the navigation item */
3024
+ label: string;
3025
+ /** Optional count badge to display next to the label */
3026
+ count?: number;
3027
+ };
3028
+ type SectionNavOrientation = "vertical" | "horizontal" | "responsive";
3029
+ type SectionNavProps = {
3030
+ /** Array of section items to navigate between */
3031
+ sections: SectionNavItem[];
3032
+ /** Currently active section id */
3033
+ activeSection?: string | null;
3034
+ /** Callback when active section changes (controlled mode) */
3035
+ onSectionChange?: (sectionId: string) => void;
3036
+ /** Navigation orientation: vertical (sidebar), horizontal (tabs), or responsive (auto) */
3037
+ orientation?: SectionNavOrientation;
3038
+ /** Additional CSS classes for the nav container */
3039
+ className?: string;
3040
+ /** Custom scroll behavior options */
3041
+ scrollBehavior?: ScrollBehavior;
3042
+ /** Top offset for sticky positioning (default: 24px / 1.5rem) */
3043
+ stickyTop?: string;
3044
+ /** ID prefix for section elements (default: 'section-') */
3045
+ sectionIdPrefix?: string;
3046
+ /** Custom filter function to determine which sections are visible */
3047
+ filterSection?: (section: SectionNavItem) => boolean;
3048
+ };
3049
+ declare function SectionNav({ sections, activeSection: controlledActiveSection, onSectionChange, orientation, className, scrollBehavior, stickyTop, sectionIdPrefix, filterSection, }: SectionNavProps): react_jsx_runtime.JSX.Element | null;
3050
+
2993
3051
  /**
2994
3052
  * PageLayout — opinionated, SSR-friendly page scaffold for dashboards.
2995
3053
  *
2996
3054
  * Structure:
2997
3055
  * <PageLayout>
2998
- * <PageLayout.Header title="..." subtitle="..." breadcrumbs={[...]} />
2999
- * <PageLayout.Actions primary={<Button/>} secondary={<Button/>} />
3056
+ * <PageLayout.Header
3057
+ * title="..."
3058
+ * subtitle="..."
3059
+ * breadcrumbs={[...]}
3060
+ * media={<div>images/maps</div>}
3061
+ * actions={[<Button/>, <Button/>]}
3062
+ * />
3000
3063
  * <PageLayout.Tabs tabs={[...]} value=... onChange=... />
3001
3064
  * <PageLayout.Content>
3002
3065
  * <Grid cols={{ base: 1, lg: 4 }} gap="lg">
@@ -3010,6 +3073,8 @@ declare function NumberField({ label, description, errorMessage, size, tooltip,
3010
3073
  * - Router-agnostic: Breadcrumbs accept either structured items with a Link component, or a custom ReactNode.
3011
3074
  * - Accessible: Header uses h1; Tabs are roving-`tablist`.
3012
3075
  * - Composable: Use with Grid, Section, Card, DataControls and other components for flexible layouts.
3076
+ * - Media support: Header can include hero images, maps, or other visual content.
3077
+ * - Actions: Right-aligned on desktop, below subtitle on mobile.
3013
3078
  * - Styling: token-oriented utility classes (match to your Tailwind preset/tokens).
3014
3079
  */
3015
3080
  type PageBreadcrumbItem = BreadcrumbItemProps & {
@@ -3026,10 +3091,10 @@ type PageLayoutProps = {
3026
3091
  declare function PageLayout({ children, maxWidth, paddingXClass, paddingYClass, className, }: PageLayoutProps): react_jsx_runtime.JSX.Element;
3027
3092
  declare namespace PageLayout {
3028
3093
  var Header: typeof Header;
3029
- var Actions: typeof Actions;
3030
3094
  var Tabs: typeof Tabs$1;
3031
3095
  var Content: typeof Content;
3032
3096
  var Aside: typeof Aside$1;
3097
+ var SectionNav: typeof SectionNavWithLayout;
3033
3098
  }
3034
3099
  type PageHeaderProps = {
3035
3100
  title: React__default.ReactNode;
@@ -3039,19 +3104,15 @@ type PageHeaderProps = {
3039
3104
  breadcrumbsNode?: React__default.ReactNode;
3040
3105
  /** Optional right-aligned meta area (badges, status, small stats) */
3041
3106
  meta?: React__default.ReactNode;
3107
+ /** Optional media content (images, maps, etc.) rendered after title/subtitle */
3108
+ media?: React__default.ReactNode;
3109
+ /** Optional actions (buttons, filters) - right-aligned on desktop, below subtitle on mobile. Array ensures consistent gap spacing. */
3110
+ actions?: React__default.ReactNode[];
3042
3111
  /** Optional slot to replace the default heading element */
3043
3112
  headingAs?: "h1" | "h2" | "h3" | "h4" | "h5" | "h6";
3044
3113
  className?: string;
3045
3114
  };
3046
- declare function Header({ title, subtitle, breadcrumbs, breadcrumbsNode, meta, headingAs, className, }: PageHeaderProps): react_jsx_runtime.JSX.Element;
3047
- type PageActionsProps = {
3048
- primary?: React__default.ReactNode;
3049
- secondary?: React__default.ReactNode;
3050
- children?: React__default.ReactNode;
3051
- align?: "start" | "end";
3052
- className?: string;
3053
- };
3054
- declare function Actions({ primary, secondary, children, align, className, }: PageActionsProps): react_jsx_runtime.JSX.Element;
3115
+ declare function Header({ title, subtitle, breadcrumbs, breadcrumbsNode, meta, media, actions, headingAs, className, }: PageHeaderProps): react_jsx_runtime.JSX.Element;
3055
3116
  type PageLayoutTab = {
3056
3117
  id: string;
3057
3118
  label: React__default.ReactNode;
@@ -3078,6 +3139,34 @@ type PageAsideProps = {
3078
3139
  className?: string;
3079
3140
  };
3080
3141
  declare function Aside$1({ children, sticky, className }: PageAsideProps): react_jsx_runtime.JSX.Element;
3142
+ type PageSectionNavProps = {
3143
+ sections: SectionNavItem[];
3144
+ activeSection?: string | null;
3145
+ onSectionChange?: (sectionId: string) => void;
3146
+ /** Position on desktop: 'above' (horizontal), 'left' (vertical), 'right' (vertical). Default: 'left' */
3147
+ position?: "above" | "left" | "right";
3148
+ /** Custom nav width when positioned left/right (default: 240px) */
3149
+ navWidth?: string;
3150
+ /** Gap between nav and content when positioned left/right (default: 1.5rem) */
3151
+ gap?: string;
3152
+ /** The main content with sections */
3153
+ children: React__default.ReactNode;
3154
+ className?: string;
3155
+ scrollBehavior?: ScrollBehavior;
3156
+ sectionIdPrefix?: string;
3157
+ filterSection?: (section: SectionNavItem) => boolean;
3158
+ };
3159
+ /**
3160
+ * PageLayout.SectionNav
3161
+ *
3162
+ * Renders section navigation with flexible positioning:
3163
+ * - `position="above"`: Horizontal nav above content (desktop and mobile)
3164
+ * - `position="left"`: Vertical nav on left side (desktop), horizontal above (mobile)
3165
+ * - `position="right"`: Vertical nav on right side with right-aligned text (desktop), horizontal above (mobile)
3166
+ *
3167
+ * Navigation is sticky in all positions.
3168
+ */
3169
+ declare function SectionNavWithLayout({ sections, activeSection, onSectionChange, position, navWidth, gap, children, className, scrollBehavior, sectionIdPrefix, filterSection, }: PageSectionNavProps): react_jsx_runtime.JSX.Element;
3081
3170
 
3082
3171
  interface Place {
3083
3172
  id: string;
@@ -3158,6 +3247,85 @@ interface ProgressBarProps extends ProgressBarProps$1 {
3158
3247
  }
3159
3248
  declare function ProgressBar({ label, rightLabel, progressWidth, hideLabels, ...props }: ProgressBarProps): react_jsx_runtime.JSX.Element;
3160
3249
 
3250
+ interface RadioCardProps {
3251
+ /**
3252
+ * The value of the radio card
3253
+ */
3254
+ value: string;
3255
+ /**
3256
+ * Whether the radio card is disabled
3257
+ */
3258
+ isDisabled?: boolean;
3259
+ /**
3260
+ * Additional CSS classes
3261
+ */
3262
+ className?: string;
3263
+ /**
3264
+ * Children content
3265
+ */
3266
+ children: React__default.ReactNode;
3267
+ /**
3268
+ * Size variant
3269
+ */
3270
+ size?: "1" | "2" | "3";
3271
+ /**
3272
+ * Visual variant
3273
+ */
3274
+ variant?: "default" | "brand";
3275
+ }
3276
+ interface RadioCardGroupProps {
3277
+ /**
3278
+ * The selected value
3279
+ */
3280
+ value?: string;
3281
+ /**
3282
+ * Default selected value
3283
+ */
3284
+ defaultValue?: string;
3285
+ /**
3286
+ * Callback when selection changes
3287
+ */
3288
+ onChange?: (value: string) => void;
3289
+ /**
3290
+ * Whether the radio group is disabled
3291
+ */
3292
+ isDisabled?: boolean;
3293
+ /**
3294
+ * Whether the radio group is read-only
3295
+ */
3296
+ isReadOnly?: boolean;
3297
+ /**
3298
+ * Whether the radio group is required
3299
+ */
3300
+ isRequired?: boolean;
3301
+ /**
3302
+ * Additional CSS classes
3303
+ */
3304
+ className?: string;
3305
+ /**
3306
+ * Children content
3307
+ */
3308
+ children: React__default.ReactNode;
3309
+ /**
3310
+ * Size variant
3311
+ */
3312
+ size?: "1" | "2" | "3";
3313
+ /**
3314
+ * Visual variant
3315
+ */
3316
+ variant?: "default" | "brand";
3317
+ /**
3318
+ * Grid columns configuration
3319
+ */
3320
+ columns?: string;
3321
+ /**
3322
+ * Gap between items
3323
+ */
3324
+ gap?: string;
3325
+ }
3326
+ declare function RadioCard({ value, isDisabled, className, children, size, variant, }: RadioCardProps): react_jsx_runtime.JSX.Element;
3327
+ declare function RadioCardGroup({ value, defaultValue, onChange, isDisabled, isReadOnly, isRequired, className, children, size, variant, columns, gap, }: RadioCardGroupProps): react_jsx_runtime.JSX.Element;
3328
+
3161
3329
  interface RadioGroupProps extends Omit<RadioGroupProps$1, "children"> {
3162
3330
  /** Label for the radio group */
3163
3331
  label?: string;
@@ -3211,6 +3379,8 @@ declare function RangeCalendar<T extends DateValue>({ errorMessage, ...props }:
3211
3379
  type SectionVariant = "plain" | "contained" | "bordered";
3212
3380
  type SectionSpacing = "none" | "sm" | "md" | "lg";
3213
3381
  interface SectionProps {
3382
+ /** Section ID for linking/navigation (e.g., for use with SectionNav) */
3383
+ id?: string;
3214
3384
  /** Section title */
3215
3385
  title?: React__default.ReactNode;
3216
3386
  /** Optional description/subtitle */
@@ -3230,7 +3400,7 @@ interface SectionProps {
3230
3400
  /** Section content */
3231
3401
  children?: React__default.ReactNode;
3232
3402
  }
3233
- declare function Section({ title, description, actions, variant, spacing, withDivider, headingAs, className, children, }: SectionProps): react_jsx_runtime.JSX.Element;
3403
+ declare function Section({ id, title, description, actions, variant, spacing, withDivider, headingAs, className, children, }: SectionProps): react_jsx_runtime.JSX.Element;
3234
3404
 
3235
3405
  /**
3236
3406
  * Interface defining the shape of items in the Select component
@@ -3724,4 +3894,4 @@ interface ColorModeProviderProps {
3724
3894
  }
3725
3895
  declare const ColorModeProvider: React.FC<ColorModeProviderProps>;
3726
3896
 
3727
- export { type Action, ActionCell, type ActionCellProps, ActivityFeed, ActivityFeedGroup, type ActivityFeedGroupProps, type ActivityFeedProps, type ActivityFeedSize, type ActivityFeedVariant, ActivityItem, type ActivityItemProps, type ActivityItemSurface, type ActivityItemTone, Alert, type AlertProps, AreaSeries, AutoMobileRenderer, Autocomplete, BREAKPOINTS, BarSeries, BaseDataPoint, type BaseInputProps, type BaseProps, BooleanCell, type BooleanCellProps, BooleanFormat, BreadcrumbItem, type BreadcrumbItemProps, Breadcrumbs, type Breakpoint, type BreakpointState, Button, Calendar, Card, CardMobileRenderer, type CardProps, type CardVariant, type CellAlignment, type CellComponent, type CellComponentProps, type CellContext, type CellEmphasis, ChartAxis, ChartBottomBar, ChartContainer, type ChartExportMetadata, ChartTooltip, Checkbox, CheckboxGroup, Chip, ClearButton, Collapse, CollapseContent, type CollapseContentProps, type CollapseDensity, CollapseHeader, type CollapseHeaderProps, CollapseItem, type CollapseItemProps, type CollapseProps, type CollapseVariant, ColorModeProvider, type Column, ComponentFormatter, Confirm, type ConfirmProps, CopyToClipboard, CurrencyFormat, CurrentFormat, CustomPinsSpec, DataControls, type Filter as DataControlsFilter, type DataControlsProps, type SortOption as DataControlsSortOption, DataTable, type DataTableProps, DateCell, type DateCellProps, DateFormat, DateRangePicker, Description, type DescriptionProps, Dialog, type DialogAction, type DialogFooterConfig, DialogHeader, type DialogHeaderConfig, type DialogHeaderProps, type DialogProps, DistanceFormat, Drawer, type DrawerProps, EmptyState, type EmptyStateAction, type EmptyStateAlignment, type EmptyStateProps, type EmptyStateSize, EnergyFormat, ErrorBoundary, type ExportType, FieldError, type FieldErrorProps, FieldFormat, FieldGroup, type FieldGroupProps, FieldValue, FilterChips, type FilterChipsProps, Form, FormatRegistry, FormattedValue, FormatterFunction, GeoJsonLayerSpec, Grid, type GridAlign, type GridCols, type GridFlow, type GridGap, type GridItemProps, type GridJustify, type GridProps, type GridSpan, Icon, Input, type InputProps, type InputStyleProps, InputWrapper, Kpi, KpiGroup, type KpiGroupAlign, type KpiGroupCols, type KpiGroupGap, type KpiGroupProps, type KpiOrientation, type KpiProps, type KpiSize, type KpiStatus, Label, type LabelProps, LayerSpec, LineSeries, type LinkBehavior, List, ListBox, ListBoxItem, ListItem, type ListItemProps, ListPane, type ListPaneProps, type ListProps, type MobileBreakpoint, type MobileConfig, type MobileRenderer, ModalBackdrop, type ModalBackdropProps, Notice, NoticeContainer, type NoticeContainerProps, type NoticeOptions, type NoticeProps, NoticeProvider, type NoticeProviderProps, type NoticeVariant, NumberCell, type NumberCellProps, NumberField, NumberFormat, type PageActionsProps, type PageAsideProps, type PageBreadcrumbItem, type PageContentProps, type PageHeaderProps, PageLayout, type PageLayoutProps, PhoneFormat, PlaceSearch, Popover, PowerFormat, ProgressBar, Radio, RadioGroup, RangeCalendar, RasterLayerSpec, ResistanceFormat, type ResponsiveValue, ResultsCount, type ResultsCountProps, SKELETON_SIZES, SearchControl, type SearchControlProps, Section, type SectionProps, type SectionSpacing, type SectionVariant, Select, SelectCell, type SelectCellProps, Skeleton, Slider, type SortConfig, SortControl, type SortControlProps, type SortDirection, SplitPane, type SplitPaneOrientation, type SplitPanePanelProps, type SplitPaneProps, type StatAlign, type StatFormatter, type StatItem, type StatLayout, StatList, type StatListProps, type StatThreshold, type StatTone, type StatValue, Switch, Tab, TabList, TabPanel, type TableDensity, type TableLayout, type TableWidth, Tabs, type TabsProps$1 as TabsProps, TemperatureFormat, TemperatureUnit, TemperatureUnitString, TextArea, TextAreaWithChips, TextCell, type TextCellProps, TextField, TextFormat, TimeField, ToggleButton, Tooltip, TooltipData, Tray, type TrayProps, type TrendPoint, type UseBreakpointReturn, VectorLayerSpec, VoltageFormat, YFormatType, autoScaleCurrent, autoScaleDistance, autoScaleEnergy, autoScalePower, autoScaleResistance, autoScaleVoltage, camelCaseToWords, capitalize, celsiusToFahrenheit, celsiusToKelvin, centimetersToInches, createFormat, enumToSentenceCase, exportChart, fahrenheitToCelsius, fahrenheitToKelvin, feetToMeters, feetToMiles, formatBoolean, formatCurrency, formatCurrent, formatDate, formatDistance, formatEmptyValue, formatEnergy, formatFieldValue, formatInternationalPhone, formatNumber, formatPhone, formatPhoneNumber, formatPower, formatResistance, formatTemperature, formatText, formatUSPhone, formatVoltage, getBadgeClasses, getBooleanBadgeVariant, getCellAlignmentClasses, getCellContainerClasses, getCellTextClasses, getDateParts, getExportFormatName, getFieldGroupStyles, getInputBackgroundStyles, getInputBaseStyles, getInputStateStyles, getNumericColorClasses, getSkeletonSize, inchesToCentimeters, isCustomPinsLayer, isExportSupported, isGeoJsonLayer, isNil, isRasterLayer, isVectorLayer, kelvinToCelsius, kelvinToFahrenheit, kilometersToMiles, layer, metersToFeet, metersToMiles, metersToYards, milesToFeet, milesToKilometers, milesToMeters, parseBoolean, resolveValue, snakeCaseToWords, temperatureStringToSymbol, toA, toActiveInactive, toAmps, toBoolean, toCelsius, toCentimeters, toCheckmark, toCompactNumber, toCurrency, toCustomDateFormat, toDateString, toEnabledDisabled, toFahrenheit, toFeet, toFloat, toFormattedNumber, toFullDateTime, toGW, toGWh, toGigawatts, toISOString, toInches, toInteger, toKA, toKV, toKW, toKelvin, toKiloamps, toKilohms, toKilometers, toKilovolts, toKilowatts, toLowerCase, toMA, toMV, toMW, toMWh, toMegawatts, toMegohms, toMeters, toMiles, toMilliamps, toMillimeters, toMilliohms, toMillivolts, toNauticalMiles, toOhms, toOnOff, toPercentage, toRelativeTime, toScientificNotation, toSecret, toSentenceCase, toTemperature, toTitleCase, toTrueFalse, toUpperCase, toV, toVolts, toW, toWatts, toWh, toYards, tokWh, truncateEnd, truncateMiddle, truncateStart, ucFirst, useBreakpoint, useColorMode, useDebounce, useInputFocus, useLocalStorage, useMediaQuery, useNotice, yardsToMeters };
3897
+ export { type Action, ActionCell, type ActionCellProps, ActivityFeed, ActivityFeedGroup, type ActivityFeedGroupProps, type ActivityFeedProps, type ActivityFeedSize, type ActivityFeedVariant, ActivityItem, type ActivityItemProps, type ActivityItemSurface, type ActivityItemTone, Alert, type AlertProps, AreaSeries, AutoMobileRenderer, Autocomplete, BREAKPOINTS, BarSeries, BaseDataPoint, type BaseInputProps, type BaseProps, BooleanCell, type BooleanCellProps, BooleanFormat, BreadcrumbItem, type BreadcrumbItemProps, Breadcrumbs, type Breakpoint, type BreakpointState, Button, Calendar, Card, CardMobileRenderer, type CardProps, type CardVariant, type CellAlignment, type CellComponent, type CellComponentProps, type CellContext, type CellEmphasis, ChartAxis, ChartBottomBar, ChartContainer, type ChartExportMetadata, ChartTooltip, Checkbox, CheckboxGroup, Chip, ClearButton, Collapse, CollapseContent, type CollapseContentProps, type CollapseDensity, CollapseHeader, type CollapseHeaderProps, CollapseItem, type CollapseItemProps, type CollapseProps, type CollapseVariant, ColorModeProvider, type Column, ComponentFormatter, Confirm, type ConfirmProps, CopyToClipboard, CurrencyFormat, CurrentFormat, CustomPinsSpec, DataControls, type Filter as DataControlsFilter, type DataControlsProps, type SortOption as DataControlsSortOption, DataTable, type DataTableProps, DateCell, type DateCellProps, DateFormat, DateRangePicker, Description, type DescriptionProps, Dialog, type DialogAction, type DialogFooterConfig, DialogHeader, type DialogHeaderConfig, type DialogHeaderProps, type DialogProps, DistanceFormat, Drawer, type DrawerProps, EmptyState, type EmptyStateAction, type EmptyStateAlignment, type EmptyStateProps, type EmptyStateSize, EnergyFormat, ErrorBoundary, type ExportType, FieldError, type FieldErrorProps, FieldFormat, FieldGroup, type FieldGroupProps, FieldValue, FilterChips, type FilterChipsProps, Form, FormatRegistry, FormattedValue, FormatterFunction, GeoJsonLayerSpec, Grid, type GridAlign, type GridCols, type GridFlow, type GridGap, type GridItemProps, type GridJustify, type GridProps, type GridSpan, Icon, Input, type InputProps, type InputStyleProps, InputWrapper, Kpi, KpiGroup, type KpiGroupAlign, type KpiGroupCols, type KpiGroupGap, type KpiGroupProps, type KpiOrientation, type KpiProps, type KpiSize, type KpiStatus, Label, type LabelProps, LayerSpec, LineSeries, type LinkBehavior, List, ListBox, ListBoxItem, ListItem, type ListItemProps, ListPane, type ListPaneProps, type ListProps, type MobileBreakpoint, type MobileConfig, type MobileRenderer, ModalBackdrop, type ModalBackdropProps, Notice, NoticeContainer, type NoticeContainerProps, type NoticeOptions, type NoticeProps, NoticeProvider, type NoticeProviderProps, type NoticeVariant, NumberCell, type NumberCellProps, NumberField, NumberFormat, type PageAsideProps, type PageBreadcrumbItem, type PageContentProps, type PageHeaderProps, PageLayout, type PageLayoutProps, type PageSectionNavProps, PhoneFormat, PlaceSearch, Popover, PowerFormat, ProgressBar, Radio, RadioCard, RadioCardGroup, type RadioCardGroupProps, type RadioCardProps, RadioGroup, RangeCalendar, RasterLayerSpec, ResistanceFormat, type ResponsiveValue, ResultsCount, type ResultsCountProps, SKELETON_SIZES, SearchControl, type SearchControlProps, Section, SectionNav, type SectionNavItem, type SectionNavOrientation, type SectionNavProps, type SectionProps, type SectionSpacing, type SectionVariant, Select, SelectCell, type SelectCellProps, Skeleton, Slider, type SortConfig, SortControl, type SortControlProps, type SortDirection, SplitPane, type SplitPaneOrientation, type SplitPanePanelProps, type SplitPaneProps, type StatAlign, type StatFormatter, type StatItem, type StatLayout, StatList, type StatListProps, type StatThreshold, type StatTone, type StatValue, Switch, Tab, TabList, TabPanel, type TableDensity, type TableLayout, type TableWidth, Tabs, type TabsProps$1 as TabsProps, TemperatureFormat, TemperatureUnit, TemperatureUnitString, TextArea, TextAreaWithChips, TextCell, type TextCellProps, TextField, TextFormat, TimeField, ToggleButton, Tooltip, TooltipData, Tray, type TrayProps, type TrendPoint, type UseBreakpointReturn, VectorLayerSpec, VoltageFormat, YFormatType, autoScaleCurrent, autoScaleDistance, autoScaleEnergy, autoScalePower, autoScaleResistance, autoScaleVoltage, camelCaseToWords, capitalize, celsiusToFahrenheit, celsiusToKelvin, centimetersToInches, createFormat, enumToSentenceCase, exportChart, fahrenheitToCelsius, fahrenheitToKelvin, feetToMeters, feetToMiles, formatBoolean, formatCurrency, formatCurrent, formatDate, formatDistance, formatEmptyValue, formatEnergy, formatFieldValue, formatInternationalPhone, formatNumber, formatPhone, formatPhoneNumber, formatPower, formatResistance, formatTemperature, formatText, formatUSPhone, formatVoltage, getBadgeClasses, getBooleanBadgeVariant, getCellAlignmentClasses, getCellContainerClasses, getCellTextClasses, getDateParts, getExportFormatName, getFieldGroupStyles, getInputBackgroundStyles, getInputBaseStyles, getInputStateStyles, getNumericColorClasses, getSkeletonSize, inchesToCentimeters, isCustomPinsLayer, isExportSupported, isGeoJsonLayer, isNil, isRasterLayer, isVectorLayer, kelvinToCelsius, kelvinToFahrenheit, kilometersToMiles, layer, metersToFeet, metersToMiles, metersToYards, milesToFeet, milesToKilometers, milesToMeters, parseBoolean, resolveValue, snakeCaseToWords, temperatureStringToSymbol, toA, toActiveInactive, toAmps, toBoolean, toCelsius, toCentimeters, toCheckmark, toCompactNumber, toCurrency, toCustomDateFormat, toDateString, toEnabledDisabled, toFahrenheit, toFeet, toFloat, toFormattedNumber, toFullDateTime, toGW, toGWh, toGigawatts, toISOString, toInches, toInteger, toKA, toKV, toKW, toKelvin, toKiloamps, toKilohms, toKilometers, toKilovolts, toKilowatts, toLowerCase, toMA, toMV, toMW, toMWh, toMegawatts, toMegohms, toMeters, toMiles, toMilliamps, toMillimeters, toMilliohms, toMillivolts, toNauticalMiles, toOhms, toOnOff, toPercentage, toRelativeTime, toScientificNotation, toSecret, toSentenceCase, toTemperature, toTitleCase, toTrueFalse, toUpperCase, toV, toVolts, toW, toWatts, toWh, toYards, tokWh, truncateEnd, truncateMiddle, truncateStart, ucFirst, useBreakpoint, useColorMode, useDebounce, useInputFocus, useLocalStorage, useMediaQuery, useNotice, yardsToMeters };