pulse-ts-sdk 1.0.6 → 1.0.7
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.
- package/README.md +390 -0
- package/dist/cjs/BaseClient.js +2 -2
- package/dist/cjs/Client.d.ts +20 -0
- package/dist/cjs/Client.js +59 -0
- package/dist/cjs/api/client/requests/DownloadSchemaExcelRequest.d.ts +10 -0
- package/dist/cjs/api/client/requests/DownloadSchemaExcelRequest.js +3 -0
- package/dist/cjs/api/client/requests/SchemaInput.d.ts +3 -1
- package/dist/cjs/api/client/requests/index.d.ts +1 -0
- package/dist/cjs/api/types/SchemaConfig.d.ts +5 -3
- package/dist/cjs/api/types/SingleSchemaResponse.d.ts +4 -0
- package/dist/cjs/version.d.ts +1 -1
- package/dist/cjs/version.js +1 -1
- package/dist/esm/BaseClient.mjs +2 -2
- package/dist/esm/Client.d.mts +20 -0
- package/dist/esm/Client.mjs +59 -0
- package/dist/esm/api/client/requests/DownloadSchemaExcelRequest.d.mts +10 -0
- package/dist/esm/api/client/requests/DownloadSchemaExcelRequest.mjs +2 -0
- package/dist/esm/api/client/requests/SchemaInput.d.mts +3 -1
- package/dist/esm/api/client/requests/index.d.mts +1 -0
- package/dist/esm/api/types/SchemaConfig.d.mts +5 -3
- package/dist/esm/api/types/SingleSchemaResponse.d.mts +4 -0
- package/dist/esm/version.d.mts +1 -1
- package/dist/esm/version.mjs +1 -1
- package/package.json +1 -1
- package/reference.md +78 -0
package/README.md
CHANGED
|
@@ -13,6 +13,7 @@ The Pulse TypeScript library provides convenient access to the Pulse APIs from T
|
|
|
13
13
|
- [Request and Response Types](#request-and-response-types)
|
|
14
14
|
- [Exception Handling](#exception-handling)
|
|
15
15
|
- [File Uploads](#file-uploads)
|
|
16
|
+
- [Binary Response](#binary-response)
|
|
16
17
|
- [Advanced](#advanced)
|
|
17
18
|
- [Additional Headers](#additional-headers)
|
|
18
19
|
- [Additional Query String Parameters](#additional-query-string-parameters)
|
|
@@ -120,6 +121,395 @@ The metadata is used to set the `Content-Length`, `Content-Type`, and `Content-D
|
|
|
120
121
|
For example, `fs.ReadStream` has a `path` property which the SDK uses to retrieve the file size from the filesystem without loading it into memory.
|
|
121
122
|
|
|
122
123
|
|
|
124
|
+
## Binary Response
|
|
125
|
+
|
|
126
|
+
You can consume binary data from endpoints using the `BinaryResponse` type which lets you choose how to consume the data:
|
|
127
|
+
|
|
128
|
+
```typescript
|
|
129
|
+
const response = await client.downloadSchemaExcel(...);
|
|
130
|
+
const stream: ReadableStream<Uint8Array> = response.stream();
|
|
131
|
+
// const arrayBuffer: ArrayBuffer = await response.arrayBuffer();
|
|
132
|
+
// const blob: Blob = response.blob();
|
|
133
|
+
// const bytes: Uint8Array = response.bytes();
|
|
134
|
+
// You can only use the response body once, so you must choose one of the above methods.
|
|
135
|
+
// If you want to check if the response body has been used, you can use the following property.
|
|
136
|
+
const bodyUsed = response.bodyUsed;
|
|
137
|
+
```
|
|
138
|
+
<details>
|
|
139
|
+
<summary>Save binary response to a file</summary>
|
|
140
|
+
|
|
141
|
+
<blockquote>
|
|
142
|
+
<details>
|
|
143
|
+
<summary>Node.js</summary>
|
|
144
|
+
|
|
145
|
+
<blockquote>
|
|
146
|
+
<details>
|
|
147
|
+
<summary>ReadableStream (most-efficient)</summary>
|
|
148
|
+
|
|
149
|
+
```ts
|
|
150
|
+
import { createWriteStream } from 'fs';
|
|
151
|
+
import { Readable } from 'stream';
|
|
152
|
+
import { pipeline } from 'stream/promises';
|
|
153
|
+
|
|
154
|
+
const response = await client.downloadSchemaExcel(...);
|
|
155
|
+
|
|
156
|
+
const stream = response.stream();
|
|
157
|
+
const nodeStream = Readable.fromWeb(stream);
|
|
158
|
+
const writeStream = createWriteStream('path/to/file');
|
|
159
|
+
|
|
160
|
+
await pipeline(nodeStream, writeStream);
|
|
161
|
+
```
|
|
162
|
+
|
|
163
|
+
</details>
|
|
164
|
+
</blockquote>
|
|
165
|
+
|
|
166
|
+
<blockquote>
|
|
167
|
+
<details>
|
|
168
|
+
<summary>ArrayBuffer</summary>
|
|
169
|
+
|
|
170
|
+
```ts
|
|
171
|
+
import { writeFile } from 'fs/promises';
|
|
172
|
+
|
|
173
|
+
const response = await client.downloadSchemaExcel(...);
|
|
174
|
+
|
|
175
|
+
const arrayBuffer = await response.arrayBuffer();
|
|
176
|
+
await writeFile('path/to/file', Buffer.from(arrayBuffer));
|
|
177
|
+
```
|
|
178
|
+
|
|
179
|
+
</details>
|
|
180
|
+
</blockquote>
|
|
181
|
+
|
|
182
|
+
<blockquote>
|
|
183
|
+
<details>
|
|
184
|
+
<summary>Blob</summary>
|
|
185
|
+
|
|
186
|
+
```ts
|
|
187
|
+
import { writeFile } from 'fs/promises';
|
|
188
|
+
|
|
189
|
+
const response = await client.downloadSchemaExcel(...);
|
|
190
|
+
|
|
191
|
+
const blob = await response.blob();
|
|
192
|
+
const arrayBuffer = await blob.arrayBuffer();
|
|
193
|
+
await writeFile('output.bin', Buffer.from(arrayBuffer));
|
|
194
|
+
```
|
|
195
|
+
|
|
196
|
+
</details>
|
|
197
|
+
</blockquote>
|
|
198
|
+
|
|
199
|
+
<blockquote>
|
|
200
|
+
<details>
|
|
201
|
+
<summary>Bytes (UIntArray8)</summary>
|
|
202
|
+
|
|
203
|
+
```ts
|
|
204
|
+
import { writeFile } from 'fs/promises';
|
|
205
|
+
|
|
206
|
+
const response = await client.downloadSchemaExcel(...);
|
|
207
|
+
|
|
208
|
+
const bytes = await response.bytes();
|
|
209
|
+
await writeFile('path/to/file', bytes);
|
|
210
|
+
```
|
|
211
|
+
|
|
212
|
+
</details>
|
|
213
|
+
</blockquote>
|
|
214
|
+
|
|
215
|
+
</details>
|
|
216
|
+
</blockquote>
|
|
217
|
+
|
|
218
|
+
<blockquote>
|
|
219
|
+
<details>
|
|
220
|
+
<summary>Bun</summary>
|
|
221
|
+
|
|
222
|
+
<blockquote>
|
|
223
|
+
<details>
|
|
224
|
+
<summary>ReadableStream (most-efficient)</summary>
|
|
225
|
+
|
|
226
|
+
```ts
|
|
227
|
+
const response = await client.downloadSchemaExcel(...);
|
|
228
|
+
|
|
229
|
+
const stream = response.stream();
|
|
230
|
+
await Bun.write('path/to/file', stream);
|
|
231
|
+
```
|
|
232
|
+
|
|
233
|
+
</details>
|
|
234
|
+
</blockquote>
|
|
235
|
+
|
|
236
|
+
<blockquote>
|
|
237
|
+
<details>
|
|
238
|
+
<summary>ArrayBuffer</summary>
|
|
239
|
+
|
|
240
|
+
```ts
|
|
241
|
+
const response = await client.downloadSchemaExcel(...);
|
|
242
|
+
|
|
243
|
+
const arrayBuffer = await response.arrayBuffer();
|
|
244
|
+
await Bun.write('path/to/file', arrayBuffer);
|
|
245
|
+
```
|
|
246
|
+
|
|
247
|
+
</details>
|
|
248
|
+
</blockquote>
|
|
249
|
+
|
|
250
|
+
<blockquote>
|
|
251
|
+
<details>
|
|
252
|
+
<summary>Blob</summary>
|
|
253
|
+
|
|
254
|
+
```ts
|
|
255
|
+
const response = await client.downloadSchemaExcel(...);
|
|
256
|
+
|
|
257
|
+
const blob = await response.blob();
|
|
258
|
+
await Bun.write('path/to/file', blob);
|
|
259
|
+
```
|
|
260
|
+
|
|
261
|
+
</details>
|
|
262
|
+
</blockquote>
|
|
263
|
+
|
|
264
|
+
<blockquote>
|
|
265
|
+
<details>
|
|
266
|
+
<summary>Bytes (UIntArray8)</summary>
|
|
267
|
+
|
|
268
|
+
```ts
|
|
269
|
+
const response = await client.downloadSchemaExcel(...);
|
|
270
|
+
|
|
271
|
+
const bytes = await response.bytes();
|
|
272
|
+
await Bun.write('path/to/file', bytes);
|
|
273
|
+
```
|
|
274
|
+
|
|
275
|
+
</details>
|
|
276
|
+
</blockquote>
|
|
277
|
+
|
|
278
|
+
</details>
|
|
279
|
+
</blockquote>
|
|
280
|
+
|
|
281
|
+
<blockquote>
|
|
282
|
+
<details>
|
|
283
|
+
<summary>Deno</summary>
|
|
284
|
+
|
|
285
|
+
<blockquote>
|
|
286
|
+
<details>
|
|
287
|
+
<summary>ReadableStream (most-efficient)</summary>
|
|
288
|
+
|
|
289
|
+
```ts
|
|
290
|
+
const response = await client.downloadSchemaExcel(...);
|
|
291
|
+
|
|
292
|
+
const stream = response.stream();
|
|
293
|
+
const file = await Deno.open('path/to/file', { write: true, create: true });
|
|
294
|
+
await stream.pipeTo(file.writable);
|
|
295
|
+
```
|
|
296
|
+
|
|
297
|
+
</details>
|
|
298
|
+
</blockquote>
|
|
299
|
+
|
|
300
|
+
<blockquote>
|
|
301
|
+
<details>
|
|
302
|
+
<summary>ArrayBuffer</summary>
|
|
303
|
+
|
|
304
|
+
```ts
|
|
305
|
+
const response = await client.downloadSchemaExcel(...);
|
|
306
|
+
|
|
307
|
+
const arrayBuffer = await response.arrayBuffer();
|
|
308
|
+
await Deno.writeFile('path/to/file', new Uint8Array(arrayBuffer));
|
|
309
|
+
```
|
|
310
|
+
|
|
311
|
+
</details>
|
|
312
|
+
</blockquote>
|
|
313
|
+
|
|
314
|
+
<blockquote>
|
|
315
|
+
<details>
|
|
316
|
+
<summary>Blob</summary>
|
|
317
|
+
|
|
318
|
+
```ts
|
|
319
|
+
const response = await client.downloadSchemaExcel(...);
|
|
320
|
+
|
|
321
|
+
const blob = await response.blob();
|
|
322
|
+
const arrayBuffer = await blob.arrayBuffer();
|
|
323
|
+
await Deno.writeFile('path/to/file', new Uint8Array(arrayBuffer));
|
|
324
|
+
```
|
|
325
|
+
|
|
326
|
+
</details>
|
|
327
|
+
</blockquote>
|
|
328
|
+
|
|
329
|
+
<blockquote>
|
|
330
|
+
<details>
|
|
331
|
+
<summary>Bytes (UIntArray8)</summary>
|
|
332
|
+
|
|
333
|
+
```ts
|
|
334
|
+
const response = await client.downloadSchemaExcel(...);
|
|
335
|
+
|
|
336
|
+
const bytes = await response.bytes();
|
|
337
|
+
await Deno.writeFile('path/to/file', bytes);
|
|
338
|
+
```
|
|
339
|
+
|
|
340
|
+
</details>
|
|
341
|
+
</blockquote>
|
|
342
|
+
|
|
343
|
+
</details>
|
|
344
|
+
</blockquote>
|
|
345
|
+
|
|
346
|
+
<blockquote>
|
|
347
|
+
<details>
|
|
348
|
+
<summary>Browser</summary>
|
|
349
|
+
|
|
350
|
+
<blockquote>
|
|
351
|
+
<details>
|
|
352
|
+
<summary>Blob (most-efficient)</summary>
|
|
353
|
+
|
|
354
|
+
```ts
|
|
355
|
+
const response = await client.downloadSchemaExcel(...);
|
|
356
|
+
|
|
357
|
+
const blob = await response.blob();
|
|
358
|
+
const url = URL.createObjectURL(blob);
|
|
359
|
+
|
|
360
|
+
// trigger download
|
|
361
|
+
const a = document.createElement('a');
|
|
362
|
+
a.href = url;
|
|
363
|
+
a.download = 'filename';
|
|
364
|
+
a.click();
|
|
365
|
+
URL.revokeObjectURL(url);
|
|
366
|
+
```
|
|
367
|
+
|
|
368
|
+
</details>
|
|
369
|
+
</blockquote>
|
|
370
|
+
|
|
371
|
+
<blockquote>
|
|
372
|
+
<details>
|
|
373
|
+
<summary>ReadableStream</summary>
|
|
374
|
+
|
|
375
|
+
```ts
|
|
376
|
+
const response = await client.downloadSchemaExcel(...);
|
|
377
|
+
|
|
378
|
+
const stream = response.stream();
|
|
379
|
+
const reader = stream.getReader();
|
|
380
|
+
const chunks = [];
|
|
381
|
+
|
|
382
|
+
while (true) {
|
|
383
|
+
const { done, value } = await reader.read();
|
|
384
|
+
if (done) break;
|
|
385
|
+
chunks.push(value);
|
|
386
|
+
}
|
|
387
|
+
|
|
388
|
+
const blob = new Blob(chunks);
|
|
389
|
+
const url = URL.createObjectURL(blob);
|
|
390
|
+
|
|
391
|
+
// trigger download
|
|
392
|
+
const a = document.createElement('a');
|
|
393
|
+
a.href = url;
|
|
394
|
+
a.download = 'filename';
|
|
395
|
+
a.click();
|
|
396
|
+
URL.revokeObjectURL(url);
|
|
397
|
+
```
|
|
398
|
+
|
|
399
|
+
</details>
|
|
400
|
+
</blockquote>
|
|
401
|
+
|
|
402
|
+
<blockquote>
|
|
403
|
+
<details>
|
|
404
|
+
<summary>ArrayBuffer</summary>
|
|
405
|
+
|
|
406
|
+
```ts
|
|
407
|
+
const response = await client.downloadSchemaExcel(...);
|
|
408
|
+
|
|
409
|
+
const arrayBuffer = await response.arrayBuffer();
|
|
410
|
+
const blob = new Blob([arrayBuffer]);
|
|
411
|
+
const url = URL.createObjectURL(blob);
|
|
412
|
+
|
|
413
|
+
// trigger download
|
|
414
|
+
const a = document.createElement('a');
|
|
415
|
+
a.href = url;
|
|
416
|
+
a.download = 'filename';
|
|
417
|
+
a.click();
|
|
418
|
+
URL.revokeObjectURL(url);
|
|
419
|
+
```
|
|
420
|
+
|
|
421
|
+
</details>
|
|
422
|
+
</blockquote>
|
|
423
|
+
|
|
424
|
+
<blockquote>
|
|
425
|
+
<details>
|
|
426
|
+
<summary>Bytes (UIntArray8)</summary>
|
|
427
|
+
|
|
428
|
+
```ts
|
|
429
|
+
const response = await client.downloadSchemaExcel(...);
|
|
430
|
+
|
|
431
|
+
const bytes = await response.bytes();
|
|
432
|
+
const blob = new Blob([bytes]);
|
|
433
|
+
const url = URL.createObjectURL(blob);
|
|
434
|
+
|
|
435
|
+
// trigger download
|
|
436
|
+
const a = document.createElement('a');
|
|
437
|
+
a.href = url;
|
|
438
|
+
a.download = 'filename';
|
|
439
|
+
a.click();
|
|
440
|
+
URL.revokeObjectURL(url);
|
|
441
|
+
```
|
|
442
|
+
|
|
443
|
+
</details>
|
|
444
|
+
</blockquote>
|
|
445
|
+
|
|
446
|
+
</details>
|
|
447
|
+
</blockquote>
|
|
448
|
+
|
|
449
|
+
</details>
|
|
450
|
+
</blockquote>
|
|
451
|
+
|
|
452
|
+
<details>
|
|
453
|
+
<summary>Convert binary response to text</summary>
|
|
454
|
+
|
|
455
|
+
<blockquote>
|
|
456
|
+
<details>
|
|
457
|
+
<summary>ReadableStream</summary>
|
|
458
|
+
|
|
459
|
+
```ts
|
|
460
|
+
const response = await client.downloadSchemaExcel(...);
|
|
461
|
+
|
|
462
|
+
const stream = response.stream();
|
|
463
|
+
const text = await new Response(stream).text();
|
|
464
|
+
```
|
|
465
|
+
|
|
466
|
+
</details>
|
|
467
|
+
</blockquote>
|
|
468
|
+
|
|
469
|
+
<blockquote>
|
|
470
|
+
<details>
|
|
471
|
+
<summary>ArrayBuffer</summary>
|
|
472
|
+
|
|
473
|
+
```ts
|
|
474
|
+
const response = await client.downloadSchemaExcel(...);
|
|
475
|
+
|
|
476
|
+
const arrayBuffer = await response.arrayBuffer();
|
|
477
|
+
const text = new TextDecoder().decode(arrayBuffer);
|
|
478
|
+
```
|
|
479
|
+
|
|
480
|
+
</details>
|
|
481
|
+
</blockquote>
|
|
482
|
+
|
|
483
|
+
<blockquote>
|
|
484
|
+
<details>
|
|
485
|
+
<summary>Blob</summary>
|
|
486
|
+
|
|
487
|
+
```ts
|
|
488
|
+
const response = await client.downloadSchemaExcel(...);
|
|
489
|
+
|
|
490
|
+
const blob = await response.blob();
|
|
491
|
+
const text = await blob.text();
|
|
492
|
+
```
|
|
493
|
+
|
|
494
|
+
</details>
|
|
495
|
+
</blockquote>
|
|
496
|
+
|
|
497
|
+
<blockquote>
|
|
498
|
+
<details>
|
|
499
|
+
<summary>Bytes (UIntArray8)</summary>
|
|
500
|
+
|
|
501
|
+
```ts
|
|
502
|
+
const response = await client.downloadSchemaExcel(...);
|
|
503
|
+
|
|
504
|
+
const bytes = await response.bytes();
|
|
505
|
+
const text = new TextDecoder().decode(bytes);
|
|
506
|
+
```
|
|
507
|
+
|
|
508
|
+
</details>
|
|
509
|
+
</blockquote>
|
|
510
|
+
|
|
511
|
+
</details>
|
|
512
|
+
|
|
123
513
|
## Advanced
|
|
124
514
|
|
|
125
515
|
### Additional Headers
|
package/dist/cjs/BaseClient.js
CHANGED
|
@@ -43,8 +43,8 @@ function normalizeClientOptions(options) {
|
|
|
43
43
|
const headers = (0, headers_js_1.mergeHeaders)({
|
|
44
44
|
"X-Fern-Language": "JavaScript",
|
|
45
45
|
"X-Fern-SDK-Name": "pulse-ts-sdk",
|
|
46
|
-
"X-Fern-SDK-Version": "1.0.
|
|
47
|
-
"User-Agent": "pulse-ts-sdk/1.0.
|
|
46
|
+
"X-Fern-SDK-Version": "1.0.7",
|
|
47
|
+
"User-Agent": "pulse-ts-sdk/1.0.7",
|
|
48
48
|
"X-Fern-Runtime": core.RUNTIME.type,
|
|
49
49
|
"X-Fern-Runtime-Version": core.RUNTIME.version,
|
|
50
50
|
}, options === null || options === void 0 ? void 0 : options.headers);
|
package/dist/cjs/Client.d.ts
CHANGED
|
@@ -100,10 +100,20 @@ export declare class PulseClient {
|
|
|
100
100
|
* **Single mode** — Provide `extraction_id` + `schema_config` (or
|
|
101
101
|
* `schema_config_id`) to apply one schema to the entire document.
|
|
102
102
|
*
|
|
103
|
+
* **Multi-extraction mode** — Provide a batch extract ID as `extraction_id`
|
|
104
|
+
* (auto-detected) or an explicit `extraction_ids` list. The content from all
|
|
105
|
+
* extractions is combined and the schema is applied to the composite. Citations
|
|
106
|
+
* use `extraction_id-bb_id` format to disambiguate across source documents.
|
|
107
|
+
*
|
|
103
108
|
* **Split mode** — Provide `split_id` + `split_schema_config` to apply
|
|
104
109
|
* different schemas to different page groups from a prior `/split` call.
|
|
105
110
|
* Each topic can have its own schema, prompt, and effort setting.
|
|
106
111
|
*
|
|
112
|
+
* **Excel template mode** — Provide `excel_template` (base64 .xlsx) in
|
|
113
|
+
* `schema_config` instead of `input_schema`. The schema is auto-generated
|
|
114
|
+
* from the template's column headers, and a filled copy is returned as
|
|
115
|
+
* `excel_output_url`.
|
|
116
|
+
*
|
|
107
117
|
* Creates a versioned schema record that can be retrieved later.
|
|
108
118
|
* Set `async: true` to return immediately with a job_id for polling.
|
|
109
119
|
*
|
|
@@ -125,6 +135,16 @@ export declare class PulseClient {
|
|
|
125
135
|
*/
|
|
126
136
|
schema(request?: Pulse.SchemaInput, requestOptions?: PulseClient.RequestOptions): core.HttpResponsePromise<Pulse.SchemaResponse>;
|
|
127
137
|
private __schema;
|
|
138
|
+
/**
|
|
139
|
+
* Download the filled Excel template produced by a schema extraction that
|
|
140
|
+
* used `excel_template` in its `schema_config`. Requires the same API key
|
|
141
|
+
* authentication as other endpoints. The caller must belong to the org
|
|
142
|
+
* that owns the underlying extraction.
|
|
143
|
+
* @throws {@link Pulse.UnauthorizedError}
|
|
144
|
+
* @throws {@link Pulse.NotFoundError}
|
|
145
|
+
*/
|
|
146
|
+
downloadSchemaExcel(request: Pulse.DownloadSchemaExcelRequest, requestOptions?: PulseClient.RequestOptions): core.HttpResponsePromise<core.BinaryResponse>;
|
|
147
|
+
private __downloadSchemaExcel;
|
|
128
148
|
/**
|
|
129
149
|
* Extract tables from a previously completed extraction. Processes the
|
|
130
150
|
* extraction's document content and returns structured table data.
|
package/dist/cjs/Client.js
CHANGED
|
@@ -400,10 +400,20 @@ class PulseClient {
|
|
|
400
400
|
* **Single mode** — Provide `extraction_id` + `schema_config` (or
|
|
401
401
|
* `schema_config_id`) to apply one schema to the entire document.
|
|
402
402
|
*
|
|
403
|
+
* **Multi-extraction mode** — Provide a batch extract ID as `extraction_id`
|
|
404
|
+
* (auto-detected) or an explicit `extraction_ids` list. The content from all
|
|
405
|
+
* extractions is combined and the schema is applied to the composite. Citations
|
|
406
|
+
* use `extraction_id-bb_id` format to disambiguate across source documents.
|
|
407
|
+
*
|
|
403
408
|
* **Split mode** — Provide `split_id` + `split_schema_config` to apply
|
|
404
409
|
* different schemas to different page groups from a prior `/split` call.
|
|
405
410
|
* Each topic can have its own schema, prompt, and effort setting.
|
|
406
411
|
*
|
|
412
|
+
* **Excel template mode** — Provide `excel_template` (base64 .xlsx) in
|
|
413
|
+
* `schema_config` instead of `input_schema`. The schema is auto-generated
|
|
414
|
+
* from the template's column headers, and a filled copy is returned as
|
|
415
|
+
* `excel_output_url`.
|
|
416
|
+
*
|
|
407
417
|
* Creates a versioned schema record that can be retrieved later.
|
|
408
418
|
* Set `async: true` to return immediately with a job_id for polling.
|
|
409
419
|
*
|
|
@@ -471,6 +481,55 @@ class PulseClient {
|
|
|
471
481
|
return (0, handleNonStatusCodeError_js_1.handleNonStatusCodeError)(_response.error, _response.rawResponse, "POST", "/schema");
|
|
472
482
|
});
|
|
473
483
|
}
|
|
484
|
+
/**
|
|
485
|
+
* Download the filled Excel template produced by a schema extraction that
|
|
486
|
+
* used `excel_template` in its `schema_config`. Requires the same API key
|
|
487
|
+
* authentication as other endpoints. The caller must belong to the org
|
|
488
|
+
* that owns the underlying extraction.
|
|
489
|
+
* @throws {@link Pulse.UnauthorizedError}
|
|
490
|
+
* @throws {@link Pulse.NotFoundError}
|
|
491
|
+
*/
|
|
492
|
+
downloadSchemaExcel(request, requestOptions) {
|
|
493
|
+
return core.HttpResponsePromise.fromPromise(this.__downloadSchemaExcel(request, requestOptions));
|
|
494
|
+
}
|
|
495
|
+
__downloadSchemaExcel(request, requestOptions) {
|
|
496
|
+
return __awaiter(this, void 0, void 0, function* () {
|
|
497
|
+
var _a, _b, _c, _d, _e, _f, _g, _h, _j;
|
|
498
|
+
const { schemaId } = request;
|
|
499
|
+
const _authRequest = yield this._options.authProvider.getAuthRequest();
|
|
500
|
+
const _headers = (0, headers_js_1.mergeHeaders)(_authRequest.headers, (_a = this._options) === null || _a === void 0 ? void 0 : _a.headers, requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.headers);
|
|
501
|
+
const _response = yield core.fetcher({
|
|
502
|
+
url: core.url.join((_c = (_b = (yield core.Supplier.get(this._options.baseUrl))) !== null && _b !== void 0 ? _b : (yield core.Supplier.get(this._options.environment))) !== null && _c !== void 0 ? _c : environments.PulseEnvironment.Default, `schema/${core.url.encodePathParam(schemaId)}/excel`),
|
|
503
|
+
method: "GET",
|
|
504
|
+
headers: _headers,
|
|
505
|
+
queryParameters: requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.queryParams,
|
|
506
|
+
responseType: "binary-response",
|
|
507
|
+
timeoutMs: ((_f = (_d = requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.timeoutInSeconds) !== null && _d !== void 0 ? _d : (_e = this._options) === null || _e === void 0 ? void 0 : _e.timeoutInSeconds) !== null && _f !== void 0 ? _f : 60) * 1000,
|
|
508
|
+
maxRetries: (_g = requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.maxRetries) !== null && _g !== void 0 ? _g : (_h = this._options) === null || _h === void 0 ? void 0 : _h.maxRetries,
|
|
509
|
+
abortSignal: requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.abortSignal,
|
|
510
|
+
fetchFn: (_j = this._options) === null || _j === void 0 ? void 0 : _j.fetch,
|
|
511
|
+
logging: this._options.logging,
|
|
512
|
+
});
|
|
513
|
+
if (_response.ok) {
|
|
514
|
+
return { data: _response.body, rawResponse: _response.rawResponse };
|
|
515
|
+
}
|
|
516
|
+
if (_response.error.reason === "status-code") {
|
|
517
|
+
switch (_response.error.statusCode) {
|
|
518
|
+
case 401:
|
|
519
|
+
throw new Pulse.UnauthorizedError(_response.error.body, _response.rawResponse);
|
|
520
|
+
case 404:
|
|
521
|
+
throw new Pulse.NotFoundError(_response.error.body, _response.rawResponse);
|
|
522
|
+
default:
|
|
523
|
+
throw new errors.PulseError({
|
|
524
|
+
statusCode: _response.error.statusCode,
|
|
525
|
+
body: _response.error.body,
|
|
526
|
+
rawResponse: _response.rawResponse,
|
|
527
|
+
});
|
|
528
|
+
}
|
|
529
|
+
}
|
|
530
|
+
return (0, handleNonStatusCodeError_js_1.handleNonStatusCodeError)(_response.error, _response.rawResponse, "GET", "/schema/{schemaId}/excel");
|
|
531
|
+
});
|
|
532
|
+
}
|
|
474
533
|
/**
|
|
475
534
|
* Extract tables from a previously completed extraction. Processes the
|
|
476
535
|
* extraction's document content and returns structured table data.
|
|
@@ -4,8 +4,10 @@ import type * as Pulse from "../../index.js";
|
|
|
4
4
|
* {}
|
|
5
5
|
*/
|
|
6
6
|
export interface SchemaInput {
|
|
7
|
-
/** ID of saved extraction
|
|
7
|
+
/** ID of a saved extraction OR a batch extract job. When a batch extract ID is provided, the system auto-detects it and combines all completed child extractions into a single schema application. */
|
|
8
8
|
extraction_id?: string;
|
|
9
|
+
/** Explicit list of extraction IDs to combine. The markdown and bounding boxes from all extractions are merged and the schema is applied to the composite content. Citations use `extraction_id-bb_id` format to disambiguate across source documents. */
|
|
10
|
+
extraction_ids?: string[];
|
|
9
11
|
/** ID of saved split (from a prior `/split` call). Use for split-mode schema extraction. */
|
|
10
12
|
split_id?: string;
|
|
11
13
|
/** Inline schema configuration for single mode. Required (with extraction_id) if schema_config_id is not provided. */
|
|
@@ -1,9 +1,11 @@
|
|
|
1
1
|
/**
|
|
2
|
-
* Inline schema configuration.
|
|
2
|
+
* Inline schema configuration. Provide `input_schema` (JSON Schema) OR `excel_template` (base64 .xlsx) — not both. When `excel_template` is provided, the JSON Schema is auto-generated from the spreadsheet's column headers.
|
|
3
3
|
*/
|
|
4
4
|
export interface SchemaConfig {
|
|
5
|
-
/** JSON Schema defining the structured data to extract. */
|
|
6
|
-
input_schema
|
|
5
|
+
/** JSON Schema defining the structured data to extract. Required unless `excel_template` is provided. */
|
|
6
|
+
input_schema?: Record<string, unknown>;
|
|
7
|
+
/** Base64-encoded Excel template (.xlsx). When provided, the template's column headers are used to auto-generate the JSON Schema and a filled copy of the template is returned in the response as `excel_output_url`. Mutually exclusive with `input_schema`. */
|
|
8
|
+
excel_template?: string;
|
|
7
9
|
/** Natural language prompt with additional extraction instructions. */
|
|
8
10
|
schema_prompt?: string;
|
|
9
11
|
/** Enable extended reasoning for complex extractions. */
|
|
@@ -9,4 +9,8 @@ export interface SingleSchemaResponse {
|
|
|
9
9
|
version: number;
|
|
10
10
|
/** Extracted values and citations. */
|
|
11
11
|
schema_output: Pulse.StructuredOutputResult;
|
|
12
|
+
/** Present when multiple extractions were combined (via batch extract auto-detection or explicit `extraction_ids` input). Lists all source extraction IDs that contributed to the result. */
|
|
13
|
+
extraction_ids?: string[];
|
|
14
|
+
/** API path to download the filled Excel template (e.g. `/schema/{schema_id}/excel`). Requires the same API key authentication. Only present when `excel_template` was provided in the request. */
|
|
15
|
+
excel_output_url?: string;
|
|
12
16
|
}
|
package/dist/cjs/version.d.ts
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
export declare const SDK_VERSION = "1.0.
|
|
1
|
+
export declare const SDK_VERSION = "1.0.7";
|
package/dist/cjs/version.js
CHANGED
package/dist/esm/BaseClient.mjs
CHANGED
|
@@ -6,8 +6,8 @@ export function normalizeClientOptions(options) {
|
|
|
6
6
|
const headers = mergeHeaders({
|
|
7
7
|
"X-Fern-Language": "JavaScript",
|
|
8
8
|
"X-Fern-SDK-Name": "pulse-ts-sdk",
|
|
9
|
-
"X-Fern-SDK-Version": "1.0.
|
|
10
|
-
"User-Agent": "pulse-ts-sdk/1.0.
|
|
9
|
+
"X-Fern-SDK-Version": "1.0.7",
|
|
10
|
+
"User-Agent": "pulse-ts-sdk/1.0.7",
|
|
11
11
|
"X-Fern-Runtime": core.RUNTIME.type,
|
|
12
12
|
"X-Fern-Runtime-Version": core.RUNTIME.version,
|
|
13
13
|
}, options === null || options === void 0 ? void 0 : options.headers);
|
package/dist/esm/Client.d.mts
CHANGED
|
@@ -100,10 +100,20 @@ export declare class PulseClient {
|
|
|
100
100
|
* **Single mode** — Provide `extraction_id` + `schema_config` (or
|
|
101
101
|
* `schema_config_id`) to apply one schema to the entire document.
|
|
102
102
|
*
|
|
103
|
+
* **Multi-extraction mode** — Provide a batch extract ID as `extraction_id`
|
|
104
|
+
* (auto-detected) or an explicit `extraction_ids` list. The content from all
|
|
105
|
+
* extractions is combined and the schema is applied to the composite. Citations
|
|
106
|
+
* use `extraction_id-bb_id` format to disambiguate across source documents.
|
|
107
|
+
*
|
|
103
108
|
* **Split mode** — Provide `split_id` + `split_schema_config` to apply
|
|
104
109
|
* different schemas to different page groups from a prior `/split` call.
|
|
105
110
|
* Each topic can have its own schema, prompt, and effort setting.
|
|
106
111
|
*
|
|
112
|
+
* **Excel template mode** — Provide `excel_template` (base64 .xlsx) in
|
|
113
|
+
* `schema_config` instead of `input_schema`. The schema is auto-generated
|
|
114
|
+
* from the template's column headers, and a filled copy is returned as
|
|
115
|
+
* `excel_output_url`.
|
|
116
|
+
*
|
|
107
117
|
* Creates a versioned schema record that can be retrieved later.
|
|
108
118
|
* Set `async: true` to return immediately with a job_id for polling.
|
|
109
119
|
*
|
|
@@ -125,6 +135,16 @@ export declare class PulseClient {
|
|
|
125
135
|
*/
|
|
126
136
|
schema(request?: Pulse.SchemaInput, requestOptions?: PulseClient.RequestOptions): core.HttpResponsePromise<Pulse.SchemaResponse>;
|
|
127
137
|
private __schema;
|
|
138
|
+
/**
|
|
139
|
+
* Download the filled Excel template produced by a schema extraction that
|
|
140
|
+
* used `excel_template` in its `schema_config`. Requires the same API key
|
|
141
|
+
* authentication as other endpoints. The caller must belong to the org
|
|
142
|
+
* that owns the underlying extraction.
|
|
143
|
+
* @throws {@link Pulse.UnauthorizedError}
|
|
144
|
+
* @throws {@link Pulse.NotFoundError}
|
|
145
|
+
*/
|
|
146
|
+
downloadSchemaExcel(request: Pulse.DownloadSchemaExcelRequest, requestOptions?: PulseClient.RequestOptions): core.HttpResponsePromise<core.BinaryResponse>;
|
|
147
|
+
private __downloadSchemaExcel;
|
|
128
148
|
/**
|
|
129
149
|
* Extract tables from a previously completed extraction. Processes the
|
|
130
150
|
* extraction's document content and returns structured table data.
|
package/dist/esm/Client.mjs
CHANGED
|
@@ -364,10 +364,20 @@ export class PulseClient {
|
|
|
364
364
|
* **Single mode** — Provide `extraction_id` + `schema_config` (or
|
|
365
365
|
* `schema_config_id`) to apply one schema to the entire document.
|
|
366
366
|
*
|
|
367
|
+
* **Multi-extraction mode** — Provide a batch extract ID as `extraction_id`
|
|
368
|
+
* (auto-detected) or an explicit `extraction_ids` list. The content from all
|
|
369
|
+
* extractions is combined and the schema is applied to the composite. Citations
|
|
370
|
+
* use `extraction_id-bb_id` format to disambiguate across source documents.
|
|
371
|
+
*
|
|
367
372
|
* **Split mode** — Provide `split_id` + `split_schema_config` to apply
|
|
368
373
|
* different schemas to different page groups from a prior `/split` call.
|
|
369
374
|
* Each topic can have its own schema, prompt, and effort setting.
|
|
370
375
|
*
|
|
376
|
+
* **Excel template mode** — Provide `excel_template` (base64 .xlsx) in
|
|
377
|
+
* `schema_config` instead of `input_schema`. The schema is auto-generated
|
|
378
|
+
* from the template's column headers, and a filled copy is returned as
|
|
379
|
+
* `excel_output_url`.
|
|
380
|
+
*
|
|
371
381
|
* Creates a versioned schema record that can be retrieved later.
|
|
372
382
|
* Set `async: true` to return immediately with a job_id for polling.
|
|
373
383
|
*
|
|
@@ -435,6 +445,55 @@ export class PulseClient {
|
|
|
435
445
|
return handleNonStatusCodeError(_response.error, _response.rawResponse, "POST", "/schema");
|
|
436
446
|
});
|
|
437
447
|
}
|
|
448
|
+
/**
|
|
449
|
+
* Download the filled Excel template produced by a schema extraction that
|
|
450
|
+
* used `excel_template` in its `schema_config`. Requires the same API key
|
|
451
|
+
* authentication as other endpoints. The caller must belong to the org
|
|
452
|
+
* that owns the underlying extraction.
|
|
453
|
+
* @throws {@link Pulse.UnauthorizedError}
|
|
454
|
+
* @throws {@link Pulse.NotFoundError}
|
|
455
|
+
*/
|
|
456
|
+
downloadSchemaExcel(request, requestOptions) {
|
|
457
|
+
return core.HttpResponsePromise.fromPromise(this.__downloadSchemaExcel(request, requestOptions));
|
|
458
|
+
}
|
|
459
|
+
__downloadSchemaExcel(request, requestOptions) {
|
|
460
|
+
return __awaiter(this, void 0, void 0, function* () {
|
|
461
|
+
var _a, _b, _c, _d, _e, _f, _g, _h, _j;
|
|
462
|
+
const { schemaId } = request;
|
|
463
|
+
const _authRequest = yield this._options.authProvider.getAuthRequest();
|
|
464
|
+
const _headers = mergeHeaders(_authRequest.headers, (_a = this._options) === null || _a === void 0 ? void 0 : _a.headers, requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.headers);
|
|
465
|
+
const _response = yield core.fetcher({
|
|
466
|
+
url: core.url.join((_c = (_b = (yield core.Supplier.get(this._options.baseUrl))) !== null && _b !== void 0 ? _b : (yield core.Supplier.get(this._options.environment))) !== null && _c !== void 0 ? _c : environments.PulseEnvironment.Default, `schema/${core.url.encodePathParam(schemaId)}/excel`),
|
|
467
|
+
method: "GET",
|
|
468
|
+
headers: _headers,
|
|
469
|
+
queryParameters: requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.queryParams,
|
|
470
|
+
responseType: "binary-response",
|
|
471
|
+
timeoutMs: ((_f = (_d = requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.timeoutInSeconds) !== null && _d !== void 0 ? _d : (_e = this._options) === null || _e === void 0 ? void 0 : _e.timeoutInSeconds) !== null && _f !== void 0 ? _f : 60) * 1000,
|
|
472
|
+
maxRetries: (_g = requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.maxRetries) !== null && _g !== void 0 ? _g : (_h = this._options) === null || _h === void 0 ? void 0 : _h.maxRetries,
|
|
473
|
+
abortSignal: requestOptions === null || requestOptions === void 0 ? void 0 : requestOptions.abortSignal,
|
|
474
|
+
fetchFn: (_j = this._options) === null || _j === void 0 ? void 0 : _j.fetch,
|
|
475
|
+
logging: this._options.logging,
|
|
476
|
+
});
|
|
477
|
+
if (_response.ok) {
|
|
478
|
+
return { data: _response.body, rawResponse: _response.rawResponse };
|
|
479
|
+
}
|
|
480
|
+
if (_response.error.reason === "status-code") {
|
|
481
|
+
switch (_response.error.statusCode) {
|
|
482
|
+
case 401:
|
|
483
|
+
throw new Pulse.UnauthorizedError(_response.error.body, _response.rawResponse);
|
|
484
|
+
case 404:
|
|
485
|
+
throw new Pulse.NotFoundError(_response.error.body, _response.rawResponse);
|
|
486
|
+
default:
|
|
487
|
+
throw new errors.PulseError({
|
|
488
|
+
statusCode: _response.error.statusCode,
|
|
489
|
+
body: _response.error.body,
|
|
490
|
+
rawResponse: _response.rawResponse,
|
|
491
|
+
});
|
|
492
|
+
}
|
|
493
|
+
}
|
|
494
|
+
return handleNonStatusCodeError(_response.error, _response.rawResponse, "GET", "/schema/{schemaId}/excel");
|
|
495
|
+
});
|
|
496
|
+
}
|
|
438
497
|
/**
|
|
439
498
|
* Extract tables from a previously completed extraction. Processes the
|
|
440
499
|
* extraction's document content and returns structured table data.
|
|
@@ -4,8 +4,10 @@ import type * as Pulse from "../../index.mjs";
|
|
|
4
4
|
* {}
|
|
5
5
|
*/
|
|
6
6
|
export interface SchemaInput {
|
|
7
|
-
/** ID of saved extraction
|
|
7
|
+
/** ID of a saved extraction OR a batch extract job. When a batch extract ID is provided, the system auto-detects it and combines all completed child extractions into a single schema application. */
|
|
8
8
|
extraction_id?: string;
|
|
9
|
+
/** Explicit list of extraction IDs to combine. The markdown and bounding boxes from all extractions are merged and the schema is applied to the composite content. Citations use `extraction_id-bb_id` format to disambiguate across source documents. */
|
|
10
|
+
extraction_ids?: string[];
|
|
9
11
|
/** ID of saved split (from a prior `/split` call). Use for split-mode schema extraction. */
|
|
10
12
|
split_id?: string;
|
|
11
13
|
/** Inline schema configuration for single mode. Required (with extraction_id) if schema_config_id is not provided. */
|
|
@@ -1,9 +1,11 @@
|
|
|
1
1
|
/**
|
|
2
|
-
* Inline schema configuration.
|
|
2
|
+
* Inline schema configuration. Provide `input_schema` (JSON Schema) OR `excel_template` (base64 .xlsx) — not both. When `excel_template` is provided, the JSON Schema is auto-generated from the spreadsheet's column headers.
|
|
3
3
|
*/
|
|
4
4
|
export interface SchemaConfig {
|
|
5
|
-
/** JSON Schema defining the structured data to extract. */
|
|
6
|
-
input_schema
|
|
5
|
+
/** JSON Schema defining the structured data to extract. Required unless `excel_template` is provided. */
|
|
6
|
+
input_schema?: Record<string, unknown>;
|
|
7
|
+
/** Base64-encoded Excel template (.xlsx). When provided, the template's column headers are used to auto-generate the JSON Schema and a filled copy of the template is returned in the response as `excel_output_url`. Mutually exclusive with `input_schema`. */
|
|
8
|
+
excel_template?: string;
|
|
7
9
|
/** Natural language prompt with additional extraction instructions. */
|
|
8
10
|
schema_prompt?: string;
|
|
9
11
|
/** Enable extended reasoning for complex extractions. */
|
|
@@ -9,4 +9,8 @@ export interface SingleSchemaResponse {
|
|
|
9
9
|
version: number;
|
|
10
10
|
/** Extracted values and citations. */
|
|
11
11
|
schema_output: Pulse.StructuredOutputResult;
|
|
12
|
+
/** Present when multiple extractions were combined (via batch extract auto-detection or explicit `extraction_ids` input). Lists all source extraction IDs that contributed to the result. */
|
|
13
|
+
extraction_ids?: string[];
|
|
14
|
+
/** API path to download the filled Excel template (e.g. `/schema/{schema_id}/excel`). Requires the same API key authentication. Only present when `excel_template` was provided in the request. */
|
|
15
|
+
excel_output_url?: string;
|
|
12
16
|
}
|
package/dist/esm/version.d.mts
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
export declare const SDK_VERSION = "1.0.
|
|
1
|
+
export declare const SDK_VERSION = "1.0.7";
|
package/dist/esm/version.mjs
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
export const SDK_VERSION = "1.0.
|
|
1
|
+
export const SDK_VERSION = "1.0.7";
|
package/package.json
CHANGED
package/reference.md
CHANGED
|
@@ -231,10 +231,20 @@ inferred from the input:
|
|
|
231
231
|
**Single mode** — Provide `extraction_id` + `schema_config` (or
|
|
232
232
|
`schema_config_id`) to apply one schema to the entire document.
|
|
233
233
|
|
|
234
|
+
**Multi-extraction mode** — Provide a batch extract ID as `extraction_id`
|
|
235
|
+
(auto-detected) or an explicit `extraction_ids` list. The content from all
|
|
236
|
+
extractions is combined and the schema is applied to the composite. Citations
|
|
237
|
+
use `extraction_id-bb_id` format to disambiguate across source documents.
|
|
238
|
+
|
|
234
239
|
**Split mode** — Provide `split_id` + `split_schema_config` to apply
|
|
235
240
|
different schemas to different page groups from a prior `/split` call.
|
|
236
241
|
Each topic can have its own schema, prompt, and effort setting.
|
|
237
242
|
|
|
243
|
+
**Excel template mode** — Provide `excel_template` (base64 .xlsx) in
|
|
244
|
+
`schema_config` instead of `input_schema`. The schema is auto-generated
|
|
245
|
+
from the template's column headers, and a filled copy is returned as
|
|
246
|
+
`excel_output_url`.
|
|
247
|
+
|
|
238
248
|
Creates a versioned schema record that can be retrieved later.
|
|
239
249
|
Set `async: true` to return immediately with a job_id for polling.
|
|
240
250
|
|
|
@@ -287,6 +297,74 @@ await client.schema();
|
|
|
287
297
|
</dl>
|
|
288
298
|
|
|
289
299
|
|
|
300
|
+
</dd>
|
|
301
|
+
</dl>
|
|
302
|
+
</details>
|
|
303
|
+
|
|
304
|
+
<details><summary><code>client.<a href="/src/Client.ts">downloadSchemaExcel</a>({ ...params }) -> core.BinaryResponse</code></summary>
|
|
305
|
+
<dl>
|
|
306
|
+
<dd>
|
|
307
|
+
|
|
308
|
+
#### 📝 Description
|
|
309
|
+
|
|
310
|
+
<dl>
|
|
311
|
+
<dd>
|
|
312
|
+
|
|
313
|
+
<dl>
|
|
314
|
+
<dd>
|
|
315
|
+
|
|
316
|
+
Download the filled Excel template produced by a schema extraction that
|
|
317
|
+
used `excel_template` in its `schema_config`. Requires the same API key
|
|
318
|
+
authentication as other endpoints. The caller must belong to the org
|
|
319
|
+
that owns the underlying extraction.
|
|
320
|
+
</dd>
|
|
321
|
+
</dl>
|
|
322
|
+
</dd>
|
|
323
|
+
</dl>
|
|
324
|
+
|
|
325
|
+
#### 🔌 Usage
|
|
326
|
+
|
|
327
|
+
<dl>
|
|
328
|
+
<dd>
|
|
329
|
+
|
|
330
|
+
<dl>
|
|
331
|
+
<dd>
|
|
332
|
+
|
|
333
|
+
```typescript
|
|
334
|
+
await client.downloadSchemaExcel({
|
|
335
|
+
schemaId: "schemaId"
|
|
336
|
+
});
|
|
337
|
+
|
|
338
|
+
```
|
|
339
|
+
</dd>
|
|
340
|
+
</dl>
|
|
341
|
+
</dd>
|
|
342
|
+
</dl>
|
|
343
|
+
|
|
344
|
+
#### ⚙️ Parameters
|
|
345
|
+
|
|
346
|
+
<dl>
|
|
347
|
+
<dd>
|
|
348
|
+
|
|
349
|
+
<dl>
|
|
350
|
+
<dd>
|
|
351
|
+
|
|
352
|
+
**request:** `Pulse.DownloadSchemaExcelRequest`
|
|
353
|
+
|
|
354
|
+
</dd>
|
|
355
|
+
</dl>
|
|
356
|
+
|
|
357
|
+
<dl>
|
|
358
|
+
<dd>
|
|
359
|
+
|
|
360
|
+
**requestOptions:** `PulseClient.RequestOptions`
|
|
361
|
+
|
|
362
|
+
</dd>
|
|
363
|
+
</dl>
|
|
364
|
+
</dd>
|
|
365
|
+
</dl>
|
|
366
|
+
|
|
367
|
+
|
|
290
368
|
</dd>
|
|
291
369
|
</dl>
|
|
292
370
|
</details>
|