@skyfall_ai/aegis 0.1.0 → 0.2.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.mts CHANGED
@@ -1,6 +1,7 @@
1
1
  import * as react from 'react';
2
2
  import { ButtonHTMLAttributes, ReactNode, InputHTMLAttributes, TextareaHTMLAttributes, SelectHTMLAttributes, LabelHTMLAttributes, HTMLAttributes, TableHTMLAttributes, TdHTMLAttributes, ThHTMLAttributes } from 'react';
3
3
  import * as react_jsx_runtime from 'react/jsx-runtime';
4
+ import { TooltipProps as TooltipProps$1, LegendProps } from 'recharts';
4
5
 
5
6
  /** Brand primary palette */
6
7
  declare const brandPrimary: {
@@ -1726,6 +1727,340 @@ interface BannerProps extends HTMLAttributes<HTMLDivElement> {
1726
1727
  */
1727
1728
  declare function Banner({ status, dismissible, onDismiss, action, children, className, ...props }: BannerProps): react_jsx_runtime.JSX.Element;
1728
1729
 
1730
+ type ChartCardState = 'ready' | 'loading' | 'empty' | 'error';
1731
+ interface ChartCardProps extends Omit<HTMLAttributes<HTMLDivElement>, 'title'> {
1732
+ /** Card title (e.g. "30-day patient adherence") */
1733
+ title?: ReactNode;
1734
+ /** Optional subtitle / explanation */
1735
+ subtitle?: ReactNode;
1736
+ /** Headline metric displayed prominently in the header */
1737
+ metric?: ReactNode;
1738
+ /** Trend chip beside the metric (use the Aegis Badge or any node) */
1739
+ trend?: ReactNode;
1740
+ /** Optional actions (filters, export, etc.) rendered in the header */
1741
+ actions?: ReactNode;
1742
+ /** Footer content rendered below the chart body */
1743
+ footer?: ReactNode;
1744
+ /** Visual padding density */
1745
+ density?: 'comfortable' | 'compact';
1746
+ /** Render state — controls whether children, loader, empty, or error renders */
1747
+ state?: ChartCardState;
1748
+ /** Custom empty-state node */
1749
+ emptyState?: ReactNode;
1750
+ /** Custom loading-state node */
1751
+ loadingState?: ReactNode;
1752
+ /** Custom error-state node */
1753
+ errorState?: ReactNode;
1754
+ /** Optional aria-label for the chart region */
1755
+ ariaLabel?: string;
1756
+ }
1757
+ /**
1758
+ * ChartCard — the unifying shell for every Aegis chart component.
1759
+ *
1760
+ * Provides a consistent header (title, subtitle, headline metric, trend chip,
1761
+ * actions), body slot, footer slot, and built-in loading / empty / error states.
1762
+ *
1763
+ * Every chart component in Aegis composes this card so the system feels
1764
+ * cohesive and developers get visual states for free.
1765
+ */
1766
+ declare function ChartCard({ title, subtitle, metric, trend, actions, footer, density, state, emptyState, loadingState, errorState, ariaLabel, className, children, ...props }: ChartCardProps): react_jsx_runtime.JSX.Element;
1767
+
1768
+ /**
1769
+ * Skyfall Aegis — Chart Theme
1770
+ *
1771
+ * Centralized theme tokens for all Recharts-based components.
1772
+ * Reads from CSS custom properties so chart visuals stay in sync with
1773
+ * the rest of the Aegis design system.
1774
+ */
1775
+ /**
1776
+ * The Aegis chart series palette. Order is intentional — earlier colors
1777
+ * are used first so simple charts always pull from the most credible,
1778
+ * brand-aligned hues before moving into supporting accents.
1779
+ */
1780
+ declare const aegisSeriesPalette: readonly ["var(--aegis-data-vis-1)", "var(--aegis-data-vis-2)", "var(--aegis-data-vis-3)", "var(--aegis-data-vis-4)", "var(--aegis-data-vis-5)"];
1781
+ /**
1782
+ * Resolve a series color by index, wrapping the palette if more series
1783
+ * exist than available colors. Accepts an explicit override.
1784
+ */
1785
+ declare function getSeriesColor(index: number, override?: string): string;
1786
+ /**
1787
+ * Token-driven chart theme. Used to style axes, gridlines, tooltips,
1788
+ * legends, etc. so every chart in Aegis feels like part of one system.
1789
+ */
1790
+ declare const aegisChartTheme: {
1791
+ readonly axis: {
1792
+ readonly stroke: "var(--aegis-data-vis-axis)";
1793
+ readonly fontSize: 12;
1794
+ readonly fontFamily: "var(--aegis-font-family-sans)";
1795
+ readonly tickColor: "var(--aegis-color-text-muted)";
1796
+ };
1797
+ readonly grid: {
1798
+ readonly stroke: "var(--aegis-data-vis-gridline)";
1799
+ readonly strokeDasharray: "3 3";
1800
+ };
1801
+ readonly tooltip: {
1802
+ readonly background: "var(--aegis-color-surface-overlay)";
1803
+ readonly border: "var(--aegis-color-border-default)";
1804
+ readonly text: "var(--aegis-color-text-primary)";
1805
+ readonly muted: "var(--aegis-color-text-secondary)";
1806
+ };
1807
+ readonly reference: {
1808
+ readonly stroke: "var(--aegis-color-text-muted)";
1809
+ readonly strokeDasharray: "4 4";
1810
+ };
1811
+ };
1812
+ type ChartSeries<T = Record<string, unknown>> = {
1813
+ /** Property key on the data row that holds the series value */
1814
+ dataKey: keyof T & string;
1815
+ /** Display label for tooltip / legend */
1816
+ label?: string;
1817
+ /** Optional explicit color (defaults to Aegis palette) */
1818
+ color?: string;
1819
+ };
1820
+ type ValueFormatter = (value: number | string) => string;
1821
+ /** Default number formatter — locale-aware, with sensible compact behavior */
1822
+ declare const defaultValueFormatter: ValueFormatter;
1823
+
1824
+ interface ChartTooltipProps extends TooltipProps$1<number, string> {
1825
+ /** Optional formatter for displayed values */
1826
+ valueFormatter?: ValueFormatter;
1827
+ /** Optional formatter for the tooltip label (e.g. axis category) */
1828
+ labelFormatter?: (label: string) => string;
1829
+ }
1830
+ /**
1831
+ * Aegis-styled tooltip used by every chart in the system.
1832
+ *
1833
+ * Pass directly to Recharts `<Tooltip content={<ChartTooltip />} />`.
1834
+ */
1835
+ declare function ChartTooltip({ active, payload, label, valueFormatter, labelFormatter, }: ChartTooltipProps): react_jsx_runtime.JSX.Element | null;
1836
+
1837
+ /**
1838
+ * Aegis-styled chart legend. Pass to Recharts via:
1839
+ * <Legend content={<ChartLegend />} />
1840
+ */
1841
+ declare function ChartLegend({ payload }: LegendProps): react_jsx_runtime.JSX.Element | null;
1842
+
1843
+ interface LineChartProps<T extends Record<string, unknown>> extends Omit<ChartCardProps, 'children'> {
1844
+ /** Row-shaped data — each row represents one x-axis category */
1845
+ data: T[];
1846
+ /** Property name on each row used for the x-axis */
1847
+ xKey: keyof T & string;
1848
+ /** One or more series definitions */
1849
+ series: ChartSeries<T>[];
1850
+ /** Chart height in pixels (defaults to 280) */
1851
+ height?: number;
1852
+ /** Show legend (defaults to true when more than one series) */
1853
+ showLegend?: boolean;
1854
+ /** Show grid (defaults to true) */
1855
+ showGrid?: boolean;
1856
+ /** Format values in tooltip / axis */
1857
+ valueFormatter?: ValueFormatter;
1858
+ /** Optional reference line value(s) (e.g. target threshold) */
1859
+ referenceLines?: {
1860
+ value: number;
1861
+ label?: string;
1862
+ }[];
1863
+ /** Smooth curves (defaults to true) */
1864
+ smooth?: boolean;
1865
+ }
1866
+ /**
1867
+ * Aegis LineChart — wraps Recharts with Aegis tokens, shell, and states.
1868
+ *
1869
+ * Time-series and trend visualization for dashboards. Pair with KpiStatCard
1870
+ * for headline metrics or use standalone in a ChartCard layout.
1871
+ */
1872
+ declare function LineChart<T extends Record<string, unknown>>({ data, xKey, series, height, showLegend, showGrid, valueFormatter, referenceLines, smooth, state, ...cardProps }: LineChartProps<T>): react_jsx_runtime.JSX.Element;
1873
+
1874
+ interface AreaChartProps<T extends Record<string, unknown>> extends Omit<ChartCardProps, 'children'> {
1875
+ data: T[];
1876
+ xKey: keyof T & string;
1877
+ series: ChartSeries<T>[];
1878
+ height?: number;
1879
+ showLegend?: boolean;
1880
+ showGrid?: boolean;
1881
+ /** Stack areas (false = overlapping) */
1882
+ stacked?: boolean;
1883
+ valueFormatter?: ValueFormatter;
1884
+ referenceLines?: {
1885
+ value: number;
1886
+ label?: string;
1887
+ }[];
1888
+ }
1889
+ /**
1890
+ * Aegis AreaChart — for cumulative trend / volume visualization.
1891
+ *
1892
+ * Set `stacked` to true to stack series on top of each other (e.g. cohort
1893
+ * composition over time).
1894
+ */
1895
+ declare function AreaChart<T extends Record<string, unknown>>({ data, xKey, series, height, showLegend, showGrid, stacked, valueFormatter, referenceLines, state, ...cardProps }: AreaChartProps<T>): react_jsx_runtime.JSX.Element;
1896
+
1897
+ interface BarChartProps<T extends Record<string, unknown>> extends Omit<ChartCardProps, 'children'> {
1898
+ data: T[];
1899
+ xKey: keyof T & string;
1900
+ series: ChartSeries<T>[];
1901
+ height?: number;
1902
+ showLegend?: boolean;
1903
+ showGrid?: boolean;
1904
+ /** Stack bars (renders as a stacked bar chart) */
1905
+ stacked?: boolean;
1906
+ /** Render bars horizontally */
1907
+ horizontal?: boolean;
1908
+ valueFormatter?: ValueFormatter;
1909
+ referenceLines?: {
1910
+ value: number;
1911
+ label?: string;
1912
+ }[];
1913
+ }
1914
+ /**
1915
+ * Aegis BarChart — for categorical comparisons.
1916
+ *
1917
+ * Set `stacked` for stacked bars, `horizontal` for horizontal layout
1918
+ * (better for long category labels).
1919
+ */
1920
+ declare function BarChart<T extends Record<string, unknown>>({ data, xKey, series, height, showLegend, showGrid, stacked, horizontal, valueFormatter, referenceLines, state, ...cardProps }: BarChartProps<T>): react_jsx_runtime.JSX.Element;
1921
+
1922
+ /**
1923
+ * Aegis StackedBarChart — convenience wrapper around BarChart with
1924
+ * `stacked` enabled by default. Use this when stacking is the default
1925
+ * intent (e.g. cohort breakdown over time).
1926
+ */
1927
+ declare function StackedBarChart<T extends Record<string, unknown>>(props: Omit<BarChartProps<T>, 'stacked'>): react_jsx_runtime.JSX.Element;
1928
+
1929
+ interface DonutChartDatum {
1930
+ /** Display label for the slice */
1931
+ name: string;
1932
+ /** Numeric value */
1933
+ value: number;
1934
+ /** Optional explicit color (defaults to Aegis palette) */
1935
+ color?: string;
1936
+ }
1937
+ interface DonutChartProps extends Omit<ChartCardProps, 'children'> {
1938
+ data: DonutChartDatum[];
1939
+ /** Center label (e.g. total value) */
1940
+ centerLabel?: string;
1941
+ /** Center sublabel (e.g. "patients") */
1942
+ centerSublabel?: string;
1943
+ /** Render as full pie instead of donut */
1944
+ variant?: 'donut' | 'pie';
1945
+ /** Chart height (defaults to 280) */
1946
+ height?: number;
1947
+ /** Format slice values in tooltip */
1948
+ valueFormatter?: ValueFormatter;
1949
+ /** Show legend list to the right of the chart */
1950
+ showLegend?: boolean;
1951
+ }
1952
+ /**
1953
+ * Aegis DonutChart — for distribution / part-to-whole comparisons.
1954
+ *
1955
+ * Center label/sublabel slots support headline metrics inside the donut.
1956
+ * For pie semantics, set `variant="pie"`.
1957
+ */
1958
+ declare function DonutChart({ data, centerLabel, centerSublabel, variant, height, valueFormatter, showLegend, state, ...cardProps }: DonutChartProps): react_jsx_runtime.JSX.Element;
1959
+
1960
+ interface SparklineProps {
1961
+ /** Array of numeric values OR row objects */
1962
+ data: number[] | Record<string, unknown>[];
1963
+ /** Property name when `data` is row-shaped (defaults to "value") */
1964
+ dataKey?: string;
1965
+ /** Render style */
1966
+ variant?: 'line' | 'area';
1967
+ /** Width in px (defaults to 120) — accepts any CSS length */
1968
+ width?: number | string;
1969
+ /** Height in px (defaults to 36) */
1970
+ height?: number | string;
1971
+ /** Line/area color (defaults to first Aegis series color) */
1972
+ color?: string;
1973
+ /** Stroke width (defaults to 2) */
1974
+ strokeWidth?: number;
1975
+ /** Optional accessible label */
1976
+ ariaLabel?: string;
1977
+ }
1978
+ /**
1979
+ * Aegis Sparkline — minimal inline trend chart for KPIs and table cells.
1980
+ *
1981
+ * Pure visual: no axes, grid, tooltip, or legend. Designed to live inside
1982
+ * stat cards, data grid cells, and dense dashboard surfaces.
1983
+ */
1984
+ declare function Sparkline({ data, dataKey, variant, width, height, color, strokeWidth, ariaLabel, }: SparklineProps): react_jsx_runtime.JSX.Element;
1985
+
1986
+ type TrendDirection = 'up' | 'down' | 'neutral';
1987
+ interface KpiStatCardProps extends HTMLAttributes<HTMLDivElement> {
1988
+ /** Metric label (e.g. "Active patients") */
1989
+ label: string;
1990
+ /** Headline value (e.g. 1284 or "98.2%") */
1991
+ value: ReactNode;
1992
+ /** Optional unit/suffix shown next to the value */
1993
+ unit?: ReactNode;
1994
+ /** Percent change (number) — positive renders as up, negative as down */
1995
+ change?: number;
1996
+ /** Label for the change context (e.g. "vs last 30 days") */
1997
+ changeLabel?: string;
1998
+ /** Override trend direction (otherwise inferred from `change`) */
1999
+ trend?: TrendDirection;
2000
+ /**
2001
+ * For success-positive metrics, set `inverse` to flip color semantics
2002
+ * (e.g. "wait time" — a decrease is good).
2003
+ */
2004
+ inverse?: boolean;
2005
+ /** Optional icon rendered top-right */
2006
+ icon?: ReactNode;
2007
+ /** Optional sparkline data — when present, renders an inline trend chart */
2008
+ sparklineData?: SparklineProps['data'];
2009
+ /** Sparkline color override */
2010
+ sparklineColor?: string;
2011
+ /** Sparkline render variant */
2012
+ sparklineVariant?: SparklineProps['variant'];
2013
+ /** Density variant */
2014
+ density?: 'comfortable' | 'compact';
2015
+ }
2016
+ /**
2017
+ * KpiStatCard — premium stat card with optional inline sparkline.
2018
+ *
2019
+ * The chart-aware evolution of StatCard. Use for headline KPIs in
2020
+ * dashboards. Pair with `inverse` for metrics where a decrease is positive
2021
+ * (e.g. wait time, error rate).
2022
+ *
2023
+ * Accessibility:
2024
+ * - Trend icons are aria-hidden; meaning is conveyed in visible text plus an
2025
+ * sr-only direction phrase.
2026
+ * - Sparkline accepts `aria-label` for screen reader trend description.
2027
+ */
2028
+ declare function KpiStatCard({ label, value, unit, change, changeLabel, trend, inverse, icon, sparklineData, sparklineColor, sparklineVariant, density, className, ...props }: KpiStatCardProps): react_jsx_runtime.JSX.Element;
2029
+
2030
+ interface TrendStatCardProps<T extends Record<string, unknown>> extends HTMLAttributes<HTMLDivElement> {
2031
+ /** Metric label (e.g. "30-day readmissions") */
2032
+ label: string;
2033
+ /** Headline value */
2034
+ value: ReactNode;
2035
+ /** Optional unit (e.g. "%", "patients") */
2036
+ unit?: ReactNode;
2037
+ /** Trend chart data — row-shaped */
2038
+ data: T[];
2039
+ /** X-axis key on each row */
2040
+ xKey: keyof T & string;
2041
+ /** Y value key on each row */
2042
+ yKey: keyof T & string;
2043
+ /** Percent change value */
2044
+ change?: number;
2045
+ /** Change context label */
2046
+ changeLabel?: string;
2047
+ /** Inverse semantics — set true when a decrease is "good" */
2048
+ inverse?: boolean;
2049
+ /** Color override for the trend area */
2050
+ color?: string;
2051
+ /** Format values shown in tooltip */
2052
+ valueFormatter?: ValueFormatter;
2053
+ /** Chart height (defaults to 80) */
2054
+ chartHeight?: number;
2055
+ }
2056
+ /**
2057
+ * TrendStatCard — KPI card with a prominent trend chart underneath.
2058
+ *
2059
+ * Larger than KpiStatCard's inline sparkline, designed to fill more space
2060
+ * in dashboard rows where a trend story is the primary message.
2061
+ */
2062
+ declare function TrendStatCard<T extends Record<string, unknown>>({ label, value, unit, data, xKey, yKey, change, changeLabel, inverse, color, valueFormatter, chartHeight, className, ...props }: TrendStatCardProps<T>): react_jsx_runtime.JSX.Element;
2063
+
1729
2064
  /** Merge CSS module class names, filtering out falsy values */
1730
2065
  declare function cn(...classes: (string | false | null | undefined)[]): string;
1731
2066
 
@@ -1733,4 +2068,4 @@ type Size = 'sm' | 'md' | 'lg';
1733
2068
  type Status = 'success' | 'warning' | 'error' | 'info';
1734
2069
  type Variant = 'primary' | 'secondary' | 'ghost' | 'danger';
1735
2070
 
1736
- export { Accordion, type AccordionItem, type AccordionProps, Alert, type AlertProps, AppointmentCard, type AppointmentCardProps, type AppointmentStatus, Autocomplete, type AutocompleteOption, type AutocompleteProps, Avatar, type AvatarProps, Badge, type BadgeProps, Banner, type BannerProps, type BannerStatus, type BreadcrumbItem, Breadcrumbs, type BreadcrumbsProps, Button, type ButtonProps, Card, type CardProps, Checkbox, CheckboxGroup, type CheckboxGroupOption, type CheckboxGroupProps, type CheckboxProps, ClinicalBanner, type ClinicalBannerProps, type ClinicalSeverity, CollapsiblePanel, type CollapsiblePanelProps, ConfirmDialog, type ConfirmDialogProps, DataGrid, type DataGridColumn, type DataGridProps, DatePicker, type DatePickerProps, DescriptionList, type DescriptionListItem, type DescriptionListProps, Divider, type DividerProps, Drawer, type DrawerProps, EmptyState, type EmptyStateProps, FileUpload, type FileUploadProps, FormField, type FormFieldProps, HelperText, type HelperTextProps, IconButton, type IconButtonProps, Input, type InputProps, InsuranceCard, type InsuranceCardProps, type InsurancePlanType, type InsuranceStatus, LabResultRow, type LabResultRowProps, type LabResultStatus, Label, type LabelProps, List, ListItem, type ListItemProps, type ListProps, MedicationRow, type MedicationRowProps, type MedicationStatus, Modal, type ModalProps, MultiSelect, type MultiSelectOption, type MultiSelectProps, NumberField, type NumberFieldProps, OTPInput, type OTPInputProps, Pagination, type PaginationProps, PatientCard, type PatientCardProps, type PatientStatus, Popover, type PopoverProps, ProgressBar, type ProgressBarProps, Radio, RadioGroup, type RadioGroupOption, type RadioGroupProps, type RadioProps, SearchField, type SearchFieldProps, Select, type SelectProps, SideNav, type SideNavItem, type SideNavProps, type Size, Skeleton, type SkeletonProps, Slider, type SliderProps, type SortDirection, Spinner, type SpinnerProps, StatCard, type StatCardProps, type Status, StatusBadge, type StatusBadgeProps, type StatusBadgeStatus, Stepper, type StepperProps, type StepperStep, Switch, type SwitchProps, type Tab, Table, TableBody, TableCell, TableHead, TableHeaderCell, type TableProps, TableRow, Tabs, type TabsProps, Textarea, type TextareaProps, Timeline, type TimelineItem, type TimelineItemVariant, type TimelineProps, Toast, type ToastProps, type ToastStatus, Tooltip, type TooltipProps, TopNav, type TopNavProps, type Variant, accentTeal, border, borderStyle, borderWidth, brandPrimary, cn, container, controlSize, dataVis, duration, easing, focusRing, fontFamily, fontSize, fontWeight, grid, iconSize, lineHeight, modalSize, neutral, opacity, radius, semantic, shadow, sidebarDefault, space, surface, text, touchMin, tracking, zIndex };
2071
+ export { Accordion, type AccordionItem, type AccordionProps, Alert, type AlertProps, AppointmentCard, type AppointmentCardProps, type AppointmentStatus, AreaChart, type AreaChartProps, Autocomplete, type AutocompleteOption, type AutocompleteProps, Avatar, type AvatarProps, Badge, type BadgeProps, Banner, type BannerProps, type BannerStatus, BarChart, type BarChartProps, type BreadcrumbItem, Breadcrumbs, type BreadcrumbsProps, Button, type ButtonProps, Card, type CardProps, ChartCard, type ChartCardProps, type ChartCardState, ChartLegend, type ChartSeries, ChartTooltip, type ChartTooltipProps, Checkbox, CheckboxGroup, type CheckboxGroupOption, type CheckboxGroupProps, type CheckboxProps, ClinicalBanner, type ClinicalBannerProps, type ClinicalSeverity, CollapsiblePanel, type CollapsiblePanelProps, ConfirmDialog, type ConfirmDialogProps, DataGrid, type DataGridColumn, type DataGridProps, DatePicker, type DatePickerProps, DescriptionList, type DescriptionListItem, type DescriptionListProps, Divider, type DividerProps, DonutChart, type DonutChartDatum, type DonutChartProps, Drawer, type DrawerProps, EmptyState, type EmptyStateProps, FileUpload, type FileUploadProps, FormField, type FormFieldProps, HelperText, type HelperTextProps, IconButton, type IconButtonProps, Input, type InputProps, InsuranceCard, type InsuranceCardProps, type InsurancePlanType, type InsuranceStatus, KpiStatCard, type KpiStatCardProps, LabResultRow, type LabResultRowProps, type LabResultStatus, Label, type LabelProps, LineChart, type LineChartProps, List, ListItem, type ListItemProps, type ListProps, MedicationRow, type MedicationRowProps, type MedicationStatus, Modal, type ModalProps, MultiSelect, type MultiSelectOption, type MultiSelectProps, NumberField, type NumberFieldProps, OTPInput, type OTPInputProps, Pagination, type PaginationProps, PatientCard, type PatientCardProps, type PatientStatus, Popover, type PopoverProps, ProgressBar, type ProgressBarProps, Radio, RadioGroup, type RadioGroupOption, type RadioGroupProps, type RadioProps, SearchField, type SearchFieldProps, Select, type SelectProps, SideNav, type SideNavItem, type SideNavProps, type Size, Skeleton, type SkeletonProps, Slider, type SliderProps, type SortDirection, Sparkline, type SparklineProps, Spinner, type SpinnerProps, StackedBarChart, type BarChartProps as StackedBarChartProps, StatCard, type StatCardProps, type Status, StatusBadge, type StatusBadgeProps, type StatusBadgeStatus, Stepper, type StepperProps, type StepperStep, Switch, type SwitchProps, type Tab, Table, TableBody, TableCell, TableHead, TableHeaderCell, type TableProps, TableRow, Tabs, type TabsProps, Textarea, type TextareaProps, Timeline, type TimelineItem, type TimelineItemVariant, type TimelineProps, Toast, type ToastProps, type ToastStatus, Tooltip, type TooltipProps, TopNav, type TopNavProps, type TrendDirection, TrendStatCard, type TrendStatCardProps, type ValueFormatter, type Variant, accentTeal, aegisChartTheme, aegisSeriesPalette, border, borderStyle, borderWidth, brandPrimary, cn, container, controlSize, dataVis, defaultValueFormatter, duration, easing, focusRing, fontFamily, fontSize, fontWeight, getSeriesColor, grid, iconSize, lineHeight, modalSize, neutral, opacity, radius, semantic, shadow, sidebarDefault, space, surface, text, touchMin, tracking, zIndex };