ai
Version:
AI SDK by Vercel - The AI Toolkit for TypeScript and JavaScript
68 lines (49 loc) • 2.6 kB
text/mdx
---
title: AI_UIMessageStreamError
description: Learn how to fix AI_UIMessageStreamError
---
# AI_UIMessageStreamError
This error occurs when a UI message stream contains invalid or out-of-sequence chunks.
Common causes:
- Receiving a `text-delta` chunk without a preceding `text-start` chunk
- Receiving a `text-end` chunk without a preceding `text-start` chunk
- Receiving a `reasoning-delta` chunk without a preceding `reasoning-start` chunk
- Receiving a `reasoning-end` chunk without a preceding `reasoning-start` chunk
- Receiving a `tool-input-delta` chunk without a preceding `tool-input-start` chunk
- Attempting to access a tool invocation that doesn't exist
This error often surfaces when an upstream request fails **before any tokens are streamed** and a custom transport tries to write an inline error message to the UI stream without the proper start chunk.
## Properties
- `chunkType`: The type of chunk that caused the error (e.g., `text-delta`, `reasoning-end`, `tool-input-delta`)
- `chunkId`: The ID associated with the failing chunk (part ID or toolCallId)
- `message`: The error message with details about what went wrong
## Checking for this Error
You can check if an error is an instance of `AI_UIMessageStreamError` using:
```typescript
import { UIMessageStreamError } from 'ai';
if (UIMessageStreamError.isInstance(error)) {
console.log('Chunk type:', error.chunkType);
console.log('Chunk ID:', error.chunkId);
// Handle the error
}
```
## Common Solutions
1. **Ensure proper chunk ordering**: Always send a `*-start` chunk before any `*-delta` or `*-end` chunks for the same ID:
```typescript
// Correct order
writer.write({ type: 'text-start', id: 'my-text' });
writer.write({ type: 'text-delta', id: 'my-text', delta: 'Hello' });
writer.write({ type: 'text-end', id: 'my-text' });
```
2. **Verify IDs match**: Ensure the `id` used in `*-delta` and `*-end` chunks matches the `id` used in the corresponding `*-start` chunk.
3. **Handle error paths correctly**: When writing error messages in custom transports, ensure you emit the full start/delta/end sequence:
```typescript
// When handling errors in custom transports
writer.write({ type: 'text-start', id: errorId });
writer.write({
type: 'text-delta',
id: errorId,
delta: 'Request failed...',
});
writer.write({ type: 'text-end', id: errorId });
```
4. **Check stream producer logic**: Review your streaming implementation to ensure chunks are sent in the correct order, especially when dealing with concurrent operations or merged streams.