@tambo-ai/typescript-sdk 0.83.0 → 0.85.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Files changed (71) hide show
  1. package/CHANGELOG.md +22 -0
  2. package/core/streaming.d.mts +33 -0
  3. package/core/streaming.d.mts.map +1 -0
  4. package/core/streaming.d.ts +33 -0
  5. package/core/streaming.d.ts.map +1 -0
  6. package/core/streaming.js +263 -0
  7. package/core/streaming.js.map +1 -0
  8. package/core/streaming.mjs +258 -0
  9. package/core/streaming.mjs.map +1 -0
  10. package/internal/decoders/line.d.mts +17 -0
  11. package/internal/decoders/line.d.mts.map +1 -0
  12. package/internal/decoders/line.d.ts +17 -0
  13. package/internal/decoders/line.d.ts.map +1 -0
  14. package/internal/decoders/line.js +113 -0
  15. package/internal/decoders/line.js.map +1 -0
  16. package/internal/decoders/line.mjs +108 -0
  17. package/internal/decoders/line.mjs.map +1 -0
  18. package/internal/parse.d.mts.map +1 -1
  19. package/internal/parse.d.ts.map +1 -1
  20. package/internal/parse.js +10 -0
  21. package/internal/parse.js.map +1 -1
  22. package/internal/parse.mjs +10 -0
  23. package/internal/parse.mjs.map +1 -1
  24. package/internal/request-options.d.mts +2 -0
  25. package/internal/request-options.d.mts.map +1 -1
  26. package/internal/request-options.d.ts +2 -0
  27. package/internal/request-options.d.ts.map +1 -1
  28. package/internal/request-options.js.map +1 -1
  29. package/internal/request-options.mjs.map +1 -1
  30. package/package.json +11 -1
  31. package/resources/threads/index.d.mts +1 -1
  32. package/resources/threads/index.d.mts.map +1 -1
  33. package/resources/threads/index.d.ts +1 -1
  34. package/resources/threads/index.d.ts.map +1 -1
  35. package/resources/threads/index.js.map +1 -1
  36. package/resources/threads/index.mjs.map +1 -1
  37. package/resources/threads/runs.d.mts +35 -9
  38. package/resources/threads/runs.d.mts.map +1 -1
  39. package/resources/threads/runs.d.ts +35 -9
  40. package/resources/threads/runs.d.ts.map +1 -1
  41. package/resources/threads/runs.js +13 -8
  42. package/resources/threads/runs.js.map +1 -1
  43. package/resources/threads/runs.mjs +13 -8
  44. package/resources/threads/runs.mjs.map +1 -1
  45. package/resources/threads/threads.d.mts +2 -14
  46. package/resources/threads/threads.d.mts.map +1 -1
  47. package/resources/threads/threads.d.ts +2 -14
  48. package/resources/threads/threads.d.ts.map +1 -1
  49. package/resources/threads/threads.js.map +1 -1
  50. package/resources/threads/threads.mjs.map +1 -1
  51. package/src/core/streaming.ts +315 -0
  52. package/src/internal/decoders/line.ts +135 -0
  53. package/src/internal/parse.ts +14 -0
  54. package/src/internal/request-options.ts +2 -0
  55. package/src/resources/threads/index.ts +2 -0
  56. package/src/resources/threads/runs.ts +46 -12
  57. package/src/resources/threads/threads.ts +4 -15
  58. package/src/streaming.ts +2 -0
  59. package/src/version.ts +1 -1
  60. package/streaming.d.mts +2 -0
  61. package/streaming.d.mts.map +1 -0
  62. package/streaming.d.ts +2 -0
  63. package/streaming.d.ts.map +1 -0
  64. package/streaming.js +6 -0
  65. package/streaming.js.map +1 -0
  66. package/streaming.mjs +2 -0
  67. package/streaming.mjs.map +1 -0
  68. package/version.d.mts +1 -1
  69. package/version.d.ts +1 -1
  70. package/version.js +1 -1
  71. package/version.mjs +1 -1
@@ -0,0 +1,315 @@
1
+ import { TamboAIError } from './error';
2
+ import { type ReadableStream } from '../internal/shim-types';
3
+ import { makeReadableStream } from '../internal/shims';
4
+ import { findDoubleNewlineIndex, LineDecoder } from '../internal/decoders/line';
5
+ import { ReadableStreamToAsyncIterable } from '../internal/shims';
6
+ import { isAbortError } from '../internal/errors';
7
+ import { encodeUTF8 } from '../internal/utils/bytes';
8
+ import { loggerFor } from '../internal/utils/log';
9
+ import type { TamboAI } from '../client';
10
+
11
+ type Bytes = string | ArrayBuffer | Uint8Array | null | undefined;
12
+
13
+ export type ServerSentEvent = {
14
+ event: string | null;
15
+ data: string;
16
+ raw: string[];
17
+ };
18
+
19
+ export class Stream<Item> implements AsyncIterable<Item> {
20
+ controller: AbortController;
21
+ #client: TamboAI | undefined;
22
+
23
+ constructor(
24
+ private iterator: () => AsyncIterator<Item>,
25
+ controller: AbortController,
26
+ client?: TamboAI,
27
+ ) {
28
+ this.controller = controller;
29
+ this.#client = client;
30
+ }
31
+
32
+ static fromSSEResponse<Item>(
33
+ response: Response,
34
+ controller: AbortController,
35
+ client?: TamboAI,
36
+ ): Stream<Item> {
37
+ let consumed = false;
38
+ const logger = client ? loggerFor(client) : console;
39
+
40
+ async function* iterator(): AsyncIterator<Item, any, undefined> {
41
+ if (consumed) {
42
+ throw new TamboAIError('Cannot iterate over a consumed stream, use `.tee()` to split the stream.');
43
+ }
44
+ consumed = true;
45
+ let done = false;
46
+ try {
47
+ for await (const sse of _iterSSEMessages(response, controller)) {
48
+ try {
49
+ yield JSON.parse(sse.data);
50
+ } catch (e) {
51
+ logger.error(`Could not parse message into JSON:`, sse.data);
52
+ logger.error(`From chunk:`, sse.raw);
53
+ throw e;
54
+ }
55
+ }
56
+ done = true;
57
+ } catch (e) {
58
+ // If the user calls `stream.controller.abort()`, we should exit without throwing.
59
+ if (isAbortError(e)) return;
60
+ throw e;
61
+ } finally {
62
+ // If the user `break`s, abort the ongoing request.
63
+ if (!done) controller.abort();
64
+ }
65
+ }
66
+
67
+ return new Stream(iterator, controller, client);
68
+ }
69
+
70
+ /**
71
+ * Generates a Stream from a newline-separated ReadableStream
72
+ * where each item is a JSON value.
73
+ */
74
+ static fromReadableStream<Item>(
75
+ readableStream: ReadableStream,
76
+ controller: AbortController,
77
+ client?: TamboAI,
78
+ ): Stream<Item> {
79
+ let consumed = false;
80
+
81
+ async function* iterLines(): AsyncGenerator<string, void, unknown> {
82
+ const lineDecoder = new LineDecoder();
83
+
84
+ const iter = ReadableStreamToAsyncIterable<Bytes>(readableStream);
85
+ for await (const chunk of iter) {
86
+ for (const line of lineDecoder.decode(chunk)) {
87
+ yield line;
88
+ }
89
+ }
90
+
91
+ for (const line of lineDecoder.flush()) {
92
+ yield line;
93
+ }
94
+ }
95
+
96
+ async function* iterator(): AsyncIterator<Item, any, undefined> {
97
+ if (consumed) {
98
+ throw new TamboAIError('Cannot iterate over a consumed stream, use `.tee()` to split the stream.');
99
+ }
100
+ consumed = true;
101
+ let done = false;
102
+ try {
103
+ for await (const line of iterLines()) {
104
+ if (done) continue;
105
+ if (line) yield JSON.parse(line);
106
+ }
107
+ done = true;
108
+ } catch (e) {
109
+ // If the user calls `stream.controller.abort()`, we should exit without throwing.
110
+ if (isAbortError(e)) return;
111
+ throw e;
112
+ } finally {
113
+ // If the user `break`s, abort the ongoing request.
114
+ if (!done) controller.abort();
115
+ }
116
+ }
117
+
118
+ return new Stream(iterator, controller, client);
119
+ }
120
+
121
+ [Symbol.asyncIterator](): AsyncIterator<Item> {
122
+ return this.iterator();
123
+ }
124
+
125
+ /**
126
+ * Splits the stream into two streams which can be
127
+ * independently read from at different speeds.
128
+ */
129
+ tee(): [Stream<Item>, Stream<Item>] {
130
+ const left: Array<Promise<IteratorResult<Item>>> = [];
131
+ const right: Array<Promise<IteratorResult<Item>>> = [];
132
+ const iterator = this.iterator();
133
+
134
+ const teeIterator = (queue: Array<Promise<IteratorResult<Item>>>): AsyncIterator<Item> => {
135
+ return {
136
+ next: () => {
137
+ if (queue.length === 0) {
138
+ const result = iterator.next();
139
+ left.push(result);
140
+ right.push(result);
141
+ }
142
+ return queue.shift()!;
143
+ },
144
+ };
145
+ };
146
+
147
+ return [
148
+ new Stream(() => teeIterator(left), this.controller, this.#client),
149
+ new Stream(() => teeIterator(right), this.controller, this.#client),
150
+ ];
151
+ }
152
+
153
+ /**
154
+ * Converts this stream to a newline-separated ReadableStream of
155
+ * JSON stringified values in the stream
156
+ * which can be turned back into a Stream with `Stream.fromReadableStream()`.
157
+ */
158
+ toReadableStream(): ReadableStream {
159
+ const self = this;
160
+ let iter: AsyncIterator<Item>;
161
+
162
+ return makeReadableStream({
163
+ async start() {
164
+ iter = self[Symbol.asyncIterator]();
165
+ },
166
+ async pull(ctrl: any) {
167
+ try {
168
+ const { value, done } = await iter.next();
169
+ if (done) return ctrl.close();
170
+
171
+ const bytes = encodeUTF8(JSON.stringify(value) + '\n');
172
+
173
+ ctrl.enqueue(bytes);
174
+ } catch (err) {
175
+ ctrl.error(err);
176
+ }
177
+ },
178
+ async cancel() {
179
+ await iter.return?.();
180
+ },
181
+ });
182
+ }
183
+ }
184
+
185
+ export async function* _iterSSEMessages(
186
+ response: Response,
187
+ controller: AbortController,
188
+ ): AsyncGenerator<ServerSentEvent, void, unknown> {
189
+ if (!response.body) {
190
+ controller.abort();
191
+ if (
192
+ typeof (globalThis as any).navigator !== 'undefined' &&
193
+ (globalThis as any).navigator.product === 'ReactNative'
194
+ ) {
195
+ throw new TamboAIError(
196
+ `The default react-native fetch implementation does not support streaming. Please use expo/fetch: https://docs.expo.dev/versions/latest/sdk/expo/#expofetch-api`,
197
+ );
198
+ }
199
+ throw new TamboAIError(`Attempted to iterate over a response with no body`);
200
+ }
201
+
202
+ const sseDecoder = new SSEDecoder();
203
+ const lineDecoder = new LineDecoder();
204
+
205
+ const iter = ReadableStreamToAsyncIterable<Bytes>(response.body);
206
+ for await (const sseChunk of iterSSEChunks(iter)) {
207
+ for (const line of lineDecoder.decode(sseChunk)) {
208
+ const sse = sseDecoder.decode(line);
209
+ if (sse) yield sse;
210
+ }
211
+ }
212
+
213
+ for (const line of lineDecoder.flush()) {
214
+ const sse = sseDecoder.decode(line);
215
+ if (sse) yield sse;
216
+ }
217
+ }
218
+
219
+ /**
220
+ * Given an async iterable iterator, iterates over it and yields full
221
+ * SSE chunks, i.e. yields when a double new-line is encountered.
222
+ */
223
+ async function* iterSSEChunks(iterator: AsyncIterableIterator<Bytes>): AsyncGenerator<Uint8Array> {
224
+ let data = new Uint8Array();
225
+
226
+ for await (const chunk of iterator) {
227
+ if (chunk == null) {
228
+ continue;
229
+ }
230
+
231
+ const binaryChunk =
232
+ chunk instanceof ArrayBuffer ? new Uint8Array(chunk)
233
+ : typeof chunk === 'string' ? encodeUTF8(chunk)
234
+ : chunk;
235
+
236
+ let newData = new Uint8Array(data.length + binaryChunk.length);
237
+ newData.set(data);
238
+ newData.set(binaryChunk, data.length);
239
+ data = newData;
240
+
241
+ let patternIndex;
242
+ while ((patternIndex = findDoubleNewlineIndex(data)) !== -1) {
243
+ yield data.slice(0, patternIndex);
244
+ data = data.slice(patternIndex);
245
+ }
246
+ }
247
+
248
+ if (data.length > 0) {
249
+ yield data;
250
+ }
251
+ }
252
+
253
+ class SSEDecoder {
254
+ private data: string[];
255
+ private event: string | null;
256
+ private chunks: string[];
257
+
258
+ constructor() {
259
+ this.event = null;
260
+ this.data = [];
261
+ this.chunks = [];
262
+ }
263
+
264
+ decode(line: string) {
265
+ if (line.endsWith('\r')) {
266
+ line = line.substring(0, line.length - 1);
267
+ }
268
+
269
+ if (!line) {
270
+ // empty line and we didn't previously encounter any messages
271
+ if (!this.event && !this.data.length) return null;
272
+
273
+ const sse: ServerSentEvent = {
274
+ event: this.event,
275
+ data: this.data.join('\n'),
276
+ raw: this.chunks,
277
+ };
278
+
279
+ this.event = null;
280
+ this.data = [];
281
+ this.chunks = [];
282
+
283
+ return sse;
284
+ }
285
+
286
+ this.chunks.push(line);
287
+
288
+ if (line.startsWith(':')) {
289
+ return null;
290
+ }
291
+
292
+ let [fieldname, _, value] = partition(line, ':');
293
+
294
+ if (value.startsWith(' ')) {
295
+ value = value.substring(1);
296
+ }
297
+
298
+ if (fieldname === 'event') {
299
+ this.event = value;
300
+ } else if (fieldname === 'data') {
301
+ this.data.push(value);
302
+ }
303
+
304
+ return null;
305
+ }
306
+ }
307
+
308
+ function partition(str: string, delimiter: string): [string, string, string] {
309
+ const index = str.indexOf(delimiter);
310
+ if (index !== -1) {
311
+ return [str.substring(0, index), delimiter, str.substring(index + delimiter.length)];
312
+ }
313
+
314
+ return [str, '', ''];
315
+ }
@@ -0,0 +1,135 @@
1
+ import { concatBytes, decodeUTF8, encodeUTF8 } from '../utils/bytes';
2
+
3
+ export type Bytes = string | ArrayBuffer | Uint8Array | null | undefined;
4
+
5
+ /**
6
+ * A re-implementation of httpx's `LineDecoder` in Python that handles incrementally
7
+ * reading lines from text.
8
+ *
9
+ * https://github.com/encode/httpx/blob/920333ea98118e9cf617f246905d7b202510941c/httpx/_decoders.py#L258
10
+ */
11
+ export class LineDecoder {
12
+ // prettier-ignore
13
+ static NEWLINE_CHARS = new Set(['\n', '\r']);
14
+ static NEWLINE_REGEXP = /\r\n|[\n\r]/g;
15
+
16
+ #buffer: Uint8Array;
17
+ #carriageReturnIndex: number | null;
18
+
19
+ constructor() {
20
+ this.#buffer = new Uint8Array();
21
+ this.#carriageReturnIndex = null;
22
+ }
23
+
24
+ decode(chunk: Bytes): string[] {
25
+ if (chunk == null) {
26
+ return [];
27
+ }
28
+
29
+ const binaryChunk =
30
+ chunk instanceof ArrayBuffer ? new Uint8Array(chunk)
31
+ : typeof chunk === 'string' ? encodeUTF8(chunk)
32
+ : chunk;
33
+
34
+ this.#buffer = concatBytes([this.#buffer, binaryChunk]);
35
+
36
+ const lines: string[] = [];
37
+ let patternIndex;
38
+ while ((patternIndex = findNewlineIndex(this.#buffer, this.#carriageReturnIndex)) != null) {
39
+ if (patternIndex.carriage && this.#carriageReturnIndex == null) {
40
+ // skip until we either get a corresponding `\n`, a new `\r` or nothing
41
+ this.#carriageReturnIndex = patternIndex.index;
42
+ continue;
43
+ }
44
+
45
+ // we got double \r or \rtext\n
46
+ if (
47
+ this.#carriageReturnIndex != null &&
48
+ (patternIndex.index !== this.#carriageReturnIndex + 1 || patternIndex.carriage)
49
+ ) {
50
+ lines.push(decodeUTF8(this.#buffer.subarray(0, this.#carriageReturnIndex - 1)));
51
+ this.#buffer = this.#buffer.subarray(this.#carriageReturnIndex);
52
+ this.#carriageReturnIndex = null;
53
+ continue;
54
+ }
55
+
56
+ const endIndex =
57
+ this.#carriageReturnIndex !== null ? patternIndex.preceding - 1 : patternIndex.preceding;
58
+
59
+ const line = decodeUTF8(this.#buffer.subarray(0, endIndex));
60
+ lines.push(line);
61
+
62
+ this.#buffer = this.#buffer.subarray(patternIndex.index);
63
+ this.#carriageReturnIndex = null;
64
+ }
65
+
66
+ return lines;
67
+ }
68
+
69
+ flush(): string[] {
70
+ if (!this.#buffer.length) {
71
+ return [];
72
+ }
73
+ return this.decode('\n');
74
+ }
75
+ }
76
+
77
+ /**
78
+ * This function searches the buffer for the end patterns, (\r or \n)
79
+ * and returns an object with the index preceding the matched newline and the
80
+ * index after the newline char. `null` is returned if no new line is found.
81
+ *
82
+ * ```ts
83
+ * findNewLineIndex('abc\ndef') -> { preceding: 2, index: 3 }
84
+ * ```
85
+ */
86
+ function findNewlineIndex(
87
+ buffer: Uint8Array,
88
+ startIndex: number | null,
89
+ ): { preceding: number; index: number; carriage: boolean } | null {
90
+ const newline = 0x0a; // \n
91
+ const carriage = 0x0d; // \r
92
+
93
+ for (let i = startIndex ?? 0; i < buffer.length; i++) {
94
+ if (buffer[i] === newline) {
95
+ return { preceding: i, index: i + 1, carriage: false };
96
+ }
97
+
98
+ if (buffer[i] === carriage) {
99
+ return { preceding: i, index: i + 1, carriage: true };
100
+ }
101
+ }
102
+
103
+ return null;
104
+ }
105
+
106
+ export function findDoubleNewlineIndex(buffer: Uint8Array): number {
107
+ // This function searches the buffer for the end patterns (\r\r, \n\n, \r\n\r\n)
108
+ // and returns the index right after the first occurrence of any pattern,
109
+ // or -1 if none of the patterns are found.
110
+ const newline = 0x0a; // \n
111
+ const carriage = 0x0d; // \r
112
+
113
+ for (let i = 0; i < buffer.length - 1; i++) {
114
+ if (buffer[i] === newline && buffer[i + 1] === newline) {
115
+ // \n\n
116
+ return i + 2;
117
+ }
118
+ if (buffer[i] === carriage && buffer[i + 1] === carriage) {
119
+ // \r\r
120
+ return i + 2;
121
+ }
122
+ if (
123
+ buffer[i] === carriage &&
124
+ buffer[i + 1] === newline &&
125
+ i + 3 < buffer.length &&
126
+ buffer[i + 2] === carriage &&
127
+ buffer[i + 3] === newline
128
+ ) {
129
+ // \r\n\r\n
130
+ return i + 4;
131
+ }
132
+ }
133
+
134
+ return -1;
135
+ }
@@ -1,6 +1,7 @@
1
1
  // File generated from our OpenAPI spec by Stainless. See CONTRIBUTING.md for details.
2
2
 
3
3
  import type { FinalRequestOptions } from './request-options';
4
+ import { Stream } from '../core/streaming';
4
5
  import { type TamboAI } from '../client';
5
6
  import { formatRequestDetails, loggerFor } from './utils/log';
6
7
 
@@ -16,6 +17,19 @@ export type APIResponseProps = {
16
17
  export async function defaultParseResponse<T>(client: TamboAI, props: APIResponseProps): Promise<T> {
17
18
  const { response, requestLogID, retryOfRequestLogID, startTime } = props;
18
19
  const body = await (async () => {
20
+ if (props.options.stream) {
21
+ loggerFor(client).debug('response', response.status, response.url, response.headers, response.body);
22
+
23
+ // Note: there is an invariant here that isn't represented in the type system
24
+ // that if you set `stream: true` the response type must also be `Stream<T>`
25
+
26
+ if (props.options.__streamClass) {
27
+ return props.options.__streamClass.fromSSEResponse(response, props.controller, client) as any;
28
+ }
29
+
30
+ return Stream.fromSSEResponse(response, props.controller, client) as any;
31
+ }
32
+
19
33
  // fetch refuses to read the body when the status code is 204.
20
34
  if (response.status === 204) {
21
35
  return null as T;
@@ -3,6 +3,7 @@
3
3
  import { NullableHeaders } from './headers';
4
4
 
5
5
  import type { BodyInit } from './builtin-types';
6
+ import { Stream } from '../core/streaming';
6
7
  import type { HTTPMethod, MergedRequestInit } from './types';
7
8
  import { type HeadersLike } from './headers';
8
9
 
@@ -76,6 +77,7 @@ export type RequestOptions = {
76
77
  defaultBaseURL?: string | undefined;
77
78
 
78
79
  __binaryResponse?: boolean | undefined;
80
+ __streamClass?: typeof Stream;
79
81
  };
80
82
 
81
83
  export type EncodedContent = { bodyHeaders: HeadersLike; body: BodyInit };
@@ -10,7 +10,9 @@ export {
10
10
  export {
11
11
  Runs,
12
12
  type InputMessage,
13
+ type RunCreateResponse,
13
14
  type RunDeleteResponse,
15
+ type RunRunResponse,
14
16
  type RunCreateParams,
15
17
  type RunDeleteParams,
16
18
  type RunRunParams,
@@ -4,6 +4,7 @@ import { APIResource } from '../../core/resource';
4
4
  import * as RunsAPI from './runs';
5
5
  import * as ThreadsAPI from './threads';
6
6
  import { APIPromise } from '../../core/api-promise';
7
+ import { Stream } from '../../core/streaming';
7
8
  import { buildHeaders } from '../../internal/headers';
8
9
  import { RequestOptions } from '../../internal/request-options';
9
10
  import { path } from '../../internal/utils/path';
@@ -15,7 +16,7 @@ export class Runs extends APIResource {
15
16
  *
16
17
  * @example
17
18
  * ```ts
18
- * await client.threads.runs.create({
19
+ * const run = await client.threads.runs.create({
19
20
  * message: {
20
21
  * content: [{ text: 'Hello, world!', type: 'text' }],
21
22
  * role: 'user',
@@ -23,12 +24,13 @@ export class Runs extends APIResource {
23
24
  * });
24
25
  * ```
25
26
  */
26
- create(body: RunCreateParams, options?: RequestOptions): APIPromise<void> {
27
+ create(body: RunCreateParams, options?: RequestOptions): APIPromise<Stream<RunCreateResponse>> {
27
28
  return this._client.post('/v1/threads/runs', {
28
29
  body,
29
30
  ...options,
30
- headers: buildHeaders([{ Accept: '*/*' }, options?.headers]),
31
- });
31
+ headers: buildHeaders([{ Accept: 'text/event-stream' }, options?.headers]),
32
+ stream: true,
33
+ }) as APIPromise<Stream<RunCreateResponse>>;
32
34
  }
33
35
 
34
36
  /**
@@ -54,20 +56,24 @@ export class Runs extends APIResource {
54
56
  *
55
57
  * @example
56
58
  * ```ts
57
- * await client.threads.runs.run('thr_abc123xyz', {
58
- * message: {
59
- * content: [{ text: 'Hello, world!', type: 'text' }],
60
- * role: 'user',
59
+ * const response = await client.threads.runs.run(
60
+ * 'thr_abc123xyz',
61
+ * {
62
+ * message: {
63
+ * content: [{ text: 'Hello, world!', type: 'text' }],
64
+ * role: 'user',
65
+ * },
61
66
  * },
62
- * });
67
+ * );
63
68
  * ```
64
69
  */
65
- run(threadID: string, body: RunRunParams, options?: RequestOptions): APIPromise<void> {
70
+ run(threadID: string, body: RunRunParams, options?: RequestOptions): APIPromise<Stream<RunRunResponse>> {
66
71
  return this._client.post(path`/v1/threads/${threadID}/runs`, {
67
72
  body,
68
73
  ...options,
69
- headers: buildHeaders([{ Accept: '*/*' }, options?.headers]),
70
- });
74
+ headers: buildHeaders([{ Accept: 'text/event-stream' }, options?.headers]),
75
+ stream: true,
76
+ }) as APIPromise<Stream<RunRunResponse>>;
71
77
  }
72
78
  }
73
79
 
@@ -88,6 +94,19 @@ export interface InputMessage {
88
94
  metadata?: unknown;
89
95
  }
90
96
 
97
+ export interface RunCreateResponse {
98
+ /**
99
+ * Event type discriminator (e.g., RUN_STARTED, TEXT_MESSAGE_CONTENT,
100
+ * TOOL_CALL_START)
101
+ */
102
+ type: string;
103
+
104
+ /**
105
+ * Unix timestamp (milliseconds) when event was generated
106
+ */
107
+ timestamp?: number;
108
+ }
109
+
91
110
  export interface RunDeleteResponse {
92
111
  /**
93
112
  * The run ID that was cancelled
@@ -100,6 +119,19 @@ export interface RunDeleteResponse {
100
119
  status: 'cancelled';
101
120
  }
102
121
 
122
+ export interface RunRunResponse {
123
+ /**
124
+ * Event type discriminator (e.g., RUN_STARTED, TEXT_MESSAGE_CONTENT,
125
+ * TOOL_CALL_START)
126
+ */
127
+ type: string;
128
+
129
+ /**
130
+ * Unix timestamp (milliseconds) when event was generated
131
+ */
132
+ timestamp?: number;
133
+ }
134
+
103
135
  export interface RunCreateParams {
104
136
  /**
105
137
  * The user's message
@@ -346,7 +378,9 @@ export namespace RunRunParams {
346
378
  export declare namespace Runs {
347
379
  export {
348
380
  type InputMessage as InputMessage,
381
+ type RunCreateResponse as RunCreateResponse,
349
382
  type RunDeleteResponse as RunDeleteResponse,
383
+ type RunRunResponse as RunRunResponse,
350
384
  type RunCreateParams as RunCreateParams,
351
385
  type RunDeleteParams as RunDeleteParams,
352
386
  type RunRunParams as RunRunParams,
@@ -15,9 +15,11 @@ import * as RunsAPI from './runs';
15
15
  import {
16
16
  InputMessage,
17
17
  RunCreateParams,
18
+ RunCreateResponse,
18
19
  RunDeleteParams,
19
20
  RunDeleteResponse,
20
21
  RunRunParams,
22
+ RunRunResponse,
21
23
  Runs,
22
24
  } from './runs';
23
25
  import { APIPromise } from '../../core/api-promise';
@@ -207,11 +209,6 @@ export interface ThreadCreateResponse {
207
209
  */
208
210
  createdAt: string;
209
211
 
210
- /**
211
- * Project this thread belongs to
212
- */
213
- projectId: string;
214
-
215
212
  /**
216
213
  * Current run status: idle (no run), waiting (run started, awaiting content),
217
214
  * streaming (receiving content)
@@ -282,11 +279,6 @@ export interface ThreadRetrieveResponse {
282
279
  */
283
280
  messages: Array<ThreadRetrieveResponse.Message>;
284
281
 
285
- /**
286
- * Project this thread belongs to
287
- */
288
- projectId: string;
289
-
290
282
  /**
291
283
  * Current run status: idle (no run), waiting (run started, awaiting content),
292
284
  * streaming (receiving content)
@@ -405,11 +397,6 @@ export namespace ThreadListResponse {
405
397
  */
406
398
  createdAt: string;
407
399
 
408
- /**
409
- * Project this thread belongs to
410
- */
411
- projectId: string;
412
-
413
400
  /**
414
401
  * Current run status: idle (no run), waiting (run started, awaiting content),
415
402
  * streaming (receiving content)
@@ -528,7 +515,9 @@ export declare namespace Threads {
528
515
  export {
529
516
  Runs as Runs,
530
517
  type InputMessage as InputMessage,
518
+ type RunCreateResponse as RunCreateResponse,
531
519
  type RunDeleteResponse as RunDeleteResponse,
520
+ type RunRunResponse as RunRunResponse,
532
521
  type RunCreateParams as RunCreateParams,
533
522
  type RunDeleteParams as RunDeleteParams,
534
523
  type RunRunParams as RunRunParams,
@@ -0,0 +1,2 @@
1
+ /** @deprecated Import from ./core/streaming instead */
2
+ export * from './core/streaming';
package/src/version.ts CHANGED
@@ -1 +1 @@
1
- export const VERSION = '0.83.0'; // x-release-please-version
1
+ export const VERSION = '0.85.0'; // x-release-please-version
@@ -0,0 +1,2 @@
1
+ export * from "./core/streaming.mjs";
2
+ //# sourceMappingURL=streaming.d.mts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"streaming.d.mts","sourceRoot":"","sources":["src/streaming.ts"],"names":[],"mappings":""}
package/streaming.d.ts ADDED
@@ -0,0 +1,2 @@
1
+ export * from "./core/streaming.js";
2
+ //# sourceMappingURL=streaming.d.ts.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"streaming.d.ts","sourceRoot":"","sources":["src/streaming.ts"],"names":[],"mappings":""}