Tasty is not a drop-in replacement for another styling library. It is a substrate for building a design-system-defined styling language: what the comparison guide calls a house styling language. That means adoption usually starts where styling for reusable, stateful components has already become a composition problem, not with an all-at-once rewrite.
This guide is for design-system maintainers and platform engineers evaluating Tasty or introducing it into an existing codebase. Use this document for rollout strategy and adoption sequencing; use the Comparison guide when the open question is whether Tasty is the right tool in the first place.
Tasty is not the surface your product engineers interact with directly. It sits one layer below:
Product code
└─ DS components (Button, Card, Layout, ...)
└─ Tasty engine (tasty(), configure(), hooks)
└─ CSS (mutually exclusive selectors, tokens, custom properties)
What Tasty owns:
- The DSL and value parser (tokens, custom units, auto-calc, color opacity)
- State compilation (mutually exclusive selectors from state maps)
- Style injection and deduplication (runtime or build-time)
- The
tasty()component factory and hooks API
What the DS team owns:
- Token names and values (colors, spacing, typography)
- Custom units and their semantics
- State aliases (
@mobile,@dark,@compact) - Recipes (reusable style bundles)
- Which style props each component exposes
- Sub-element structure for compound components
- The override and extension rules product teams follow
Two teams using Tasty can end up with very different authoring models. That is by design.
Strong fit:
- A design-system or platform team that wants to define a governed styling language
- Components with complex, intersecting states (hover + disabled + theme + breakpoint)
- Teams that need deterministic style resolution without cascade/specificity bugs
- Organizations where styling decisions should be centralized, not distributed
Not the right fit:
- Solo developers building a one-off app with minimal UI structure
- Teams that want a shared utility vocabulary and direct markup authoring (Tailwind is better here)
- Projects where low ceremony matters more than central governance
- Codebases where intersecting state complexity is low
For a detailed comparison with Tailwind, Panda CSS, vanilla-extract, StyleX, Stitches, and Emotion, see the Comparison guide.
Tasty provides the engine. The DS team defines the language that runs on it. Here is what that typically involves:
| Layer | What you define | Where |
|---|---|---|
| Tokens | Color names, spacing scale, border widths, radii | configure({ tokens }) |
| Units | Custom multiplier units (x, r, bw, or your own) |
configure({ units }) |
| State aliases | Responsive breakpoints, theme modes, feature flags | configure({ states }) |
| Recipes | Reusable style bundles (card, elevated, input-reset) | configure({ recipes }) |
| Typography | Preset definitions (h1-h6, t1-t4, etc.) | configure({ tokens: generateTypographyTokens(...) }) |
| Style props | Which CSS properties each component exposes as React props | styleProps in each component |
| Sub-elements | Inner parts of compound components (Title, Icon, Content) | elements + capitalized keys in styles |
| Override rules | How product engineers extend or constrain components | Styled wrappers via tasty(Base, { ... }) |
The same engine can power a minimal design system with a handful of tokens:
configure({
tokens: { '#bg': '#white', '#text': '#111' },
states: { '@dark': '@root(schema=dark)' },
});...or an enterprise-scale system with dozens of tokens, multiple state aliases, typography presets, recipes, and custom units. The scope is yours to decide.
Here is how the layers connect end-to-end. The DS team configures the engine, defines components, and product engineers consume them:
// ds/config.ts — DS team defines the language
configure({
tokens: { '#primary': 'oklch(55% 0.25 265)', '#surface': '#fff', '#text': '#111' },
states: { '@mobile': '@media(w < 768px)', '@dark': '@root(schema=dark)' },
recipes: { card: { padding: '4x', fill: '#surface', radius: '1r', border: true } },
});
// ds/components/Card.tsx — DS team builds components on top
const Card = tasty({
styles: {
recipe: 'card',
Title: { preset: 'h3', color: '#primary' },
Body: { preset: 't2', color: '#text' },
},
elements: { Title: 'h2', Body: 'div' },
styleProps: ['padding', 'fill'],
});
// app/Dashboard.tsx — product engineer uses the component
<Card padding={{ '': '4x', '@mobile': '2x' }}>
<Card.Title>Monthly Revenue</Card.Title>
<Card.Body>$1.2M — up 12% from last month</Card.Body>
</Card>See Configuration for the full configure() API.
You do not need to adopt everything at once. Tasty is designed to be introduced layer by layer.
A practical way to start is with the components that already suffer from intersecting state and variant logic: buttons, inputs, menus, disclosures, dialogs, list items, interactive cards, and compound components. Those are the places where deterministic resolution pays off fastest.
Start by defining your design tokens and custom units. This is the lowest-risk step: it only configures the parser and does not require rewriting any components.
import { configure } from '@tenphi/tasty';
configure({
tokens: {
'#primary': 'oklch(55% 0.25 265)',
'#surface': '#white',
'#text': '#111',
'$card-padding': '4x',
},
// Common units (x, r, bw, ow, cr) are built-in.
// A DS typically redefines them to use CSS custom properties
// so that the actual scale is controlled via CSS, not JS:
units: {
x: 'var(--gap)', // 2x → calc(var(--gap) * 2)
r: 'var(--radius)',
bw: 'var(--border-width)',
},
});Define the state vocabulary your components will share. This is where you start encoding your team's conventions.
configure({
states: {
'@mobile': '@media(w < 768px)',
'@tablet': '@media(w < 1024px)',
'@dark': '@root(schema=dark) | (!@root(schema) & @media(prefers-color-scheme: dark))',
},
recipes: {
card: { padding: '4x', fill: '#surface', radius: '1r', border: true },
elevated: { shadow: '0 2x 4x #shadow' },
},
});Pick 2-3 widely used primitives (Box, Text, Button) and rewrite them with tasty(). Keep the public API identical so product code does not need to change.
const Box = tasty({
as: 'div',
styles: {
display: 'flex',
flow: 'column',
gap: '1x',
},
styleProps: ['gap', 'flow', 'padding', 'fill'],
});At this point you can validate the DSL, token workflow, and component authoring experience before expanding the rollout.
Move the components with the most painful intersecting states (buttons with hover + disabled + theme variants, inputs with focus + error + readonly) to Tasty's state map syntax. This is where mutually exclusive selectors start paying off.
const Button = tasty({
as: 'button',
styles: {
fill: {
'': '#primary',
':hover': '#primary-hover',
':active': '#primary-pressed',
// `disabled` is a data-attribute modifier → [data-disabled].
// Tasty auto-applies it from the native `disabled` attribute.
// `[disabled]` (attribute selector) also works here.
disabled: '#surface',
},
color: {
'': '#on-primary',
disabled: '#text.40',
},
cursor: {
'': 'pointer',
disabled: 'not-allowed',
},
transition: 'theme',
},
});Define which style props each component category exposes. Layout components get flow/gap/padding. Interactive components get positioning. Compound components declare sub-elements.
const Card = tasty({
styles: {
recipe: 'card elevated',
Title: { preset: 'h3', color: '#primary' },
Content: { color: '#text', preset: 't2' },
},
elements: { Title: 'h2', Content: 'div' },
styleProps: ['padding', 'fill', 'radius'],
});Migrate the remaining components, add the ESLint plugin to enforce style conventions at lint time, and consider zero-runtime mode for static or performance-critical pages.
When a DS is powered by Tasty, product engineers typically interact with components, not Tasty itself. Here is what changes from their perspective:
They do not write CSS directly. Styling decisions are embedded in the components the DS provides. Product code consumes components, tokens, and style props.
Overrides use styled wrappers. Instead of passing one-off className or style props, product engineers extend components:
import { tasty } from '@tenphi/tasty';
import { Button } from 'my-ds';
// Replace mode: providing '' (default) key replaces the parent's fill entirely
const DangerButton = tasty(Button, {
styles: {
fill: { '': '#danger', ':hover': '#danger-hover' },
},
});
// Extend mode: omitting '' key preserves parent states and adds/overrides
const LoadingButton = tasty(Button, {
styles: {
fill: {
loading: '#yellow', // new state appended
disabled: '#gray.20', // existing state overridden in place
},
},
});Style props replace raw CSS. Layout, spacing, and positioning are controlled through typed props on the components that expose them:
<Space flow="row" gap="2x" placeItems="center">
<Title>Dashboard</Title>
<Button placeSelf="end">Add Item</Button>
</Space>No cascade/specificity concerns. Tasty's mutually exclusive selectors mean extending a component cannot accidentally break another. Import order, class name collisions, and specificity arithmetic are non-issues.
- From Tailwind: keep utility-authored product surfaces as-is at first, and use Tasty to build or replace the design-system primitives underneath them instead of forcing an all-at-once markup rewrite.
- From CSS-in-JS libraries: start with shared primitives such as
Box,Text, andButton, preserve the external component API, and move state logic into Tasty state maps so behavior changes without product-code churn. - From CSS Modules or plain CSS: migrate token definitions and repeated patterns first, then wrap existing DOM structure with
tasty()components gradually rather than converting every stylesheet at once.
- README -- overview, quick start, and feature highlights
- Getting Started -- installation, first component, tooling setup
- Methodology -- the recommended patterns for structuring Tasty components
- Building a Design System -- practical guide to building a DS layer with Tasty
- Style DSL -- state maps, tokens, units, extending semantics, keyframes, @property
- Runtime API --
tasty()factory, component props, variants, sub-elements, hooks - Configuration -- tokens, recipes, custom units, style handlers, and TypeScript extensions
- Style Properties -- complete reference for all enhanced style properties
- Comparison -- positioning and trade-offs vs. other styling systems
- Zero Runtime (tastyStatic) -- build-time static styling with Babel plugin