-
Notifications
You must be signed in to change notification settings - Fork 46
AIT threading feature documentation #3076
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Open
owenpearson
wants to merge
2
commits into
AIT-129-AIT-Docs-release-branch
Choose a base branch
from
ait_threading
base: AIT-129-AIT-Docs-release-branch
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
2 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
259 changes: 259 additions & 0 deletions
259
src/pages/docs/ai-transport/features/messaging/chain-of-thought.mdx
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,259 @@ | ||
| --- | ||
| title: "Chain of thought" | ||
| meta_description: "Stream chain-of-thought reasoning from thinking models in AI applications" | ||
| meta_keywords: "chain of thought, thinking models, extended thinking, reasoning transparency, reasoning streams, thought process, AI transparency, separate channels, model reasoning, tool calls, reasoning tokens" | ||
| --- | ||
|
|
||
| Modern AI applications stream chain-of-thought reasoning from thinking models alongside their output. Rather than immediately generating output, thinking models work through problems step-by-step, evaluating different approaches and refining their reasoning before and during output generation. Exposing this reasoning provides transparency into how the model arrived at its output, enabling richer user experiences and deeper insights into model behavior. | ||
|
|
||
| ## What is chain-of-thought? <a id="what"/> | ||
|
|
||
| Chain-of-thought is the model's internal reasoning process as it works through a problem. Modern thinking models output this reasoning as a stream of messages that show how they evaluate options, consider trade-offs, and plan their approach while generating output. | ||
|
|
||
| A single response from the model may consist of multiple output messages interleaved with reasoning messages, which are all associated with the same model response. | ||
|
|
||
| As an application developer, you decide what reasoning to surface and to whom. You may choose to expose all reasoning, filter or summarize it (for example, via a separate model call), or keep internal thinking entirely private. | ||
|
|
||
| Surfacing chain-of-thought reasoning provides: | ||
|
|
||
| - Trust and transparency: Users can see how the AI reached its conclusions, building confidence in the output | ||
| - Better user experience: Displaying reasoning in realtime provides feedback that the model is making progress during longer operations | ||
| - Enhanced steerability: Users can intervene and redirect the model based on its reasoning so far, guiding it toward better outcomes | ||
|
|
||
| ## Streaming patterns <a id="patterns"/> | ||
|
|
||
| As an application developer, you decide how to surface chain-of-thought reasoning to end users. Ably's pub/sub model is flexible and can accommodate any messaging pattern you choose. Below are a few common patterns used in modern AI applications, each showing both agent-side publishing and client-side subscription. Choose the approach that fits your use case, or create your own variation. | ||
|
|
||
| ### Inline pattern <a id="inline"/> | ||
|
|
||
| In the inline pattern, reasoning messages are published to the same channel as model output messages. | ||
|
|
||
| By publishing all content to a single channel, the inline pattern: | ||
|
|
||
| - Simplifies channel management by consolidating all conversation content in one place | ||
| - Maintains relative order of reasoning and model output messages as they are generated | ||
| - Supports retrieving reasoning and response messages together from history | ||
|
|
||
| #### Publishing | ||
|
|
||
| Publish both reasoning and model output messages to a single channel. | ||
|
|
||
| In the example below, the `responseId` is included in the message [extras](/docs/messages#properties) to allow subscribers to correlate all messages belonging to the same response. The message [`name`](/docs/messages#properties) allows the client distinguish between the different message types: | ||
|
|
||
| <Code> | ||
| ```javascript | ||
| const channel = realtime.channels.get('{{RANDOM_CHANNEL_NAME}}'); | ||
|
|
||
| // Example: stream returns events like: | ||
| // { type: 'reasoning', text: "Let's break down the problem: 27 * 12", responseId: 'resp_abc123' } | ||
| // { type: 'reasoning', text: 'First, I can split this into 27 * 10 + 27 * 2', responseId: 'resp_abc123' } | ||
| // { type: 'reasoning', text: 'That gives us 270 + 54 = 324', responseId: 'resp_abc123' } | ||
| // { type: 'message', text: '27 * 12 = 324', responseId: 'resp_abc123' } | ||
|
|
||
| for await (const event of stream) { | ||
| if (event.type === 'reasoning') { | ||
| // Publish reasoning messages | ||
| await channel.publish({ | ||
| name: 'reasoning', | ||
| data: event.text, | ||
| extras: { | ||
| headers: { | ||
| responseId: event.responseId | ||
| } | ||
| } | ||
| }); | ||
| } else if (event.type === 'message') { | ||
| // Publish model output messages | ||
| await channel.publish({ | ||
| name: 'message', | ||
| data: event.text, | ||
| extras: { | ||
| headers: { | ||
| responseId: event.responseId | ||
| } | ||
| } | ||
| }); | ||
| } | ||
| } | ||
| ``` | ||
| </Code> | ||
|
|
||
| <Aside data-type="note"> | ||
| To learn how to stream individual tokens as they are generated, see the [token streaming](/docs/ai-transport/features/token-streaming) documentation. | ||
| </Aside> | ||
|
|
||
| #### Subscribing | ||
|
|
||
| Subscribe to both reasoning and model output messages on the same channel. | ||
|
|
||
| In the example below, the `responseId` from the message [`extras`](/docs/api/realtime-sdk/messages#extras) is used to group reasoning and model output messages belonging to the same response. The message [`name`](/docs/messages#properties) allows the client distinguish between the different message types: | ||
|
|
||
| <Code> | ||
| ```javascript | ||
| // Use rewind to receive recent historical messages (optional) | ||
| const channel = realtime.channels.get('{{RANDOM_CHANNEL_NAME}}'); | ||
|
|
||
| // Track responses by ID, each containing reasoning messages and final response | ||
| const responses = new Map(); | ||
|
|
||
| // Subscribe to all events on the channel | ||
| await channel.subscribe((message) => { | ||
| const responseId = message.extras?.headers?.responseId; | ||
|
|
||
| if (!responseId) { | ||
| console.warn('Message missing responseId'); | ||
| return; | ||
| } | ||
|
|
||
| // Initialize response object if needed | ||
| if (!responses.has(responseId)) { | ||
| responses.set(responseId, { | ||
| reasoning: [], | ||
| message: '' | ||
| }); | ||
| } | ||
|
|
||
| const response = responses.get(responseId); | ||
|
|
||
| // Handle each message type | ||
| switch (message.name) { | ||
| case 'message': | ||
| response.message = message.data; | ||
| break; | ||
| case 'reasoning': | ||
| response.reasoning.push(message.data); | ||
| break; | ||
| } | ||
|
|
||
| // Display the reasoning and response for this turn | ||
| console.log(`Response ${responseId}:`, response); | ||
| }); | ||
| ``` | ||
| </Code> | ||
|
|
||
| <Aside data-type="further-reading"> | ||
| To learn about hydrating responses from channel history, including using `rewind` or `untilAttach`, handling in-progress responses, and correlating with database records, see client hydration in the [message-per-response](/docs/ai-transport/features/token-streaming/message-per-response#hydration) and [message-per-token](/docs/ai-transport/features/token-streaming/message-per-token#hydration) documentation. | ||
| </Aside> | ||
|
|
||
| ### Threading pattern <a id="threading"/> | ||
|
|
||
| In the threading pattern, reasoning messages are published to a separate channel from model output messages. The reasoning channel name is communicated to clients, allowing them to discover where to obtain reasoning content on demand. | ||
|
|
||
| By separating reasoning into its own channel, the threading pattern: | ||
|
|
||
| - Keeps the main channel clean and focused on final responses without reasoning output cluttering the conversation history | ||
| - Reduces bandwidth usage by delivering reasoning messages only when users choose to view them | ||
| - Works well for long reasoning threads, where not all the detail needs to be immediately surfaced to the user, but is helpful to see on demand | ||
|
|
||
| #### Publishing | ||
|
|
||
| Publish model output messages to the main conversation channel and reasoning messages to a dedicated reasoning channel. The reasoning channel name includes the response ID, creating a unique reasoning channel per response. | ||
|
|
||
| In the example below, a `start` control message is sent on the main channel at the beginning of each response, which includes the response ID in the message [`extras`](/docs/api/realtime-sdk/messages#extras). Clients can derive the reasoning channel name from the response ID, allowing them to discover and subscribe to the stream of reasoning messages on demand: | ||
|
|
||
| <Aside data-type="note"> | ||
| Ably channels are [created when used](/docs/channels#use), so you can dynamically create unique reasoning channels on demand. | ||
| </Aside> | ||
|
|
||
| <Code> | ||
| ```javascript | ||
| const conversationChannel = realtime.channels.get('{{RANDOM_CHANNEL_NAME}}'); | ||
|
|
||
| // Example: stream returns events like: | ||
| // { type: 'start', responseId: 'resp_abc123' } | ||
| // { type: 'reasoning', text: "Let's break down the problem: 27 * 12", responseId: 'resp_abc123' } | ||
| // { type: 'reasoning', text: 'First, I can split this into 27 * 10 + 27 * 2', responseId: 'resp_abc123' } | ||
| // { type: 'reasoning', text: 'That gives us 270 + 54 = 324', responseId: 'resp_abc123' } | ||
| // { type: 'message', text: '27 * 12 = 324', responseId: 'resp_abc123' } | ||
|
|
||
| for await (const event of stream) { | ||
| if (event.type === 'start') { | ||
| // Publish response start control message | ||
| await conversationChannel.publish({ | ||
| name: 'start', | ||
| extras: { | ||
| headers: { | ||
| responseId: event.responseId | ||
| } | ||
| } | ||
| }); | ||
| } else if (event.type === 'reasoning') { | ||
| // Publish reasoning to separate reasoning channel | ||
| const reasoningChannel = realtime.channels.get(`{{RANDOM_CHANNEL_NAME}}:${event.responseId}`); | ||
|
|
||
| await reasoningChannel.publish({ | ||
| name: 'reasoning', | ||
| data: event.text | ||
| }); | ||
| } else if (event.type === 'message') { | ||
| // Publish model output to main channel | ||
| await conversationChannel.publish({ | ||
| name: 'message', | ||
| data: event.text, | ||
| extras: { | ||
| headers: { | ||
| responseId: event.responseId | ||
| } | ||
| } | ||
| }); | ||
| } | ||
| } | ||
| ``` | ||
| </Code> | ||
|
|
||
| <Aside data-type="note"> | ||
| To learn how to stream individual tokens as they are generated, see the [token streaming](/docs/ai-transport/features/token-streaming) documentation. | ||
| </Aside> | ||
|
|
||
| #### Subscribing | ||
|
|
||
| Subscribe to the main conversation channel to receive control messages and model output. Subscribe to the reasoning channel on demand, for example in response to a click event. | ||
|
|
||
| In the example below, `responseId` from the message [`extras`](/docs/api/realtime-sdk/messages#extras) is used to derive the reasoning channel name, allowing clients to subscribe to the reasoning channel on demand to retrieve the reasoning associated with a response: | ||
|
|
||
| <Code> | ||
| ```javascript | ||
| const conversationChannel = realtime.channels.get('{{RANDOM_CHANNEL_NAME}}'); | ||
|
|
||
| // Track responses by ID | ||
| const responses = new Map(); | ||
|
|
||
| // Subscribe to all messages on the main channel | ||
| await conversationChannel.subscribe((message) => { | ||
| const responseId = message.extras?.headers?.responseId; | ||
|
|
||
| if (!responseId) { | ||
| console.warn('Message missing responseId'); | ||
| return; | ||
| } | ||
|
|
||
| // Handle response start control message | ||
| if (message.name === 'start') { | ||
| responses.set(responseId, ''); | ||
| } | ||
|
|
||
| // Handle model output message | ||
| if (message.name === 'message') { | ||
| responses.set(responseId, message.data); | ||
| } | ||
| }); | ||
|
|
||
| // Subscribe to reasoning on demand (e.g., when user clicks to view reasoning) | ||
| async function onClickViewReasoning(responseId) { | ||
| // Derive reasoning channel name from responseId and | ||
| // use rewind to retrieve historical reasoning | ||
| const reasoningChannel = realtime.channels.get(`{{RANDOM_CHANNEL_NAME}}:${responseId}`, { | ||
| params: { rewind: '2m' } | ||
| }); | ||
|
|
||
| // Subscribe to reasoning messages | ||
| await reasoningChannel.subscribe((message) => { | ||
| console.log(`[Reasoning]: ${message.data}`); | ||
| }); | ||
| } | ||
| ``` | ||
| </Code> | ||
|
|
||
| <Aside data-type="further-reading"> | ||
| For more advanced hydration strategies, including using channel history with `untilAttach`, handling in-progress responses, and correlating with database records, see client hydration in the [message-per-response](/docs/ai-transport/features/token-streaming/message-per-response#hydration) and [message-per-token](/docs/ai-transport/features/token-streaming/message-per-token#hydration) documentation. | ||
| </Aside> | ||
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Is 2m enough in general?