Tasty logoTasty
Playground

Configuration

Configure the Tasty style system before your app renders using the configure() function. Configuration must be done before any styles are generated (before first render). For a higher-level docs map, see the Docs Hub.

import { configure } from '@tenphi/tasty';

configure({
  // CSP nonce for style elements
  nonce: 'abc123',

  // Global state aliases
  states: {
    '@mobile': '@media(w < 768px)',
    '@tablet': '@media(768px <= w < 1024px)',
    '@dark': '@root(schema=dark)',
  },

  // Parser configuration
  parserCacheSize: 2000, // LRU cache size (default: 1000)

  // Custom units (merged with built-in units)
  units: {
    vh: 'vh',
    vw: 'vw',
    custom: (n) => `${n * 10}px`, // Function-based unit
  },

  // Custom functions for the parser
  funcs: {
    double: (groups) => {
      const value = parseFloat(groups[0]?.output || '0');
      return `${value * 2}px`;
    },
  },
});

These docs use data-schema="dark" in examples. If your app already standardizes on a different attribute such as data-theme, keep the same pattern and swap the attribute name consistently everywhere you define root-state aliases.


Options

OptionTypeDefaultDescription
noncestring-CSP nonce for style elements
statesRecord<string, string>-Global state aliases for advanced state mapping
parserCacheSizenumber1000Parser LRU cache size
unitsRecord<string, string | Function>Built-inCustom units (merged with built-in). See built-in units
funcsRecord<string, Function>-Custom parser functions (merged with existing)
handlersRecord<string, StyleHandlerDefinition>Built-inCustom style handlers (replace built-in)
tokensRecord<string, value | stateMap>-Design tokens injected as :root CSS custom properties
replaceTokensRecord<string, string | number>-Parse-time token substitution (inline replacement)
keyframesRecord<string, KeyframesSteps>-Global keyframes for animations
propertiesRecord<string, PropertyDefinition>-Global CSS @property definitions
fontFaceRecord<string, FontFaceInput>-Global @font-face definitions
counterStyleRecord<string, CounterStyleDescriptors>-Global @counter-style definitions
autoPropertyTypesbooleantrueAuto-infer and register @property types from values
recipesRecord<string, RecipeStyles>-Predefined style recipes (named style bundles)
colorSpace'rgb' | 'hsl' | 'oklch''oklch'Color space for decomposed color token companion variables

Color Space

Controls the CSS color space used for decomposed color token companion variables. When you define #name color tokens, tasty generates both --name-color (full color) and --name-color-{suffix} (decomposed components for alpha composition).

configure({
  colorSpace: 'oklch', // default
});
Color SpaceSuffixComponents FormatAlpha Syntax
rgb-rgb255 128 0rgb(var(--name-color-rgb) / .5)
hsl-hsl300 100% 25%hsl(var(--name-color-hsl) / .5)
oklch-oklch0.42 0.16 328oklch(var(--name-color-oklch) / .5)

The oklch color space is the default because it provides perceptually uniform color manipulation — alpha fading and color mixing produce more natural-looking results.


Design Tokens

Design tokens define CSS custom properties on :root. They are injected automatically when the first style is rendered. Values are parsed through the Tasty DSL, so you can use units, color syntax, and other DSL features.

Tokens support state maps for responsive or theme-aware values:

configure({
  tokens: {
    '$gap': '4px',
    '$radius': '6px',
    '#primary': {
      '': '#purple',
      '@dark': '#light-purple',
    },
    '$font-size': {
      '': '14px',
      '@mobile': '12px',
    },
  },
});

Tokens are automatically emitted in all rendering modes: runtime (client), SSR, and zero-runtime (Babel plugin).


Replace Tokens (Parse-Time Substitution)

Replace tokens are substituted inline at parse time — they are baked into the generated CSS, not resolved via CSS custom properties at runtime. This makes them ideal for value aliases and shorthand references.

Use $name for value tokens and #name for color token aliases:

configure({
  replaceTokens: {
    $spacing: '2x',
    '$card-padding': '4x',
    '#accent': '#purple',
    '#surface-hover': '#gray.05',
  },
});

When a component uses padding: '$card-padding', the parser replaces it with '4x' before generating CSS. When a component uses fill: '#accent', it is replaced with '#purple', which in turn resolves to var(--purple-color).

See Replace Tokens in the Style DSL reference.


Font Face

Register custom fonts globally so every component can reference them by family name. Values are descriptor objects or arrays (for multiple weights/styles). Rules are injected eagerly when styles are first generated.

configure({
  fontFace: {
    'Brand Sans': [
      {
        src: 'url("/fonts/brand-regular.woff2") format("woff2")',
        fontWeight: 400,
        fontDisplay: 'swap',
      },
      {
        src: 'url("/fonts/brand-bold.woff2") format("woff2")',
        fontWeight: 700,
        fontDisplay: 'swap',
      },
    ],
    Icons: {
      src: 'url("/fonts/icons.woff2") format("woff2")',
      fontDisplay: 'block',
    },
  },
});

Now any component can use fontFamily: '"Brand Sans", sans-serif' and the browser will already have the @font-face rules in the stylesheet.

See Font Face (@fontFace) for inline usage inside component styles and the full list of supported descriptors.


Counter Style

Define custom list-marker algorithms globally. Rules are injected eagerly when styles are first generated.

configure({
  counterStyle: {
    thumbs: {
      system: 'cyclic',
      symbols: '"👍"',
      suffix: '" "',
    },
    'lower-roman-parens': {
      system: 'extends lower-roman',
      suffix: '") "',
    },
  },
});

Components can then reference listStyleType: 'thumbs' directly.

See Counter Style (@counterStyle) for inline usage inside component styles and the full list of supported descriptors.


Recipes

Recipes are predefined, named style bundles. Define them globally via configure():

configure({
  recipes: {
    card: {
      padding: '4x',
      fill: '#surface',
      radius: '1r',
      border: true,
    },
    elevated: {
      shadow: '2x 2x 4x #shadow',
    },
  },
});

Recipe values are flat tasty styles (no sub-element keys). They may contain base styles, tokens, local states, @keyframes, and @properties. Recipes cannot reference other recipes.

For how to apply, compose, and override recipes in components, see Recipes in the Style DSL reference.


Auto Property Types

CSS cannot transition or animate custom properties unless their type is declared via @property. Tasty handles this automatically — when a custom property is assigned a concrete value (e.g. '$scale': 1, '$gap': '10px', '#accent': 'purple'), the type is inferred and a @property rule is registered.

This works across all declaration contexts: component styles, @keyframes, global config, and the zero-runtime Babel plugin. It also resolves var() chains — if $a references var(--b), the type propagates once --b is resolved.

Supported types:

DetectionInferred syntax
1, 0.5, -3 (bare numbers)<number>
10px, 2rem, 100vw (length units)<length>
50%<percentage>
45deg, 0.5turn (angle units)<angle>
300ms, 1s (time units)<time>
#name tokens (by naming convention)<color>

Auto-inferred properties use inherits: true (the CSS default). Use explicit @properties when you need different settings:

// In component styles
styles: {
  '@properties': {
    '$scale': { syntax: '<number>', inherits: false, initialValue: 1 },
  },
}

// Or globally
configure({
  properties: {
    '$scale': { syntax: '<number>', inherits: false, initialValue: 1 },
  },
});

To disable auto-inference entirely (only explicit @properties will be used):

configure({ autoPropertyTypes: false });

Custom Style Handlers

Override or extend the built-in style property handlers. A handler definition can take three forms:

FormSyntaxDescription
Function onlyhandlerTriggered by its key name; receives only that property
Single dep['styleName', handler]Triggered by the specified style property
Multi dep[['dep1', 'dep2', ...], handler]Triggered by any of the listed properties; receives all of them

The multi-dep form is useful when output depends on several style properties together (e.g., gap needs to know display and flow to decide the CSS strategy).

import { configure, styleHandlers } from '@tenphi/tasty';

configure({
  handlers: {
    // Function only — overrides built-in fill handler
    fill: ({ fill }) => {
      if (fill?.startsWith('gradient:')) {
        return { background: fill.slice(9) };
      }
      return styleHandlers.fill({ fill });
    },

    // Function only — new single-prop handler
    elevation: ({ elevation }) => {
      const level = parseInt(elevation) || 1;
      return {
        'box-shadow': `0 ${level * 2}px ${level * 4}px rgba(0,0,0,0.1)`,
        'z-index': String(level * 100),
      };
    },

    // Multi dep — handler reads multiple style properties
    gap: [['display', 'flow', 'gap'], ({ display, flow, gap }) => {
      if (!gap) return;
      const isGrid = display?.includes('grid');
      return { gap: isGrid ? gap : `/* custom logic for ${flow} */` };
    }],
  },
});

Extending Style Types (TypeScript)

Use module augmentation to extend the StylesInterface:

// tasty.d.ts
declare module '@tenphi/tasty' {
  interface StylesInterface {
    elevation?: string;
    gradient?: string;
  }
}

See Style DSL for state maps, tokens, units, and extending semantics, and Runtime API for tasty(), hooks, and component props.