dominus-sdk-nodejs 1.2.44 → 1.3.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.
@@ -0,0 +1,651 @@
1
+ /**
2
+ * AI Namespace - Unified agent-runtime operations.
3
+ *
4
+ * Provides agent execution, LLM completions, RAG corpus management,
5
+ * artifacts, speech services, and workflow orchestration.
6
+ *
7
+ * All operations go through /api/* endpoints on the agent-runtime service,
8
+ * proxied via the gateway at /svc/*.
9
+ *
10
+ * Usage:
11
+ * import { dominus } from 'dominus-sdk-nodejs';
12
+ *
13
+ * // Agent execution
14
+ * const result = await dominus.ai.runAgent({
15
+ * conversationId: "conv-123",
16
+ * systemPrompt: "You are helpful.",
17
+ * userPrompt: "Hello!"
18
+ * });
19
+ *
20
+ * // Streaming agent execution
21
+ * for await (const chunk of dominus.ai.streamAgent({
22
+ * conversationId: "conv-123",
23
+ * systemPrompt: "You are helpful.",
24
+ * userPrompt: "Tell me a story"
25
+ * })) {
26
+ * process.stdout.write(chunk.content || '');
27
+ * }
28
+ *
29
+ * // LLM completion
30
+ * const result = await dominus.ai.complete({
31
+ * messages: [{ role: "user", content: "Hello" }],
32
+ * provider: "claude",
33
+ * model: "claude-sonnet-4-5"
34
+ * });
35
+ *
36
+ * // RAG operations
37
+ * await dominus.ai.rag.ensure("my-corpus");
38
+ * await dominus.ai.rag.upsert("my-corpus", "doc-1", { content: "Important info" });
39
+ * const results = await dominus.ai.rag.search("my-corpus", "important");
40
+ *
41
+ * // Speech
42
+ * const text = await dominus.ai.stt(audioBuffer, { format: "wav" });
43
+ * const audio = await dominus.ai.tts("Hello world", { voice: "nova" });
44
+ */
45
+ // ============================================================================
46
+ // RAG Sub-namespace
47
+ // ============================================================================
48
+ export class RagSubNamespace {
49
+ client;
50
+ constructor(client) {
51
+ this.client = client;
52
+ }
53
+ /** List all corpora */
54
+ async list() {
55
+ const result = await this.client.request({
56
+ endpoint: '/api/rag',
57
+ method: 'GET',
58
+ useGateway: true,
59
+ });
60
+ if (Array.isArray(result))
61
+ return result;
62
+ return result.corpora || [];
63
+ }
64
+ /** Ensure corpus exists (create if not) */
65
+ async ensure(slug, options) {
66
+ const body = {};
67
+ if (options?.description)
68
+ body.description = options.description;
69
+ if (options?.embeddingModel)
70
+ body.embedding_model = options.embeddingModel;
71
+ return this.client.request({
72
+ endpoint: `/api/rag/${slug}/ensure`,
73
+ body,
74
+ useGateway: true,
75
+ });
76
+ }
77
+ /** Get corpus statistics */
78
+ async stats(slug) {
79
+ return this.client.request({
80
+ endpoint: `/api/rag/${slug}/stats`,
81
+ method: 'GET',
82
+ useGateway: true,
83
+ });
84
+ }
85
+ /** Drop/delete a corpus */
86
+ async drop(slug) {
87
+ return this.client.request({
88
+ endpoint: `/api/rag/${slug}`,
89
+ method: 'DELETE',
90
+ useGateway: true,
91
+ });
92
+ }
93
+ /** List entries in a corpus */
94
+ async entries(slug, options) {
95
+ return this.client.request({
96
+ endpoint: `/api/rag/${slug}/entries`,
97
+ body: {
98
+ limit: options?.limit ?? 100,
99
+ offset: options?.offset ?? 0,
100
+ ...(options?.category && { category: options.category }),
101
+ },
102
+ useGateway: true,
103
+ });
104
+ }
105
+ /** Upsert a single entry */
106
+ async upsert(slug, identifier, options) {
107
+ const body = {
108
+ content_markdown: options.content, // Transform: content -> content_markdown
109
+ };
110
+ if (options.name)
111
+ body.name = options.name;
112
+ if (options.description)
113
+ body.description = options.description;
114
+ if (options.category)
115
+ body.category = options.category;
116
+ if (options.subcategory)
117
+ body.subcategory = options.subcategory;
118
+ if (options.sourceReference)
119
+ body.source_reference = options.sourceReference;
120
+ if (options.metadata)
121
+ body.metadata = options.metadata;
122
+ return this.client.request({
123
+ endpoint: `/api/rag/${slug}/${identifier}`,
124
+ method: 'PUT',
125
+ body,
126
+ useGateway: true,
127
+ });
128
+ }
129
+ /** Get a specific entry */
130
+ async get(slug, identifier) {
131
+ return this.client.request({
132
+ endpoint: `/api/rag/${slug}/${identifier}`,
133
+ method: 'GET',
134
+ useGateway: true,
135
+ });
136
+ }
137
+ /** Delete an entry */
138
+ async delete(slug, identifier) {
139
+ return this.client.request({
140
+ endpoint: `/api/rag/${slug}/${identifier}`,
141
+ method: 'DELETE',
142
+ useGateway: true,
143
+ });
144
+ }
145
+ /** Bulk upsert entries */
146
+ async bulkUpsert(slug, entries) {
147
+ // Transform 'content' to 'content_markdown' for API compatibility
148
+ const transformed = entries.map((entry) => {
149
+ const e = { ...entry };
150
+ if (e.content && !e.content_markdown) {
151
+ e.content_markdown = e.content;
152
+ delete e.content;
153
+ }
154
+ return e;
155
+ });
156
+ return this.client.request({
157
+ endpoint: `/api/rag/${slug}/bulk`,
158
+ body: { entries: transformed },
159
+ useGateway: true,
160
+ });
161
+ }
162
+ /** Semantic search */
163
+ async search(slug, query, options) {
164
+ const body = {
165
+ query,
166
+ limit: options?.limit ?? 10,
167
+ };
168
+ if (options?.threshold !== undefined)
169
+ body.threshold = options.threshold;
170
+ if (options?.category)
171
+ body.category = options.category;
172
+ if (options?.filters)
173
+ body.filters = options.filters;
174
+ const result = await this.client.request({
175
+ endpoint: `/api/rag/${slug}/search`,
176
+ body,
177
+ useGateway: true,
178
+ });
179
+ if (Array.isArray(result))
180
+ return result;
181
+ return result.results || [];
182
+ }
183
+ /** Semantic search with reranking */
184
+ async searchRerank(slug, query, options) {
185
+ const body = {
186
+ query,
187
+ limit: options?.limit ?? 10,
188
+ };
189
+ if (options?.rerankModel)
190
+ body.rerank_model = options.rerankModel;
191
+ const result = await this.client.request({
192
+ endpoint: `/api/rag/${slug}/search/rerank`,
193
+ body,
194
+ useGateway: true,
195
+ });
196
+ if (Array.isArray(result))
197
+ return result;
198
+ return result.results || [];
199
+ }
200
+ /** Ingest a document (PDF, DOCX, etc.) */
201
+ async ingest(slug, content, filename, options) {
202
+ return this.client.binaryUpload({
203
+ endpoint: `/api/rag/${slug}/ingest`,
204
+ fileBytes: content,
205
+ filename,
206
+ contentType: options?.contentType || 'application/octet-stream',
207
+ additionalFields: {
208
+ chunk_size: String(options?.chunkSize ?? 1000),
209
+ chunk_overlap: String(options?.chunkOverlap ?? 200),
210
+ },
211
+ useGateway: true,
212
+ });
213
+ }
214
+ /** Delete a document and all its chunks */
215
+ async deleteDocument(slug, documentId) {
216
+ return this.client.request({
217
+ endpoint: `/api/rag/${slug}/document/${documentId}`,
218
+ method: 'DELETE',
219
+ useGateway: true,
220
+ });
221
+ }
222
+ }
223
+ // ============================================================================
224
+ // Artifacts Sub-namespace
225
+ // ============================================================================
226
+ export class ArtifactsSubNamespace {
227
+ client;
228
+ constructor(client) {
229
+ this.client = client;
230
+ }
231
+ /** Get artifact by ID */
232
+ async get(artifactId, conversationId) {
233
+ return this.client.request({
234
+ endpoint: `/api/agent/artifacts/${artifactId}?conversation_id=${conversationId}`,
235
+ method: 'GET',
236
+ useGateway: true,
237
+ });
238
+ }
239
+ /** Create a new artifact */
240
+ async create(options) {
241
+ return this.client.request({
242
+ endpoint: '/api/agent/artifacts',
243
+ body: {
244
+ key: options.name, // Transform: name -> key
245
+ content: options.content,
246
+ conversation_id: options.conversationId,
247
+ content_type: options.artifactType || 'text/plain', // Transform: artifactType -> content_type
248
+ is_base64: options.isBase64 || false,
249
+ },
250
+ useGateway: true,
251
+ });
252
+ }
253
+ /** List artifacts for a conversation */
254
+ async list(conversationId) {
255
+ const result = await this.client.request({
256
+ endpoint: `/api/agent/artifacts?conversation_id=${conversationId}`,
257
+ method: 'GET',
258
+ useGateway: true,
259
+ });
260
+ if (Array.isArray(result))
261
+ return result;
262
+ return result.artifacts || [];
263
+ }
264
+ /** Delete an artifact */
265
+ async delete(artifactId, conversationId) {
266
+ return this.client.request({
267
+ endpoint: `/api/agent/artifacts/${artifactId}?conversation_id=${conversationId}`,
268
+ method: 'DELETE',
269
+ useGateway: true,
270
+ });
271
+ }
272
+ }
273
+ // ============================================================================
274
+ // Results Sub-namespace
275
+ // ============================================================================
276
+ export class ResultsSubNamespace {
277
+ client;
278
+ constructor(client) {
279
+ this.client = client;
280
+ }
281
+ /** Get async result by key */
282
+ async get(resultKey) {
283
+ return this.client.request({
284
+ endpoint: `/api/results/${resultKey}`,
285
+ method: 'GET',
286
+ useGateway: true,
287
+ });
288
+ }
289
+ /** Poll for result until completion or timeout */
290
+ async poll(resultKey, options) {
291
+ const interval = options?.interval ?? 1000;
292
+ const timeout = options?.timeout ?? 300000;
293
+ const start = Date.now();
294
+ while (Date.now() - start < timeout) {
295
+ const result = await this.get(resultKey);
296
+ if (result.status === 'completed') {
297
+ return result;
298
+ }
299
+ if (result.status === 'failed') {
300
+ throw new Error(`Operation failed: ${result.error || 'Unknown error'}`);
301
+ }
302
+ await new Promise((resolve) => setTimeout(resolve, interval));
303
+ }
304
+ throw new Error(`Result polling timed out after ${timeout}ms`);
305
+ }
306
+ }
307
+ // ============================================================================
308
+ // Workflow Sub-namespace
309
+ // ============================================================================
310
+ export class WorkflowSubNamespace {
311
+ client;
312
+ constructor(client) {
313
+ this.client = client;
314
+ }
315
+ /** Execute a multi-agent workflow */
316
+ async execute(options) {
317
+ const body = {
318
+ workflow_id: options.workflowId,
319
+ input: options.input,
320
+ mode: options.mode || 'blocking',
321
+ };
322
+ if (options.conversationId)
323
+ body.conversation_id = options.conversationId;
324
+ if (options.webhookUrl)
325
+ body.webhook_url = options.webhookUrl;
326
+ return this.client.request({
327
+ endpoint: '/api/orchestration/execute',
328
+ body,
329
+ useGateway: true,
330
+ });
331
+ }
332
+ /** Validate a workflow definition */
333
+ async validate(workflowDefinition) {
334
+ return this.client.request({
335
+ endpoint: '/api/orchestration/validate',
336
+ body: { definition: workflowDefinition },
337
+ useGateway: true,
338
+ });
339
+ }
340
+ /** Get messages from an execution */
341
+ async messages(executionId, options) {
342
+ const result = await this.client.request({
343
+ endpoint: `/api/orchestration/messages/${executionId}`,
344
+ body: { limit: options?.limit ?? 100, offset: options?.offset ?? 0 },
345
+ useGateway: true,
346
+ });
347
+ if (Array.isArray(result))
348
+ return result;
349
+ return result.messages || [];
350
+ }
351
+ /** Replay events from an execution */
352
+ async events(executionId, fromTimestamp) {
353
+ const body = {};
354
+ if (fromTimestamp)
355
+ body.from = fromTimestamp;
356
+ const result = await this.client.request({
357
+ endpoint: `/api/orchestration/events/${executionId}`,
358
+ body: Object.keys(body).length > 0 ? body : undefined,
359
+ useGateway: true,
360
+ });
361
+ if (Array.isArray(result))
362
+ return result;
363
+ return result.events || [];
364
+ }
365
+ /** Get execution status */
366
+ async status(executionId) {
367
+ return this.client.request({
368
+ endpoint: `/api/orchestration/status/${executionId}`,
369
+ method: 'GET',
370
+ useGateway: true,
371
+ });
372
+ }
373
+ /** Get final execution output */
374
+ async output(executionId) {
375
+ return this.client.request({
376
+ endpoint: `/api/orchestration/output/${executionId}`,
377
+ method: 'GET',
378
+ useGateway: true,
379
+ });
380
+ }
381
+ }
382
+ // ============================================================================
383
+ // Main AI Namespace
384
+ // ============================================================================
385
+ export class AiNamespace {
386
+ client;
387
+ /** RAG corpus management */
388
+ rag;
389
+ /** Conversation artifacts */
390
+ artifacts;
391
+ /** Async result polling */
392
+ results;
393
+ /** Multi-agent workflow orchestration */
394
+ workflow;
395
+ constructor(client) {
396
+ this.client = client;
397
+ this.rag = new RagSubNamespace(client);
398
+ this.artifacts = new ArtifactsSubNamespace(client);
399
+ this.results = new ResultsSubNamespace(client);
400
+ this.workflow = new WorkflowSubNamespace(client);
401
+ }
402
+ // ========================================
403
+ // Agent Execution
404
+ // ========================================
405
+ /** Execute agent with blocking wait */
406
+ async runAgent(options) {
407
+ const body = {
408
+ conversation_id: options.conversationId,
409
+ system_prompt: options.systemPrompt,
410
+ user_prompt: options.userPrompt,
411
+ history_source: options.historySource || 'conversation_id',
412
+ model: options.model || 'claude-sonnet-4-5',
413
+ };
414
+ if (options.inlineHistory)
415
+ body.inline_history = options.inlineHistory;
416
+ if (options.preloadedContext)
417
+ body.preloaded_context = options.preloadedContext;
418
+ if (options.artifactRefs)
419
+ body.artifact_refs = options.artifactRefs;
420
+ if (options.toolAllowlist)
421
+ body.tool_allowlist = options.toolAllowlist;
422
+ if (options.guardrails)
423
+ body.guardrails = options.guardrails;
424
+ if (options.outputSchema)
425
+ body.output_schema = options.outputSchema;
426
+ if (options.toolEndpoint)
427
+ body.tool_endpoint = options.toolEndpoint;
428
+ return this.client.request({
429
+ endpoint: '/api/agent/run',
430
+ body,
431
+ timeout: options.timeout,
432
+ useGateway: true,
433
+ });
434
+ }
435
+ /** Execute agent with SSE streaming */
436
+ async *streamAgent(options) {
437
+ const body = {
438
+ conversation_id: options.conversationId,
439
+ system_prompt: options.systemPrompt,
440
+ user_prompt: options.userPrompt,
441
+ history_source: options.historySource || 'conversation_id',
442
+ model: options.model || 'claude-sonnet-4-5',
443
+ };
444
+ if (options.inlineHistory)
445
+ body.inline_history = options.inlineHistory;
446
+ if (options.preloadedContext)
447
+ body.preloaded_context = options.preloadedContext;
448
+ if (options.artifactRefs)
449
+ body.artifact_refs = options.artifactRefs;
450
+ if (options.toolAllowlist)
451
+ body.tool_allowlist = options.toolAllowlist;
452
+ if (options.guardrails)
453
+ body.guardrails = options.guardrails;
454
+ if (options.outputSchema)
455
+ body.output_schema = options.outputSchema;
456
+ if (options.toolEndpoint)
457
+ body.tool_endpoint = options.toolEndpoint;
458
+ for await (const chunk of this.client.streamRequest({
459
+ endpoint: '/api/agent/stream',
460
+ body,
461
+ onChunk: options.onChunk,
462
+ timeout: options.timeout || 300000,
463
+ useGateway: true,
464
+ })) {
465
+ yield chunk;
466
+ }
467
+ }
468
+ /** Fire-and-forget async execution */
469
+ async runAgentAsync(options) {
470
+ const body = {
471
+ conversation_id: options.conversationId,
472
+ system_prompt: options.systemPrompt,
473
+ user_prompt: options.userPrompt,
474
+ result_key: options.resultKey,
475
+ history_source: options.historySource || 'conversation_id',
476
+ model: options.model || 'claude-sonnet-4-5',
477
+ };
478
+ if (options.inlineHistory)
479
+ body.inline_history = options.inlineHistory;
480
+ if (options.preloadedContext)
481
+ body.preloaded_context = options.preloadedContext;
482
+ if (options.artifactRefs)
483
+ body.artifact_refs = options.artifactRefs;
484
+ if (options.toolAllowlist)
485
+ body.tool_allowlist = options.toolAllowlist;
486
+ if (options.guardrails)
487
+ body.guardrails = options.guardrails;
488
+ if (options.outputSchema)
489
+ body.output_schema = options.outputSchema;
490
+ if (options.toolEndpoint)
491
+ body.tool_endpoint = options.toolEndpoint;
492
+ if (options.webhookUrl)
493
+ body.webhook_url = options.webhookUrl;
494
+ return this.client.request({
495
+ endpoint: '/api/agent/run-async',
496
+ body,
497
+ useGateway: true,
498
+ });
499
+ }
500
+ // ========================================
501
+ // Conversation History
502
+ // ========================================
503
+ /** Get conversation history */
504
+ async history(conversationId, limit = 50) {
505
+ const result = await this.client.request({
506
+ endpoint: `/api/agent/history/${conversationId}?limit=${limit}`,
507
+ method: 'GET',
508
+ useGateway: true,
509
+ });
510
+ if (Array.isArray(result))
511
+ return result;
512
+ return result.messages || [];
513
+ }
514
+ // ========================================
515
+ // LLM Completions
516
+ // ========================================
517
+ /** Blocking LLM completion */
518
+ async complete(options) {
519
+ let systemPrompt = options.systemPrompt;
520
+ let userPrompt = options.userPrompt;
521
+ // Convert messages to system_prompt/user_prompt if needed
522
+ if (options.messages && !userPrompt) {
523
+ for (const msg of options.messages) {
524
+ if (msg.role === 'system') {
525
+ systemPrompt = msg.content;
526
+ }
527
+ else if (msg.role === 'user') {
528
+ userPrompt = msg.content;
529
+ }
530
+ }
531
+ }
532
+ if (!systemPrompt) {
533
+ systemPrompt = 'You are a helpful assistant.';
534
+ }
535
+ if (!userPrompt) {
536
+ throw new Error("Either 'messages' with a user message or 'userPrompt' is required");
537
+ }
538
+ const body = {
539
+ provider: options.provider || 'claude',
540
+ model: options.model || 'claude-sonnet-4-5',
541
+ system_prompt: systemPrompt,
542
+ user_prompt: userPrompt,
543
+ temperature: options.temperature ?? 0.7,
544
+ };
545
+ if (options.conversationId)
546
+ body.conversation_id = options.conversationId;
547
+ if (options.maxTokens)
548
+ body.max_tokens = options.maxTokens;
549
+ return this.client.request({
550
+ endpoint: '/api/llm/complete',
551
+ body,
552
+ timeout: options.timeout,
553
+ useGateway: true,
554
+ });
555
+ }
556
+ /** Streaming LLM completion */
557
+ async *completeStream(options) {
558
+ let systemPrompt = options.systemPrompt;
559
+ let userPrompt = options.userPrompt;
560
+ // Convert messages to system_prompt/user_prompt if needed
561
+ if (options.messages && !userPrompt) {
562
+ for (const msg of options.messages) {
563
+ if (msg.role === 'system') {
564
+ systemPrompt = msg.content;
565
+ }
566
+ else if (msg.role === 'user') {
567
+ userPrompt = msg.content;
568
+ }
569
+ }
570
+ }
571
+ if (!systemPrompt) {
572
+ systemPrompt = 'You are a helpful assistant.';
573
+ }
574
+ if (!userPrompt) {
575
+ throw new Error("Either 'messages' with a user message or 'userPrompt' is required");
576
+ }
577
+ const body = {
578
+ provider: options.provider || 'claude',
579
+ model: options.model || 'claude-sonnet-4-5',
580
+ system_prompt: systemPrompt,
581
+ user_prompt: userPrompt,
582
+ temperature: options.temperature ?? 0.7,
583
+ };
584
+ if (options.conversationId)
585
+ body.conversation_id = options.conversationId;
586
+ if (options.maxTokens)
587
+ body.max_tokens = options.maxTokens;
588
+ for await (const chunk of this.client.streamRequest({
589
+ endpoint: '/api/llm/stream',
590
+ body,
591
+ onChunk: options.onChunk,
592
+ timeout: options.timeout || 120000,
593
+ useGateway: true,
594
+ })) {
595
+ yield chunk;
596
+ }
597
+ }
598
+ // ========================================
599
+ // Speech Services
600
+ // ========================================
601
+ /** Speech-to-text conversion */
602
+ async stt(audio, options) {
603
+ const format = options?.format || 'wav';
604
+ const additionalFields = {};
605
+ if (options?.language)
606
+ additionalFields.language = options.language;
607
+ const result = await this.client.binaryUpload({
608
+ endpoint: '/api/agent/stt',
609
+ fileBytes: audio,
610
+ filename: `audio.${format}`,
611
+ contentType: `audio/${format}`,
612
+ additionalFields: Object.keys(additionalFields).length > 0 ? additionalFields : undefined,
613
+ useGateway: true,
614
+ });
615
+ return result;
616
+ }
617
+ /** Text-to-speech conversion */
618
+ async tts(text, options) {
619
+ return this.client.binaryDownload({
620
+ endpoint: '/api/agent/tts',
621
+ body: {
622
+ text,
623
+ voice: options?.voice || 'nova',
624
+ format: options?.format || 'mp3',
625
+ speed: options?.speed ?? 1.0,
626
+ },
627
+ useGateway: true,
628
+ });
629
+ }
630
+ // ========================================
631
+ // Pre-flight Setup
632
+ // ========================================
633
+ /** Pre-flight session setup */
634
+ async setup(options) {
635
+ const body = {
636
+ conversation_id: options.conversationId,
637
+ };
638
+ if (options.artifacts)
639
+ body.artifacts = options.artifacts;
640
+ if (options.ragCorpus)
641
+ body.rag_corpus = options.ragCorpus;
642
+ if (options.context)
643
+ body.context = options.context;
644
+ return this.client.request({
645
+ endpoint: '/api/session/setup',
646
+ body,
647
+ useGateway: true,
648
+ });
649
+ }
650
+ }
651
+ //# sourceMappingURL=ai.js.map
@@ -0,0 +1 @@
1
+ {"version":3,"file":"ai.js","sourceRoot":"","sources":["../../src/namespaces/ai.ts"],"names":[],"mappings":"AAAA;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;;GA2CG;AA6MH,+EAA+E;AAC/E,oBAAoB;AACpB,+EAA+E;AAE/E,MAAM,OAAO,eAAe;IACN;IAApB,YAAoB,MAAqB;QAArB,WAAM,GAAN,MAAM,CAAe;IAAG,CAAC;IAE7C,uBAAuB;IACvB,KAAK,CAAC,IAAI;QACR,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAA4C;YAClF,QAAQ,EAAE,UAAU;YACpB,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QACH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAO,MAAM,CAAC,OAAO,IAAI,EAAE,CAAC;IAC9B,CAAC;IAED,2CAA2C;IAC3C,KAAK,CAAC,MAAM,CACV,IAAY,EACZ,OAA2D;QAE3D,MAAM,IAAI,GAA4B,EAAE,CAAC;QACzC,IAAI,OAAO,EAAE,WAAW;YAAE,IAAI,CAAC,WAAW,GAAG,OAAO,CAAC,WAAW,CAAC;QACjE,IAAI,OAAO,EAAE,cAAc;YAAE,IAAI,CAAC,eAAe,GAAG,OAAO,CAAC,cAAc,CAAC;QAE3E,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,SAAS;YACnC,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,4BAA4B;IAC5B,KAAK,CAAC,KAAK,CAAC,IAAY;QACtB,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,QAAQ;YAClC,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,2BAA2B;IAC3B,KAAK,CAAC,IAAI,CAAC,IAAY;QACrB,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,EAAE;YAC5B,MAAM,EAAE,QAAQ;YAChB,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,+BAA+B;IAC/B,KAAK,CAAC,OAAO,CACX,IAAY,EACZ,OAAgE;QAEhE,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,UAAU;YACpC,IAAI,EAAE;gBACJ,KAAK,EAAE,OAAO,EAAE,KAAK,IAAI,GAAG;gBAC5B,MAAM,EAAE,OAAO,EAAE,MAAM,IAAI,CAAC;gBAC5B,GAAG,CAAC,OAAO,EAAE,QAAQ,IAAI,EAAE,QAAQ,EAAE,OAAO,CAAC,QAAQ,EAAE,CAAC;aACzD;YACD,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,4BAA4B;IAC5B,KAAK,CAAC,MAAM,CACV,IAAY,EACZ,UAAkB,EAClB,OAAyB;QAEzB,MAAM,IAAI,GAA4B;YACpC,gBAAgB,EAAE,OAAO,CAAC,OAAO,EAAE,yCAAyC;SAC7E,CAAC;QACF,IAAI,OAAO,CAAC,IAAI;YAAE,IAAI,CAAC,IAAI,GAAG,OAAO,CAAC,IAAI,CAAC;QAC3C,IAAI,OAAO,CAAC,WAAW;YAAE,IAAI,CAAC,WAAW,GAAG,OAAO,CAAC,WAAW,CAAC;QAChE,IAAI,OAAO,CAAC,QAAQ;YAAE,IAAI,CAAC,QAAQ,GAAG,OAAO,CAAC,QAAQ,CAAC;QACvD,IAAI,OAAO,CAAC,WAAW;YAAE,IAAI,CAAC,WAAW,GAAG,OAAO,CAAC,WAAW,CAAC;QAChE,IAAI,OAAO,CAAC,eAAe;YAAE,IAAI,CAAC,gBAAgB,GAAG,OAAO,CAAC,eAAe,CAAC;QAC7E,IAAI,OAAO,CAAC,QAAQ;YAAE,IAAI,CAAC,QAAQ,GAAG,OAAO,CAAC,QAAQ,CAAC;QAEvD,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,IAAI,UAAU,EAAE;YAC1C,MAAM,EAAE,KAAK;YACb,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,2BAA2B;IAC3B,KAAK,CAAC,GAAG,CAAC,IAAY,EAAE,UAAkB;QACxC,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,IAAI,UAAU,EAAE;YAC1C,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,sBAAsB;IACtB,KAAK,CAAC,MAAM,CAAC,IAAY,EAAE,UAAkB;QAC3C,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,IAAI,UAAU,EAAE;YAC1C,MAAM,EAAE,QAAQ;YAChB,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,0BAA0B;IAC1B,KAAK,CAAC,UAAU,CACd,IAAY,EACZ,OAAyD;QAEzD,kEAAkE;QAClE,MAAM,WAAW,GAAG,OAAO,CAAC,GAAG,CAAC,CAAC,KAAK,EAAE,EAAE;YACxC,MAAM,CAAC,GAA4B,EAAE,GAAG,KAAK,EAAE,CAAC;YAChD,IAAI,CAAC,CAAC,OAAO,IAAI,CAAC,CAAC,CAAC,gBAAgB,EAAE,CAAC;gBACrC,CAAC,CAAC,gBAAgB,GAAG,CAAC,CAAC,OAAO,CAAC;gBAC/B,OAAO,CAAC,CAAC,OAAO,CAAC;YACnB,CAAC;YACD,OAAO,CAAC,CAAC;QACX,CAAC,CAAC,CAAC;QAEH,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,OAAO;YACjC,IAAI,EAAE,EAAE,OAAO,EAAE,WAAW,EAAE;YAC9B,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,sBAAsB;IACtB,KAAK,CAAC,MAAM,CACV,IAAY,EACZ,KAAa,EACb,OAA0B;QAE1B,MAAM,IAAI,GAA4B;YACpC,KAAK;YACL,KAAK,EAAE,OAAO,EAAE,KAAK,IAAI,EAAE;SAC5B,CAAC;QACF,IAAI,OAAO,EAAE,SAAS,KAAK,SAAS;YAAE,IAAI,CAAC,SAAS,GAAG,OAAO,CAAC,SAAS,CAAC;QACzE,IAAI,OAAO,EAAE,QAAQ;YAAE,IAAI,CAAC,QAAQ,GAAG,OAAO,CAAC,QAAQ,CAAC;QACxD,IAAI,OAAO,EAAE,OAAO;YAAE,IAAI,CAAC,OAAO,GAAG,OAAO,CAAC,OAAO,CAAC;QAErD,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAAwC;YAC9E,QAAQ,EAAE,YAAY,IAAI,SAAS;YACnC,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QAEH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAO,MAAM,CAAC,OAAO,IAAI,EAAE,CAAC;IAC9B,CAAC;IAED,qCAAqC;IACrC,KAAK,CAAC,YAAY,CAChB,IAAY,EACZ,KAAa,EACb,OAAkD;QAElD,MAAM,IAAI,GAA4B;YACpC,KAAK;YACL,KAAK,EAAE,OAAO,EAAE,KAAK,IAAI,EAAE;SAC5B,CAAC;QACF,IAAI,OAAO,EAAE,WAAW;YAAE,IAAI,CAAC,YAAY,GAAG,OAAO,CAAC,WAAW,CAAC;QAElE,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAAwC;YAC9E,QAAQ,EAAE,YAAY,IAAI,gBAAgB;YAC1C,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QAEH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAO,MAAM,CAAC,OAAO,IAAI,EAAE,CAAC;IAC9B,CAAC;IAED,0CAA0C;IAC1C,KAAK,CAAC,MAAM,CACV,IAAY,EACZ,OAAe,EACf,QAAgB,EAChB,OAIC;QAED,OAAO,IAAI,CAAC,MAAM,CAAC,YAAY,CAAC;YAC9B,QAAQ,EAAE,YAAY,IAAI,SAAS;YACnC,SAAS,EAAE,OAAO;YAClB,QAAQ;YACR,WAAW,EAAE,OAAO,EAAE,WAAW,IAAI,0BAA0B;YAC/D,gBAAgB,EAAE;gBAChB,UAAU,EAAE,MAAM,CAAC,OAAO,EAAE,SAAS,IAAI,IAAI,CAAC;gBAC9C,aAAa,EAAE,MAAM,CAAC,OAAO,EAAE,YAAY,IAAI,GAAG,CAAC;aACpD;YACD,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,2CAA2C;IAC3C,KAAK,CAAC,cAAc,CAAC,IAAY,EAAE,UAAkB;QACnD,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,YAAY,IAAI,aAAa,UAAU,EAAE;YACnD,MAAM,EAAE,QAAQ;YAChB,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;CACF;AAED,+EAA+E;AAC/E,0BAA0B;AAC1B,+EAA+E;AAE/E,MAAM,OAAO,qBAAqB;IACZ;IAApB,YAAoB,MAAqB;QAArB,WAAM,GAAN,MAAM,CAAe;IAAG,CAAC;IAE7C,yBAAyB;IACzB,KAAK,CAAC,GAAG,CAAC,UAAkB,EAAE,cAAsB;QAClD,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,wBAAwB,UAAU,oBAAoB,cAAc,EAAE;YAChF,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,4BAA4B;IAC5B,KAAK,CAAC,MAAM,CAAC,OAA8B;QACzC,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,sBAAsB;YAChC,IAAI,EAAE;gBACJ,GAAG,EAAE,OAAO,CAAC,IAAI,EAAE,yBAAyB;gBAC5C,OAAO,EAAE,OAAO,CAAC,OAAO;gBACxB,eAAe,EAAE,OAAO,CAAC,cAAc;gBACvC,YAAY,EAAE,OAAO,CAAC,YAAY,IAAI,YAAY,EAAE,0CAA0C;gBAC9F,SAAS,EAAE,OAAO,CAAC,QAAQ,IAAI,KAAK;aACrC;YACD,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,wCAAwC;IACxC,KAAK,CAAC,IAAI,CAAC,cAAsB;QAC/B,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAA0C;YAChF,QAAQ,EAAE,wCAAwC,cAAc,EAAE;YAClE,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QAEH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAO,MAAM,CAAC,SAAS,IAAI,EAAE,CAAC;IAChC,CAAC;IAED,yBAAyB;IACzB,KAAK,CAAC,MAAM,CAAC,UAAkB,EAAE,cAAsB;QACrD,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,wBAAwB,UAAU,oBAAoB,cAAc,EAAE;YAChF,MAAM,EAAE,QAAQ;YAChB,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;CACF;AAED,+EAA+E;AAC/E,wBAAwB;AACxB,+EAA+E;AAE/E,MAAM,OAAO,mBAAmB;IACV;IAApB,YAAoB,MAAqB;QAArB,WAAM,GAAN,MAAM,CAAe;IAAG,CAAC;IAE7C,8BAA8B;IAC9B,KAAK,CAAC,GAAG,CAAC,SAAiB;QACzB,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,gBAAgB,SAAS,EAAE;YACrC,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,kDAAkD;IAClD,KAAK,CAAC,IAAI,CAAC,SAAiB,EAAE,OAAqB;QACjD,MAAM,QAAQ,GAAG,OAAO,EAAE,QAAQ,IAAI,IAAI,CAAC;QAC3C,MAAM,OAAO,GAAG,OAAO,EAAE,OAAO,IAAI,MAAM,CAAC;QAC3C,MAAM,KAAK,GAAG,IAAI,CAAC,GAAG,EAAE,CAAC;QAEzB,OAAO,IAAI,CAAC,GAAG,EAAE,GAAG,KAAK,GAAG,OAAO,EAAE,CAAC;YACpC,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,GAAG,CAAC,SAAS,CAAC,CAAC;YAEzC,IAAI,MAAM,CAAC,MAAM,KAAK,WAAW,EAAE,CAAC;gBAClC,OAAO,MAAM,CAAC;YAChB,CAAC;YAED,IAAI,MAAM,CAAC,MAAM,KAAK,QAAQ,EAAE,CAAC;gBAC/B,MAAM,IAAI,KAAK,CAAC,qBAAqB,MAAM,CAAC,KAAK,IAAI,eAAe,EAAE,CAAC,CAAC;YAC1E,CAAC;YAED,MAAM,IAAI,OAAO,CAAC,CAAC,OAAO,EAAE,EAAE,CAAC,UAAU,CAAC,OAAO,EAAE,QAAQ,CAAC,CAAC,CAAC;QAChE,CAAC;QAED,MAAM,IAAI,KAAK,CAAC,kCAAkC,OAAO,IAAI,CAAC,CAAC;IACjE,CAAC;CACF;AAED,+EAA+E;AAC/E,yBAAyB;AACzB,+EAA+E;AAE/E,MAAM,OAAO,oBAAoB;IACX;IAApB,YAAoB,MAAqB;QAArB,WAAM,GAAN,MAAM,CAAe;IAAG,CAAC;IAE7C,qCAAqC;IACrC,KAAK,CAAC,OAAO,CAAC,OAA+B;QAC3C,MAAM,IAAI,GAA4B;YACpC,WAAW,EAAE,OAAO,CAAC,UAAU;YAC/B,KAAK,EAAE,OAAO,CAAC,KAAK;YACpB,IAAI,EAAE,OAAO,CAAC,IAAI,IAAI,UAAU;SACjC,CAAC;QACF,IAAI,OAAO,CAAC,cAAc;YAAE,IAAI,CAAC,eAAe,GAAG,OAAO,CAAC,cAAc,CAAC;QAC1E,IAAI,OAAO,CAAC,UAAU;YAAE,IAAI,CAAC,WAAW,GAAG,OAAO,CAAC,UAAU,CAAC;QAE9D,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,4BAA4B;YACtC,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,qCAAqC;IACrC,KAAK,CAAC,QAAQ,CACZ,kBAA2C;QAE3C,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,6BAA6B;YACvC,IAAI,EAAE,EAAE,UAAU,EAAE,kBAAkB,EAAE;YACxC,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,qCAAqC;IACrC,KAAK,CAAC,QAAQ,CACZ,WAAmB,EACnB,OAA6C;QAE7C,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAAuC;YAC7E,QAAQ,EAAE,+BAA+B,WAAW,EAAE;YACtD,IAAI,EAAE,EAAE,KAAK,EAAE,OAAO,EAAE,KAAK,IAAI,GAAG,EAAE,MAAM,EAAE,OAAO,EAAE,MAAM,IAAI,CAAC,EAAE;YACpE,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QAEH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAO,MAAM,CAAC,QAAQ,IAAI,EAAE,CAAC;IAC/B,CAAC;IAED,sCAAsC;IACtC,KAAK,CAAC,MAAM,CACV,WAAmB,EACnB,aAAsB;QAEtB,MAAM,IAAI,GAA4B,EAAE,CAAC;QACzC,IAAI,aAAa;YAAE,IAAI,CAAC,IAAI,GAAG,aAAa,CAAC;QAE7C,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAEtC;YACA,QAAQ,EAAE,6BAA6B,WAAW,EAAE;YACpD,IAAI,EAAE,MAAM,CAAC,IAAI,CAAC,IAAI,CAAC,CAAC,MAAM,GAAG,CAAC,CAAC,CAAC,CAAC,IAAI,CAAC,CAAC,CAAC,SAAS;YACrD,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QAEH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAQ,MAAiD,CAAC,MAAM,IAAI,EAAE,CAAC;IACzE,CAAC;IAED,2BAA2B;IAC3B,KAAK,CAAC,MAAM,CAAC,WAAmB;QAC9B,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,6BAA6B,WAAW,EAAE;YACpD,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,iCAAiC;IACjC,KAAK,CAAC,MAAM,CAAC,WAAmB;QAC9B,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,6BAA6B,WAAW,EAAE;YACpD,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;CACF;AAED,+EAA+E;AAC/E,oBAAoB;AACpB,+EAA+E;AAE/E,MAAM,OAAO,WAAW;IAaF;IAZpB,4BAA4B;IACZ,GAAG,CAAkB;IAErC,6BAA6B;IACb,SAAS,CAAwB;IAEjD,2BAA2B;IACX,OAAO,CAAsB;IAE7C,yCAAyC;IACzB,QAAQ,CAAuB;IAE/C,YAAoB,MAAqB;QAArB,WAAM,GAAN,MAAM,CAAe;QACvC,IAAI,CAAC,GAAG,GAAG,IAAI,eAAe,CAAC,MAAM,CAAC,CAAC;QACvC,IAAI,CAAC,SAAS,GAAG,IAAI,qBAAqB,CAAC,MAAM,CAAC,CAAC;QACnD,IAAI,CAAC,OAAO,GAAG,IAAI,mBAAmB,CAAC,MAAM,CAAC,CAAC;QAC/C,IAAI,CAAC,QAAQ,GAAG,IAAI,oBAAoB,CAAC,MAAM,CAAC,CAAC;IACnD,CAAC;IAED,2CAA2C;IAC3C,kBAAkB;IAClB,2CAA2C;IAE3C,uCAAuC;IACvC,KAAK,CAAC,QAAQ,CAAC,OAAwB;QACrC,MAAM,IAAI,GAA4B;YACpC,eAAe,EAAE,OAAO,CAAC,cAAc;YACvC,aAAa,EAAE,OAAO,CAAC,YAAY;YACnC,WAAW,EAAE,OAAO,CAAC,UAAU;YAC/B,cAAc,EAAE,OAAO,CAAC,aAAa,IAAI,iBAAiB;YAC1D,KAAK,EAAE,OAAO,CAAC,KAAK,IAAI,mBAAmB;SAC5C,CAAC;QAEF,IAAI,OAAO,CAAC,aAAa;YAAE,IAAI,CAAC,cAAc,GAAG,OAAO,CAAC,aAAa,CAAC;QACvE,IAAI,OAAO,CAAC,gBAAgB;YAAE,IAAI,CAAC,iBAAiB,GAAG,OAAO,CAAC,gBAAgB,CAAC;QAChF,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,aAAa;YAAE,IAAI,CAAC,cAAc,GAAG,OAAO,CAAC,aAAa,CAAC;QACvE,IAAI,OAAO,CAAC,UAAU;YAAE,IAAI,CAAC,UAAU,GAAG,OAAO,CAAC,UAAU,CAAC;QAC7D,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QAEpE,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,gBAAgB;YAC1B,IAAI;YACJ,OAAO,EAAE,OAAO,CAAC,OAAO;YACxB,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,uCAAuC;IACvC,KAAK,CAAC,CAAC,WAAW,CAChB,OAAqE;QAErE,MAAM,IAAI,GAA4B;YACpC,eAAe,EAAE,OAAO,CAAC,cAAc;YACvC,aAAa,EAAE,OAAO,CAAC,YAAY;YACnC,WAAW,EAAE,OAAO,CAAC,UAAU;YAC/B,cAAc,EAAE,OAAO,CAAC,aAAa,IAAI,iBAAiB;YAC1D,KAAK,EAAE,OAAO,CAAC,KAAK,IAAI,mBAAmB;SAC5C,CAAC;QAEF,IAAI,OAAO,CAAC,aAAa;YAAE,IAAI,CAAC,cAAc,GAAG,OAAO,CAAC,aAAa,CAAC;QACvE,IAAI,OAAO,CAAC,gBAAgB;YAAE,IAAI,CAAC,iBAAiB,GAAG,OAAO,CAAC,gBAAgB,CAAC;QAChF,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,aAAa;YAAE,IAAI,CAAC,cAAc,GAAG,OAAO,CAAC,aAAa,CAAC;QACvE,IAAI,OAAO,CAAC,UAAU;YAAE,IAAI,CAAC,UAAU,GAAG,OAAO,CAAC,UAAU,CAAC;QAC7D,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QAEpE,IAAI,KAAK,EAAE,MAAM,KAAK,IAAI,IAAI,CAAC,MAAM,CAAC,aAAa,CAAC;YAClD,QAAQ,EAAE,mBAAmB;YAC7B,IAAI;YACJ,OAAO,EAAE,OAAO,CAAC,OAAO;YACxB,OAAO,EAAE,OAAO,CAAC,OAAO,IAAI,MAAM;YAClC,UAAU,EAAE,IAAI;SACjB,CAAC,EAAE,CAAC;YACH,MAAM,KAAoB,CAAC;QAC7B,CAAC;IACH,CAAC;IAED,sCAAsC;IACtC,KAAK,CAAC,aAAa,CAAC,OAA6B;QAC/C,MAAM,IAAI,GAA4B;YACpC,eAAe,EAAE,OAAO,CAAC,cAAc;YACvC,aAAa,EAAE,OAAO,CAAC,YAAY;YACnC,WAAW,EAAE,OAAO,CAAC,UAAU;YAC/B,UAAU,EAAE,OAAO,CAAC,SAAS;YAC7B,cAAc,EAAE,OAAO,CAAC,aAAa,IAAI,iBAAiB;YAC1D,KAAK,EAAE,OAAO,CAAC,KAAK,IAAI,mBAAmB;SAC5C,CAAC;QAEF,IAAI,OAAO,CAAC,aAAa;YAAE,IAAI,CAAC,cAAc,GAAG,OAAO,CAAC,aAAa,CAAC;QACvE,IAAI,OAAO,CAAC,gBAAgB;YAAE,IAAI,CAAC,iBAAiB,GAAG,OAAO,CAAC,gBAAgB,CAAC;QAChF,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,aAAa;YAAE,IAAI,CAAC,cAAc,GAAG,OAAO,CAAC,aAAa,CAAC;QACvE,IAAI,OAAO,CAAC,UAAU;YAAE,IAAI,CAAC,UAAU,GAAG,OAAO,CAAC,UAAU,CAAC;QAC7D,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,YAAY;YAAE,IAAI,CAAC,aAAa,GAAG,OAAO,CAAC,YAAY,CAAC;QACpE,IAAI,OAAO,CAAC,UAAU;YAAE,IAAI,CAAC,WAAW,GAAG,OAAO,CAAC,UAAU,CAAC;QAE9D,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,sBAAsB;YAChC,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,2CAA2C;IAC3C,uBAAuB;IACvB,2CAA2C;IAE3C,+BAA+B;IAC/B,KAAK,CAAC,OAAO,CAAC,cAAsB,EAAE,KAAK,GAAG,EAAE;QAC9C,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,OAAO,CAAuC;YAC7E,QAAQ,EAAE,sBAAsB,cAAc,UAAU,KAAK,EAAE;YAC/D,MAAM,EAAE,KAAK;YACb,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QAEH,IAAI,KAAK,CAAC,OAAO,CAAC,MAAM,CAAC;YAAE,OAAO,MAAM,CAAC;QACzC,OAAO,MAAM,CAAC,QAAQ,IAAI,EAAE,CAAC;IAC/B,CAAC;IAED,2CAA2C;IAC3C,kBAAkB;IAClB,2CAA2C;IAE3C,8BAA8B;IAC9B,KAAK,CAAC,QAAQ,CAAC,OAAwB;QACrC,IAAI,YAAY,GAAG,OAAO,CAAC,YAAY,CAAC;QACxC,IAAI,UAAU,GAAG,OAAO,CAAC,UAAU,CAAC;QAEpC,0DAA0D;QAC1D,IAAI,OAAO,CAAC,QAAQ,IAAI,CAAC,UAAU,EAAE,CAAC;YACpC,KAAK,MAAM,GAAG,IAAI,OAAO,CAAC,QAAQ,EAAE,CAAC;gBACnC,IAAI,GAAG,CAAC,IAAI,KAAK,QAAQ,EAAE,CAAC;oBAC1B,YAAY,GAAG,GAAG,CAAC,OAAO,CAAC;gBAC7B,CAAC;qBAAM,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,EAAE,CAAC;oBAC/B,UAAU,GAAG,GAAG,CAAC,OAAO,CAAC;gBAC3B,CAAC;YACH,CAAC;QACH,CAAC;QAED,IAAI,CAAC,YAAY,EAAE,CAAC;YAClB,YAAY,GAAG,8BAA8B,CAAC;QAChD,CAAC;QAED,IAAI,CAAC,UAAU,EAAE,CAAC;YAChB,MAAM,IAAI,KAAK,CAAC,mEAAmE,CAAC,CAAC;QACvF,CAAC;QAED,MAAM,IAAI,GAA4B;YACpC,QAAQ,EAAE,OAAO,CAAC,QAAQ,IAAI,QAAQ;YACtC,KAAK,EAAE,OAAO,CAAC,KAAK,IAAI,mBAAmB;YAC3C,aAAa,EAAE,YAAY;YAC3B,WAAW,EAAE,UAAU;YACvB,WAAW,EAAE,OAAO,CAAC,WAAW,IAAI,GAAG;SACxC,CAAC;QAEF,IAAI,OAAO,CAAC,cAAc;YAAE,IAAI,CAAC,eAAe,GAAG,OAAO,CAAC,cAAc,CAAC;QAC1E,IAAI,OAAO,CAAC,SAAS;YAAE,IAAI,CAAC,UAAU,GAAG,OAAO,CAAC,SAAS,CAAC;QAE3D,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,mBAAmB;YAC7B,IAAI;YACJ,OAAO,EAAE,OAAO,CAAC,OAAO;YACxB,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,+BAA+B;IAC/B,KAAK,CAAC,CAAC,cAAc,CACnB,OAAqE;QAErE,IAAI,YAAY,GAAG,OAAO,CAAC,YAAY,CAAC;QACxC,IAAI,UAAU,GAAG,OAAO,CAAC,UAAU,CAAC;QAEpC,0DAA0D;QAC1D,IAAI,OAAO,CAAC,QAAQ,IAAI,CAAC,UAAU,EAAE,CAAC;YACpC,KAAK,MAAM,GAAG,IAAI,OAAO,CAAC,QAAQ,EAAE,CAAC;gBACnC,IAAI,GAAG,CAAC,IAAI,KAAK,QAAQ,EAAE,CAAC;oBAC1B,YAAY,GAAG,GAAG,CAAC,OAAO,CAAC;gBAC7B,CAAC;qBAAM,IAAI,GAAG,CAAC,IAAI,KAAK,MAAM,EAAE,CAAC;oBAC/B,UAAU,GAAG,GAAG,CAAC,OAAO,CAAC;gBAC3B,CAAC;YACH,CAAC;QACH,CAAC;QAED,IAAI,CAAC,YAAY,EAAE,CAAC;YAClB,YAAY,GAAG,8BAA8B,CAAC;QAChD,CAAC;QAED,IAAI,CAAC,UAAU,EAAE,CAAC;YAChB,MAAM,IAAI,KAAK,CAAC,mEAAmE,CAAC,CAAC;QACvF,CAAC;QAED,MAAM,IAAI,GAA4B;YACpC,QAAQ,EAAE,OAAO,CAAC,QAAQ,IAAI,QAAQ;YACtC,KAAK,EAAE,OAAO,CAAC,KAAK,IAAI,mBAAmB;YAC3C,aAAa,EAAE,YAAY;YAC3B,WAAW,EAAE,UAAU;YACvB,WAAW,EAAE,OAAO,CAAC,WAAW,IAAI,GAAG;SACxC,CAAC;QAEF,IAAI,OAAO,CAAC,cAAc;YAAE,IAAI,CAAC,eAAe,GAAG,OAAO,CAAC,cAAc,CAAC;QAC1E,IAAI,OAAO,CAAC,SAAS;YAAE,IAAI,CAAC,UAAU,GAAG,OAAO,CAAC,SAAS,CAAC;QAE3D,IAAI,KAAK,EAAE,MAAM,KAAK,IAAI,IAAI,CAAC,MAAM,CAAC,aAAa,CAAC;YAClD,QAAQ,EAAE,iBAAiB;YAC3B,IAAI;YACJ,OAAO,EAAE,OAAO,CAAC,OAAO;YACxB,OAAO,EAAE,OAAO,CAAC,OAAO,IAAI,MAAM;YAClC,UAAU,EAAE,IAAI;SACjB,CAAC,EAAE,CAAC;YACH,MAAM,KAAoB,CAAC;QAC7B,CAAC;IACH,CAAC;IAED,2CAA2C;IAC3C,kBAAkB;IAClB,2CAA2C;IAE3C,gCAAgC;IAChC,KAAK,CAAC,GAAG,CAAC,KAAa,EAAE,OAAoB;QAC3C,MAAM,MAAM,GAAG,OAAO,EAAE,MAAM,IAAI,KAAK,CAAC;QACxC,MAAM,gBAAgB,GAA2B,EAAE,CAAC;QACpD,IAAI,OAAO,EAAE,QAAQ;YAAE,gBAAgB,CAAC,QAAQ,GAAG,OAAO,CAAC,QAAQ,CAAC;QAEpE,MAAM,MAAM,GAAG,MAAM,IAAI,CAAC,MAAM,CAAC,YAAY,CAAC;YAC5C,QAAQ,EAAE,gBAAgB;YAC1B,SAAS,EAAE,KAAK;YAChB,QAAQ,EAAE,SAAS,MAAM,EAAE;YAC3B,WAAW,EAAE,SAAS,MAAM,EAAE;YAC9B,gBAAgB,EAAE,MAAM,CAAC,IAAI,CAAC,gBAAgB,CAAC,CAAC,MAAM,GAAG,CAAC,CAAC,CAAC,CAAC,gBAAgB,CAAC,CAAC,CAAC,SAAS;YACzF,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;QACH,OAAO,MAA8B,CAAC;IACxC,CAAC;IAED,gCAAgC;IAChC,KAAK,CAAC,GAAG,CAAC,IAAY,EAAE,OAAoB;QAC1C,OAAO,IAAI,CAAC,MAAM,CAAC,cAAc,CAAC;YAChC,QAAQ,EAAE,gBAAgB;YAC1B,IAAI,EAAE;gBACJ,IAAI;gBACJ,KAAK,EAAE,OAAO,EAAE,KAAK,IAAI,MAAM;gBAC/B,MAAM,EAAE,OAAO,EAAE,MAAM,IAAI,KAAK;gBAChC,KAAK,EAAE,OAAO,EAAE,KAAK,IAAI,GAAG;aAC7B;YACD,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;IAED,2CAA2C;IAC3C,mBAAmB;IACnB,2CAA2C;IAE3C,+BAA+B;IAC/B,KAAK,CAAC,KAAK,CAAC,OAAqB;QAC/B,MAAM,IAAI,GAA4B;YACpC,eAAe,EAAE,OAAO,CAAC,cAAc;SACxC,CAAC;QAEF,IAAI,OAAO,CAAC,SAAS;YAAE,IAAI,CAAC,SAAS,GAAG,OAAO,CAAC,SAAS,CAAC;QAC1D,IAAI,OAAO,CAAC,SAAS;YAAE,IAAI,CAAC,UAAU,GAAG,OAAO,CAAC,SAAS,CAAC;QAC3D,IAAI,OAAO,CAAC,OAAO;YAAE,IAAI,CAAC,OAAO,GAAG,OAAO,CAAC,OAAO,CAAC;QAEpD,OAAO,IAAI,CAAC,MAAM,CAAC,OAAO,CAAC;YACzB,QAAQ,EAAE,oBAAoB;YAC9B,IAAI;YACJ,UAAU,EAAE,IAAI;SACjB,CAAC,CAAC;IACL,CAAC;CACF"}
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "dominus-sdk-nodejs",
3
- "version": "1.2.44",
3
+ "version": "1.3.0",
4
4
  "description": "Node.js SDK for the Dominus Orchestrator Platform",
5
5
  "main": "dist/index.js",
6
6
  "types": "dist/index.d.ts",