@texturehq/edges 1.5.3 → 1.6.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.ts CHANGED
@@ -4,7 +4,7 @@ import { I as Icon, B as BaseDataPoint, Y as YFormatType, T as TooltipData, a as
4
4
  export { A as ActionItem, c as ActionMenu, b as ActionMenuProps, e as AppShell, d as AppShellProps, g as Avatar, f as AvatarProps, i as Badge, h as BadgeProps, l as Card, j as CardProps, k as CardVariant, a4 as ChartContext, a6 as ChartMargin, p as CodeEditor, m as CodeEditorProps, n as CodeLanguage, o as CodeTheme, u as ColorSpec, q as DateField, D as DateFieldProps, r as FileUpload, F as FileUploadProps, H as Heading, z as InteractiveMap, v as InteractiveMapProps, w as LayerFeature, x as LayerStyle, s as Loader, t as Logo, E as MAP_TYPES, M as MapPoint, N as Meter, K as MeterProps, y as RenderType, P as RichTextEditor, O as RichTextEditorProps, U as SegmentOption, W as SegmentedControl, Q as SegmentedControlProps, $ as SideNav, X as SideNavItem, _ as SideNavProps, J as StaticMap, S as StaticMapProps, a0 as TextLink, a3 as TooltipSeries, a2 as TopNav, a1 as TopNavProps, ab as YFormatSettings, Z as ZoomStops, ac as clearColorCache, ad as createCategoryColorMap, a7 as createXScale, a8 as createYScale, a9 as defaultMargin, ae as getContrastingTextColor, af as getDefaultChartColor, ag as getDefaultColors, ah as getResolvedColor, ai as getThemeCategoricalColors, aa as getYFormatSettings, aj as isLightColor, a5 as useChartContext } from './server-C20rH2CQ.js';
5
5
  import * as react_jsx_runtime from 'react/jsx-runtime';
6
6
  import * as React$1 from 'react';
7
- import React__default, { ReactNode, ComponentProps, ComponentType, Component, ErrorInfo, CSSProperties } from 'react';
7
+ import React__default, { ReactNode, ComponentProps, CSSProperties, ComponentType, Component, ErrorInfo } from 'react';
8
8
  import { ScaleTime, ScaleLinear } from 'd3-scale';
9
9
  import '@phosphor-icons/react';
10
10
  import 'react-map-gl';
@@ -1507,6 +1507,230 @@ interface LineSeriesProps {
1507
1507
  */
1508
1508
  declare const LineSeries: React__default.FC<LineSeriesProps>;
1509
1509
 
1510
+ interface Filter {
1511
+ id: string;
1512
+ label: string;
1513
+ value: string;
1514
+ }
1515
+ interface FilterChipsProps {
1516
+ /** Active filters to display */
1517
+ filters: Filter[];
1518
+ /** Callback when a single filter is removed */
1519
+ onRemove: (id: string) => void;
1520
+ /** Callback to clear all filters */
1521
+ onClearAll?: () => void;
1522
+ /** Callback to open filter management UI */
1523
+ onManageFilters?: () => void;
1524
+ /** Maximum number of chips to show before "+ X more" */
1525
+ maxVisibleChips?: number;
1526
+ /** Display mode: "chips" shows individual removable chips, "button" shows compact count button */
1527
+ mode?: "chips" | "button";
1528
+ /** Show "Filters" button in chips mode to open filter panel */
1529
+ showManageButton?: boolean;
1530
+ /** Size variant */
1531
+ size?: Size;
1532
+ /** Additional CSS classes */
1533
+ className?: string;
1534
+ }
1535
+ /**
1536
+ * FilterChips
1537
+ *
1538
+ * Displays active filters as removable chips or a compact button.
1539
+ * This is a presentational component - responsive behavior is handled by the parent.
1540
+ *
1541
+ * Example usage:
1542
+ * ```tsx
1543
+ * <FilterChips
1544
+ * filters={[
1545
+ * { id: '1', label: 'Region', value: 'West' },
1546
+ * { id: '2', label: 'Status', value: 'Active' }
1547
+ * ]}
1548
+ * onRemove={(id) => removeFilter(id)}
1549
+ * onClearAll={clearAllFilters}
1550
+ * onManageFilters={() => setDrawerOpen(true)}
1551
+ * mode="chips"
1552
+ * />
1553
+ * ```
1554
+ */
1555
+ declare function FilterChips({ filters, onRemove, onClearAll, onManageFilters, maxVisibleChips, mode, showManageButton, size, className, }: FilterChipsProps): react_jsx_runtime.JSX.Element | null;
1556
+
1557
+ interface SortOption {
1558
+ value: string;
1559
+ label: string;
1560
+ }
1561
+ interface SortControlProps {
1562
+ /** Currently selected sort value */
1563
+ value: string;
1564
+ /** Available sort options */
1565
+ options: SortOption[];
1566
+ /** Callback when sort selection changes */
1567
+ onChange: (value: string) => void;
1568
+ /** Whether to show "Sort by:" label */
1569
+ showLabel?: boolean;
1570
+ /** Size variant */
1571
+ size?: Size;
1572
+ /** Additional CSS classes */
1573
+ className?: string;
1574
+ }
1575
+ /**
1576
+ * SortControl
1577
+ *
1578
+ * A dropdown for selecting sort order with optional label.
1579
+ * Wraps Select component with consistent styling for data controls.
1580
+ *
1581
+ * Example usage:
1582
+ * ```tsx
1583
+ * <SortControl
1584
+ * value={sortBy}
1585
+ * options={[
1586
+ * { value: 'name', label: 'Name' },
1587
+ * { value: 'date', label: 'Date' }
1588
+ * ]}
1589
+ * onChange={setSortBy}
1590
+ * showLabel={true}
1591
+ * />
1592
+ * ```
1593
+ */
1594
+ declare function SortControl({ value, options, onChange, showLabel, size, className, }: SortControlProps): react_jsx_runtime.JSX.Element;
1595
+
1596
+ interface DataControlsProps {
1597
+ /** Search configuration */
1598
+ search?: {
1599
+ value: string;
1600
+ onChange: (value: string) => void;
1601
+ onClear?: () => void;
1602
+ placeholder?: string;
1603
+ };
1604
+ /** How to display search on narrow containers */
1605
+ searchMobileMode?: "expanded" | "collapsed";
1606
+ /** Active filters */
1607
+ filters?: Filter[];
1608
+ /** Callback when a filter is removed */
1609
+ onRemoveFilter?: (id: string) => void;
1610
+ /** Callback to clear all filters */
1611
+ onClearAllFilters?: () => void;
1612
+ /** Callback to open filter management UI (drawer/modal) */
1613
+ onManageFilters?: () => void;
1614
+ /** Maximum visible filter chips before "+ X more" */
1615
+ maxVisibleFilterChips?: number;
1616
+ /** Sort configuration */
1617
+ sort?: {
1618
+ value: string;
1619
+ options: SortOption[];
1620
+ onChange: (value: string) => void;
1621
+ showLabel?: boolean;
1622
+ };
1623
+ /** Results count configuration */
1624
+ resultsCount?: {
1625
+ count: number;
1626
+ label?: string;
1627
+ isLoading?: boolean;
1628
+ };
1629
+ /** Additional CSS classes */
1630
+ className?: string;
1631
+ /** Inline styles */
1632
+ style?: CSSProperties;
1633
+ }
1634
+ /**
1635
+ * DataControls
1636
+ *
1637
+ * A unified control bar for data display components (Lists, DataTables).
1638
+ * Provides search, filtering, sorting, results count, and action controls
1639
+ * with responsive layout.
1640
+ *
1641
+ * All data operations (search, filter, sort) are handled server-side.
1642
+ * This component is purely presentational and controlled.
1643
+ *
1644
+ * **Responsive Behavior:**
1645
+ * - Narrow containers (< 640px): Two rows - Row 1: inputs (search + filter icon), Row 2: outputs (results + sort + actions)
1646
+ * - Wide containers (≥ 640px): Single row with all controls visible
1647
+ *
1648
+ * Example usage:
1649
+ * ```tsx
1650
+ * <DataControls
1651
+ * resultsCount={{ count: 23, label: "sites" }}
1652
+ * search={{
1653
+ * value: searchQuery,
1654
+ * onChange: setSearchQuery,
1655
+ * onClear: () => setSearchQuery(''),
1656
+ * placeholder: "Search sites..."
1657
+ * }}
1658
+ * filters={activeFilters}
1659
+ * onRemoveFilter={removeFilter}
1660
+ * onClearAllFilters={clearAllFilters}
1661
+ * onManageFilters={() => setFilterDrawerOpen(true)}
1662
+ * sort={{
1663
+ * value: sortBy,
1664
+ * options: sortOptions,
1665
+ * onChange: setSortBy
1666
+ * }}
1667
+ * />
1668
+ * ```
1669
+ */
1670
+ declare function DataControls({ search, searchMobileMode, filters, onRemoveFilter, onClearAllFilters, onManageFilters, maxVisibleFilterChips, sort, resultsCount, className, style, }: DataControlsProps): react_jsx_runtime.JSX.Element | null;
1671
+
1672
+ interface ResultsCountProps {
1673
+ /** Number of results/items */
1674
+ count: number;
1675
+ /** Label to use (e.g., "results", "items", "sites") */
1676
+ label?: string;
1677
+ /** Whether the count is loading */
1678
+ isLoading?: boolean;
1679
+ /** Additional CSS classes */
1680
+ className?: string;
1681
+ }
1682
+ /**
1683
+ * ResultsCount
1684
+ *
1685
+ * Displays a count of results or items with proper singular/plural handling.
1686
+ * Shows a loading skeleton when data is being fetched.
1687
+ *
1688
+ * Example usage:
1689
+ * ```tsx
1690
+ * <ResultsCount count={23} label="results" />
1691
+ * // Renders: "23 results"
1692
+ *
1693
+ * <ResultsCount count={1} label="site" />
1694
+ * // Renders: "1 site"
1695
+ *
1696
+ * <ResultsCount count={42} label="items" isLoading={true} />
1697
+ * // Renders: loading skeleton
1698
+ * ```
1699
+ */
1700
+ declare function ResultsCount({ count, label, isLoading, className }: ResultsCountProps): react_jsx_runtime.JSX.Element;
1701
+
1702
+ interface SearchControlProps {
1703
+ /** Current search value */
1704
+ value: string;
1705
+ /** Callback when search value changes */
1706
+ onChange: (value: string) => void;
1707
+ /** Optional callback to clear search */
1708
+ onClear?: () => void;
1709
+ /** Placeholder text */
1710
+ placeholder?: string;
1711
+ /** Size variant */
1712
+ size?: Size;
1713
+ /** Additional CSS classes */
1714
+ className?: string;
1715
+ }
1716
+ /**
1717
+ * SearchControl
1718
+ *
1719
+ * A search input with magnifying glass icon and optional clear button.
1720
+ * Thin wrapper around TextField configured for search use cases.
1721
+ *
1722
+ * Example usage:
1723
+ * ```tsx
1724
+ * <SearchControl
1725
+ * value={searchQuery}
1726
+ * onChange={setSearchQuery}
1727
+ * onClear={() => setSearchQuery('')}
1728
+ * placeholder="Search sites..."
1729
+ * />
1730
+ * ```
1731
+ */
1732
+ declare function SearchControl({ value, onChange, onClear, placeholder, size, className, }: SearchControlProps): react_jsx_runtime.JSX.Element;
1733
+
1510
1734
  type SortDirection = "asc" | "desc";
1511
1735
  type CellAlignment = "left" | "center" | "right";
1512
1736
  type TableDensity = "compact" | "default" | "relaxed";
@@ -1938,7 +2162,7 @@ declare function useInputFocus(): {
1938
2162
  /**
1939
2163
  * Wrapper component for input containers
1940
2164
  */
1941
- declare function InputWrapper({ children, className, }: {
2165
+ declare function InputWrapper({ children, className }: {
1942
2166
  children: React__default.ReactNode;
1943
2167
  className?: string;
1944
2168
  }): react_jsx_runtime.JSX.Element;
@@ -2019,7 +2243,7 @@ declare function getFieldGroupStyles(props: FieldGroupProps): string;
2019
2243
  * </Label>
2020
2244
  * ```
2021
2245
  */
2022
- declare function Label({ children, size, tooltip, isRequired, className, htmlFor, }: LabelProps): react_jsx_runtime.JSX.Element;
2246
+ declare function Label({ children, size, tooltip, isRequired, className, htmlFor }: LabelProps): react_jsx_runtime.JSX.Element;
2023
2247
  /**
2024
2248
  * Description component for providing additional context about a form field.
2025
2249
  *
@@ -2343,71 +2567,6 @@ interface ListProps<T = unknown> {
2343
2567
  */
2344
2568
  declare function List<T>({ items, renderItem, selectedId, onSelect, onHoverChange, isLoading, error, emptyMessage, variant, showDividers, "aria-label": ariaLabel, className, style, }: ListProps<T>): react_jsx_runtime.JSX.Element;
2345
2569
 
2346
- interface Filter {
2347
- id: string;
2348
- label: string;
2349
- value: string;
2350
- onRemove: (id: string) => void;
2351
- }
2352
- interface SortOption {
2353
- value: string;
2354
- label: string;
2355
- }
2356
- interface ListHeaderProps {
2357
- /** Optional title for the list context */
2358
- title?: string;
2359
- /** Search input props */
2360
- search?: {
2361
- value: string;
2362
- placeholder?: string;
2363
- onChange: (value: string) => void;
2364
- onClear?: () => void;
2365
- };
2366
- /** Active filters to display as chips */
2367
- filters?: Filter[];
2368
- /** Sort options */
2369
- sort?: {
2370
- value: string;
2371
- options: SortOption[];
2372
- onChange: (value: string) => void;
2373
- };
2374
- /** Optional actions aligned to the right */
2375
- actions?: ReactNode;
2376
- /** Clear all filters action */
2377
- onClearAll?: () => void;
2378
- /** Layout variant for responsive behavior */
2379
- variant?: "compact" | "spacious";
2380
- className?: string;
2381
- style?: CSSProperties;
2382
- }
2383
- /**
2384
- * ListHeader
2385
- *
2386
- * A control bar that sits above any list, providing search, filters, sort, and actions.
2387
- * Layout is responsive: compact in a sidebar, spacious in a full-page list.
2388
- *
2389
- * Example usage:
2390
- * ```tsx
2391
- * <ListHeader
2392
- * title="Sites"
2393
- * search={{
2394
- * value: searchQuery,
2395
- * placeholder: "Search sites...",
2396
- * onChange: setSearchQuery,
2397
- * }}
2398
- * filters={activeFilters}
2399
- * sort={{
2400
- * value: sortBy,
2401
- * options: sortOptions,
2402
- * onChange: setSortBy,
2403
- * }}
2404
- * actions={<Button variant="primary">Save Collection</Button>}
2405
- * onClearAll={clearAllFilters}
2406
- * />
2407
- * ```
2408
- */
2409
- declare function ListHeader({ title, search, filters, sort, actions, onClearAll, variant, className, style, }: ListHeaderProps): react_jsx_runtime.JSX.Element;
2410
-
2411
2570
  interface ListItemProps {
2412
2571
  id: string;
2413
2572
  title: ReactNode;
@@ -2451,7 +2610,7 @@ interface ListItemProps {
2451
2610
  declare function ListItem({ id, title, subtitle, meta, leading, trailing, isSelected, isHovered, disabled, href, size, onClick, onMouseEnter, onMouseLeave, className, style, }: ListItemProps): react_jsx_runtime.JSX.Element;
2452
2611
 
2453
2612
  interface ListPaneProps {
2454
- /** Content for the header area (typically ListHeader) */
2613
+ /** Content for the header area (typically DataControls or custom header) */
2455
2614
  header?: ReactNode;
2456
2615
  /** Main content area (typically List with ListItems) */
2457
2616
  children: ReactNode;
@@ -2474,13 +2633,13 @@ interface ListPaneProps {
2474
2633
  *
2475
2634
  * A simple container component for list-driven UIs.
2476
2635
  * Provides a structured layout with optional header and footer,
2477
- * suitable for wrapping ListHeader, List, and ListItem components.
2636
+ * suitable for wrapping DataControls, List, and ListItem components.
2478
2637
  *
2479
2638
  * Example usage:
2480
2639
  * ```tsx
2481
2640
  * <ListPane
2482
2641
  * width="md"
2483
- * header={<ListHeader title="Sites" search={...} />}
2642
+ * header={<DataControls search={...} filters={...} sort={...} />}
2484
2643
  * footer={<Button>Add Site</Button>}
2485
2644
  * >
2486
2645
  * <List items={sites} renderItem={...} />
@@ -3402,4 +3561,4 @@ interface ColorModeProviderProps {
3402
3561
  }
3403
3562
  declare const ColorModeProvider: React.FC<ColorModeProviderProps>;
3404
3563
 
3405
- export { type Action, ActionCell, type ActionCellProps, Alert, type AlertProps, AreaSeries, AutoMobileRenderer, Autocomplete, BREAKPOINTS, BarSeries, BaseDataPoint, type BaseFormat, type BaseInputProps, type BaseProps, BooleanCell, type BooleanCellProps, type BooleanFormat, Breadcrumb, type BreadcrumbItem, Breadcrumbs, type Breakpoint, type BreakpointState, Button, Calendar, CardMobileRenderer, type CellAlignment, type CellComponent, type CellComponentProps, type CellContext, type CellEmphasis, ChartAxis, ChartBottomBar, ChartContainer, type ChartExportMetadata, ChartTooltip, Checkbox, CheckboxGroup, Chip, ClearButton, ColorModeProvider, type Column, type ComponentFormatOptions, type ComponentFormatter, Confirm, type ConfirmProps, CopyToClipboard, type CurrencyFormat, type CurrentFormat, type CurrentUnit, type CustomFormat, CustomPinsSpec, DataTable, type DataTableProps, DateCell, type DateCellProps, type DateFormat, type DateFormatStyle, DateRangePicker, Description, type DescriptionProps, Dialog, type DialogAction, type DialogFooterConfig, DialogHeader, type DialogHeaderConfig, type DialogHeaderProps, type DialogProps, type DistanceFormat, type DistanceUnit, Drawer, type DrawerProps, type EnergyFormat, type EnergyUnit, ErrorBoundary, type ExportType, FieldError, type FieldErrorProps, type FieldFormat, FieldGroup, type FieldGroupProps, type FieldValue, type Filter, Form, FormatRegistry, type FormattedValue, type 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, ListHeader, type ListHeaderProps, 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, type NumberFormat, type PageActionsProps, type PageAsideProps, type PageContentProps, type PageFiltersProps, type PageHeaderProps, PageLayout, type PageLayoutProps, type PhoneFormat, PlaceSearch, Popover, type PowerFormat, type PowerUnit, ProgressBar, Radio, RadioGroup, RangeCalendar, RasterLayerSpec, type ResistanceFormat, type ResistanceUnit, type ResponsiveValue, SKELETON_SIZES, Section, type SectionProps, type SectionSpacing, type SectionVariant, Select, SelectCell, type SelectCellProps, Skeleton, Slider, type SortConfig, type SortDirection, type SortOption, 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, type TemperatureFormat, type TemperatureUnit, type TemperatureUnitString, TextArea, TextAreaWithChips, TextCell, type TextCellProps, TextField, type TextFormat, type TextTransform, type TextTruncatePosition, TimeField, ToggleButton, Tooltip, TooltipData, type TrendPoint, type UseBreakpointReturn, VectorLayerSpec, type VoltageFormat, type VoltageUnit, YFormatType, autoScaleCurrent, autoScaleDistance, autoScaleEnergy, autoScalePower, autoScaleResistance, autoScaleVoltage, camelCaseToWords, capitalize, celsiusToFahrenheit, celsiusToKelvin, centimetersToInches, createFormat, enumToSentenceCase, exportChart, fahrenheitToCelsius, fahrenheitToKelvin, feetToMeters, feetToMiles, formatBoolean, formatComponentValue, 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, useComponentFormatter, useDebounce, useInputFocus, useLocalStorage, useMediaQuery, useNotice, yardsToMeters };
3564
+ export { type Action, ActionCell, type ActionCellProps, Alert, type AlertProps, AreaSeries, AutoMobileRenderer, Autocomplete, BREAKPOINTS, BarSeries, BaseDataPoint, type BaseFormat, type BaseInputProps, type BaseProps, BooleanCell, type BooleanCellProps, type BooleanFormat, Breadcrumb, type BreadcrumbItem, Breadcrumbs, type Breakpoint, type BreakpointState, Button, Calendar, CardMobileRenderer, type CellAlignment, type CellComponent, type CellComponentProps, type CellContext, type CellEmphasis, ChartAxis, ChartBottomBar, ChartContainer, type ChartExportMetadata, ChartTooltip, Checkbox, CheckboxGroup, Chip, ClearButton, ColorModeProvider, type Column, type ComponentFormatOptions, type ComponentFormatter, Confirm, type ConfirmProps, CopyToClipboard, type CurrencyFormat, type CurrentFormat, type CurrentUnit, type CustomFormat, CustomPinsSpec, DataControls, type Filter as DataControlsFilter, type DataControlsProps, type SortOption as DataControlsSortOption, DataTable, type DataTableProps, DateCell, type DateCellProps, type DateFormat, type DateFormatStyle, DateRangePicker, Description, type DescriptionProps, Dialog, type DialogAction, type DialogFooterConfig, DialogHeader, type DialogHeaderConfig, type DialogHeaderProps, type DialogProps, type DistanceFormat, type DistanceUnit, Drawer, type DrawerProps, type EnergyFormat, type EnergyUnit, ErrorBoundary, type ExportType, FieldError, type FieldErrorProps, type FieldFormat, FieldGroup, type FieldGroupProps, type FieldValue, FilterChips, type FilterChipsProps, Form, FormatRegistry, type FormattedValue, type 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, type NumberFormat, type PageActionsProps, type PageAsideProps, type PageContentProps, type PageFiltersProps, type PageHeaderProps, PageLayout, type PageLayoutProps, type PhoneFormat, PlaceSearch, Popover, type PowerFormat, type PowerUnit, ProgressBar, Radio, RadioGroup, RangeCalendar, RasterLayerSpec, type ResistanceFormat, type ResistanceUnit, 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, type TemperatureFormat, type TemperatureUnit, type TemperatureUnitString, TextArea, TextAreaWithChips, TextCell, type TextCellProps, TextField, type TextFormat, type TextTransform, type TextTruncatePosition, TimeField, ToggleButton, Tooltip, TooltipData, type TrendPoint, type UseBreakpointReturn, VectorLayerSpec, type VoltageFormat, type VoltageUnit, YFormatType, autoScaleCurrent, autoScaleDistance, autoScaleEnergy, autoScalePower, autoScaleResistance, autoScaleVoltage, camelCaseToWords, capitalize, celsiusToFahrenheit, celsiusToKelvin, centimetersToInches, createFormat, enumToSentenceCase, exportChart, fahrenheitToCelsius, fahrenheitToKelvin, feetToMeters, feetToMiles, formatBoolean, formatComponentValue, 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, useComponentFormatter, useDebounce, useInputFocus, useLocalStorage, useMediaQuery, useNotice, yardsToMeters };