# Interactables URL: /docs/guides/interactables Persistent UI whose state can be read and updated by the AI assistant. Interactables are React components that live outside the chat message flow and have state that both the user and the AI can read and write. This enables AI-driven UI patterns where the assistant controls parts of your application beyond the chat window. Overview \[#overview] Unlike regular tool UIs that appear inline within messages, interactables: * **Persist across messages** — they live outside the chat thread * **Have shared state** — both the user (via React) and the AI (via auto-generated tools) can update them * **Support partial updates** — the AI only needs to send the fields it wants to change * **Are developer-placed** — you decide where they render in your app * **Auto-register tools** — the AI automatically gets a tool to update each interactable's state Common use cases: * Task boards that the AI can add items to * Data dashboards that update based on conversation * Forms that the AI pre-fills * Canvas/editor components that the AI can manipulate Quick Start \[#quick-start] 1\. Register the Interactables scope \[#1-register-the-interactables-scope] ```tsx import { useAui, Interactables, AssistantRuntimeProvider } from "@assistant-ui/react"; import { useChatRuntime } from "@assistant-ui/react-ai-sdk"; function MyRuntimeProvider({ children }: { children: React.ReactNode }) { const runtime = useChatRuntime(); const aui = useAui({ interactables: Interactables(), }); return ( {children} ); } ``` 2\. Create an interactable \[#2-create-an-interactable] Define the `stateSchema` and `initialState` **outside** the component (or memoize them). Creating a new schema on every render will cause the interactable to re-register and reset its state. ```tsx import { useInteractable } from "@assistant-ui/react"; import { z } from "zod"; const taskBoardSchema = z.object({ tasks: z.array( z.object({ id: z.string(), title: z.string(), done: z.boolean(), }), ), }); const taskBoardInitialState = { tasks: [] }; function TaskBoard() { const [state, setState] = useInteractable("taskBoard", { description: "A task board showing the user's tasks", stateSchema: taskBoardSchema, initialState: taskBoardInitialState, }); return (

Tasks

); } ``` 3\. Place it in your layout \[#3-place-it-in-your-layout] ```tsx function App() { return (
{/* Lives outside the chat */}
); } ``` Now when the user says \*"Add a task called 'Buy groceries'"\*, the AI will automatically call the `update_taskBoard` tool to update the state. Thanks to partial updates, the AI only needs to send the fields it wants to change. Partial Updates \[#partial-updates] Auto-generated tools use a partial schema — all fields become optional. The AI only sends the fields it wants to change; omitted fields keep their current values. ```tsx // If the state is { title: "My Note", content: "Hello", color: "yellow" } // The AI can call: update_note({ color: "blue" }) // Result: { title: "My Note", content: "Hello", color: "blue" } ``` This is especially useful for large state objects where regenerating the entire state would be expensive and error-prone. Merge is shallow (one level deep). If the AI sends a nested object, it replaces that entire field rather than deep-merging into it. Multiple Instances \[#multiple-instances] You can render multiple interactables with the same `name` but different `id`s. Each gets its own update tool: ```tsx import { useInteractable } from "@assistant-ui/react"; import { z } from "zod"; const noteSchema = z.object({ title: z.string(), content: z.string(), color: z.enum(["yellow", "blue", "green", "pink"]), }); const noteInitialState = { title: "New Note", content: "", color: "yellow" as const }; function NoteCard({ noteId }: { noteId: string }) { const [state] = useInteractable("note", { id: noteId, description: "A sticky note", stateSchema: noteSchema, initialState: noteInitialState, }); return
{state.title}
; } function App() { return ( <> {/* → update_note_note-1 tool */} {/* → update_note_note-2 tool */} ); } ``` When only one instance of a name exists, the tool is named `update_{name}` (e.g., `update_note`). When multiple instances exist, tools are named `update_{name}_{id}` (e.g., `update_note_note-1`). Selection \[#selection] When multiple interactables are present, you can mark one as "selected" to tell the AI which one the user is focused on: ```tsx function NoteCard({ noteId }: { noteId: string }) { const [state, setState, { setSelected }] = useInteractable("note", { id: noteId, description: "A sticky note", stateSchema: noteSchema, initialState: noteInitialState, }); return (
setSelected(true)}> {state.title}
); } ``` The AI sees \`(SELECTED)\` in the system prompt for the focused interactable, allowing it to prioritize that one in responses. For example, the user can say \*"Change the color to blue"\* and the AI knows which note to update. API Reference \[#api-reference] `useInteractable` \[#useinteractable] Hook that registers an interactable and returns its state with a setter. ```tsx const [state, setState, meta] = useInteractable(name, config); ``` **Parameters:** | Parameter | Type | Description | | --------------------- | --------------------------------- | ------------------------------------------------------- | | `name` | `string` | Name for the interactable (used in tool names) | | `config.description` | `string` | Description shown to the AI | | `config.stateSchema` | `StandardSchemaV1 \| JSONSchema7` | Schema for the state (e.g., a Zod schema) | | `config.initialState` | `TState` | Initial state value | | `config.id` | `string?` | Optional unique instance ID (auto-generated if omitted) | | `config.selected` | `boolean?` | Whether this interactable is selected | **Returns:** `[state, setState, { id, setSelected }]` | Return | Type | Description | | ------------------ | ------------------------------------------------------- | -------------------------------------------- | | `state` | `TState` | Current state | | `setState` | `(updater: TState \| (prev: TState) => TState) => void` | State setter (like `useState`) | | `meta.id` | `string` | The instance ID (auto-generated or provided) | | `meta.setSelected` | `(selected: boolean) => void` | Mark this interactable as selected | `makeInteractable` \[#makeinteractable] Declarative API that creates a component which registers an interactable when mounted. Useful for static configurations. ```tsx import { makeInteractable } from "@assistant-ui/react"; const TaskBoardInteractable = makeInteractable({ name: "taskBoard", description: "A task board showing the user's tasks", stateSchema: taskBoardSchema, initialState: taskBoardInitialState, }); // Mount it anywhere — renders nothing, just registers the interactable function App() { return ( <> ); } ``` `Interactables` \[#interactables] The scope resource that manages all interactables. Register it via `useAui`: ```tsx const aui = useAui({ interactables: Interactables(), }); ``` How It Works \[#how-it-works] When you call `useInteractable("taskBoard", config)`: 1. **Registration** — the interactable is registered in the `interactables` scope with its name, description, schema, and initial state. 2. **Tool generation** — an `update_taskBoard` frontend tool is automatically created with a partial schema (all fields optional). For multiple instances, tools are named `update_{name}_{id}`. 3. **System prompt** — the AI receives a system message describing the interactable, its current state, and whether it is selected. 4. **Streaming updates** — as the AI generates the tool arguments, the interactable's state updates progressively rather than waiting for complete arguments. This gives users immediate visual feedback. 5. **Partial merge** — only the fields the AI sends are updated; the rest are preserved. 6. **Bidirectional updates** — when the AI calls the tool, the state updates and React re-renders. When the user updates state via `setState`, the model context is notified so the AI sees the latest state on the next turn. Combining with Tools \[#combining-with-tools] You can use `Interactables` alongside `Tools`: ```tsx const aui = useAui({ tools: Tools({ toolkit: myToolkit }), interactables: Interactables(), }); ```