airia 0.1.35__py3-none-any.whl → 0.1.37__py3-none-any.whl

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.
@@ -95,6 +95,74 @@ class AsyncModels(BaseModels):
95
95
 
96
96
  return [ModelItem(**item) for item in resp["items"]]
97
97
 
98
+ async def get_model(
99
+ self,
100
+ model_id: str,
101
+ correlation_id: Optional[str] = None,
102
+ ) -> ModelItem:
103
+ """
104
+ Retrieve a model by its ID.
105
+
106
+ This method fetches detailed information about a specific model, including
107
+ its configuration, pricing, capabilities, and associated project details.
108
+
109
+ Args:
110
+ model_id (str): The unique identifier of the model to retrieve.
111
+ correlation_id (str, optional): A unique identifier for request tracing
112
+ and logging. If not provided, one will be automatically generated.
113
+
114
+ Returns:
115
+ ModelItem: A ModelItem object containing comprehensive model information
116
+ including configuration, pricing, capabilities, and project associations.
117
+
118
+ Raises:
119
+ AiriaAPIError: If the API request fails, including cases where:
120
+ - Model not found (404)
121
+ - Authentication fails (401)
122
+ - Access is forbidden (403)
123
+ - Server errors (5xx)
124
+
125
+ Example:
126
+ ```python
127
+ from airia import AiriaAsyncClient
128
+
129
+ client = AiriaAsyncClient(api_key="your_api_key")
130
+
131
+ # Get a specific model
132
+ model = await client.models.get_model(
133
+ model_id="447589d8-f82f-4a0c-ad15-215a2eaee7b8"
134
+ )
135
+
136
+ print(f"Model: {model.display_name}")
137
+ print(f"Provider: {model.provider}")
138
+ print(f"Model Name: {model.model_name}")
139
+ print(f"Has tool support: {model.has_tool_support}")
140
+ print(f"Has stream support: {model.has_stream_support}")
141
+
142
+ # Access pricing information
143
+ if model.user_provided_details:
144
+ print(f"Input token price: {model.user_provided_details.input_token_price}")
145
+ print(f"Output token price: {model.user_provided_details.output_token_price}")
146
+
147
+ # Get model with correlation ID for tracking
148
+ model = await client.models.get_model(
149
+ model_id="447589d8-f82f-4a0c-ad15-215a2eaee7b8",
150
+ correlation_id="my-correlation-id"
151
+ )
152
+ ```
153
+
154
+ Note:
155
+ The model must be accessible to the authenticated user. Users will only
156
+ be able to retrieve models they have been granted access to.
157
+ """
158
+ request_data = self._pre_get_model(
159
+ model_id=model_id,
160
+ correlation_id=correlation_id,
161
+ api_version=ApiVersion.V1.value,
162
+ )
163
+ resp = await self._request_handler.make_request("GET", request_data)
164
+ return ModelItem(**resp)
165
+
98
166
  async def delete_model(
99
167
  self,
100
168
  model_id: str,
@@ -67,6 +67,40 @@ class BaseModels:
67
67
 
68
68
  return request_data
69
69
 
70
+ def _pre_get_model(
71
+ self,
72
+ model_id: str,
73
+ correlation_id: Optional[str] = None,
74
+ api_version: str = ApiVersion.V1.value,
75
+ ):
76
+ """
77
+ Prepare request data for retrieving a single model.
78
+
79
+ Args:
80
+ model_id: The ID of the model to retrieve
81
+ correlation_id: Optional correlation ID for tracing
82
+ api_version: API version to use for the request
83
+
84
+ Returns:
85
+ RequestData: Prepared request data for the get endpoint
86
+
87
+ Raises:
88
+ ValueError: If an invalid API version is provided
89
+ """
90
+ if api_version not in ApiVersion.as_list():
91
+ raise ValueError(
92
+ f"Invalid API version: {api_version}. Valid versions are: {', '.join(ApiVersion.as_list())}"
93
+ )
94
+
95
+ url = urljoin(
96
+ self._request_handler.base_url,
97
+ f"{api_version}/Models/{model_id}",
98
+ )
99
+ request_data = self._request_handler.prepare_request(
100
+ url, correlation_id=correlation_id
101
+ )
102
+ return request_data
103
+
70
104
  def _pre_delete_model(
71
105
  self,
72
106
  model_id: str,
@@ -95,6 +95,74 @@ class Models(BaseModels):
95
95
 
96
96
  return [ModelItem(**item) for item in resp["items"]]
97
97
 
98
+ def get_model(
99
+ self,
100
+ model_id: str,
101
+ correlation_id: Optional[str] = None,
102
+ ) -> ModelItem:
103
+ """
104
+ Retrieve a model by its ID.
105
+
106
+ This method fetches detailed information about a specific model, including
107
+ its configuration, pricing, capabilities, and associated project details.
108
+
109
+ Args:
110
+ model_id (str): The unique identifier of the model to retrieve.
111
+ correlation_id (str, optional): A unique identifier for request tracing
112
+ and logging. If not provided, one will be automatically generated.
113
+
114
+ Returns:
115
+ ModelItem: A ModelItem object containing comprehensive model information
116
+ including configuration, pricing, capabilities, and project associations.
117
+
118
+ Raises:
119
+ AiriaAPIError: If the API request fails, including cases where:
120
+ - Model not found (404)
121
+ - Authentication fails (401)
122
+ - Access is forbidden (403)
123
+ - Server errors (5xx)
124
+
125
+ Example:
126
+ ```python
127
+ from airia import AiriaClient
128
+
129
+ client = AiriaClient(api_key="your_api_key")
130
+
131
+ # Get a specific model
132
+ model = client.models.get_model(
133
+ model_id="447589d8-f82f-4a0c-ad15-215a2eaee7b8"
134
+ )
135
+
136
+ print(f"Model: {model.display_name}")
137
+ print(f"Provider: {model.provider}")
138
+ print(f"Model Name: {model.model_name}")
139
+ print(f"Has tool support: {model.has_tool_support}")
140
+ print(f"Has stream support: {model.has_stream_support}")
141
+
142
+ # Access pricing information
143
+ if model.user_provided_details:
144
+ print(f"Input token price: {model.user_provided_details.input_token_price}")
145
+ print(f"Output token price: {model.user_provided_details.output_token_price}")
146
+
147
+ # Get model with correlation ID for tracking
148
+ model = client.models.get_model(
149
+ model_id="447589d8-f82f-4a0c-ad15-215a2eaee7b8",
150
+ correlation_id="my-correlation-id"
151
+ )
152
+ ```
153
+
154
+ Note:
155
+ The model must be accessible to the authenticated user. Users will only
156
+ be able to retrieve models they have been granted access to.
157
+ """
158
+ request_data = self._pre_get_model(
159
+ model_id=model_id,
160
+ correlation_id=correlation_id,
161
+ api_version=ApiVersion.V1.value,
162
+ )
163
+ resp = self._request_handler.make_request("GET", request_data)
164
+ return ModelItem(**resp)
165
+
98
166
  def delete_model(
99
167
  self,
100
168
  model_id: str,
@@ -24,13 +24,17 @@ from .export_pipeline_definition import (
24
24
  AgentDetailItemDefinition,
25
25
  ExportPipelineDefinitionResponse,
26
26
  ExportChunkingConfig,
27
+ ExportConditionalBranchConfigDefinition,
27
28
  ExportCredentialDataList,
28
29
  ExportCredentials,
30
+ ExportCustomCredentials,
29
31
  ExportDataSource,
30
32
  ExportDataSourceFile,
31
33
  ExportDependency,
32
34
  ExportDeployment,
33
35
  ExportHandle,
36
+ ExportJsonFormatterStepConfiguration,
37
+ ExportLoopStepConfiguration,
34
38
  ExportMemory,
35
39
  ExportMetadata,
36
40
  ExportModel,
@@ -38,56 +42,68 @@ from .export_pipeline_definition import (
38
42
  ExportPipelineStep,
39
43
  ExportPosition,
40
44
  ExportPrompt,
41
- ExportPromptMessageList,
42
45
  ExportPythonCodeBlock,
46
+ ExportRetryConfiguration,
43
47
  ExportRouter,
44
48
  ExportRouterConfig,
49
+ ExportSDKStepCredentialReference,
50
+ ExportSDKStepDefinition,
45
51
  ExportTool,
46
52
  ExportToolHeaders,
47
53
  ExportToolParameters,
48
54
  ExportUserPrompt,
55
+ ExportVectorStore,
56
+ ExportWebhookApprovalRequest,
49
57
  )
50
58
 
51
59
  __all__ = [
52
60
  "AboutDeploymentMetadata",
53
61
  "AgentDetailsEntry",
62
+ "AgentDetailItemDefinition",
54
63
  "AgentTrigger",
55
64
  "Deployment",
56
65
  "DeploymentAssignment",
57
66
  "DeploymentUserPrompt",
58
- "ExportPipelineDefinitionResponse",
59
- "GetPipelinesConfigResponse",
60
- "Pipeline",
61
- "PipelineConfigItem",
62
- "PipelineConfigResponse",
63
- "PipelineExecutionStats",
64
- "PipelineStep",
65
- "PipelineStepDependency",
66
- "PipelineStepHandle",
67
- "PipelineStepPosition",
68
- "PipelineVersion",
69
- "AgentDetailItemDefinition",
70
67
  "ExportChunkingConfig",
68
+ "ExportConditionalBranchConfigDefinition",
71
69
  "ExportCredentialDataList",
72
70
  "ExportCredentials",
71
+ "ExportCustomCredentials",
73
72
  "ExportDataSource",
74
73
  "ExportDataSourceFile",
75
74
  "ExportDependency",
76
75
  "ExportDeployment",
77
76
  "ExportHandle",
77
+ "ExportJsonFormatterStepConfiguration",
78
+ "ExportLoopStepConfiguration",
78
79
  "ExportMemory",
79
80
  "ExportMetadata",
80
81
  "ExportModel",
81
82
  "ExportPipeline",
83
+ "ExportPipelineDefinitionResponse",
82
84
  "ExportPipelineStep",
83
85
  "ExportPosition",
84
86
  "ExportPrompt",
85
- "ExportPromptMessageList",
86
87
  "ExportPythonCodeBlock",
88
+ "ExportRetryConfiguration",
87
89
  "ExportRouter",
88
90
  "ExportRouterConfig",
91
+ "ExportSDKStepCredentialReference",
92
+ "ExportSDKStepDefinition",
89
93
  "ExportTool",
90
94
  "ExportToolHeaders",
91
95
  "ExportToolParameters",
92
96
  "ExportUserPrompt",
97
+ "ExportVectorStore",
98
+ "ExportWebhookApprovalRequest",
99
+ "GetPipelinesConfigResponse",
100
+ "Pipeline",
101
+ "PipelineConfigItem",
102
+ "PipelineConfigResponse",
103
+ "PipelineExecutionStats",
104
+ "PipelineStep",
105
+ "PipelineStepDependency",
106
+ "PipelineStepHandle",
107
+ "PipelineStepPosition",
108
+ "PipelineVersion",
93
109
  ]
@@ -25,6 +25,26 @@ class ExportCredentialDataList(BaseModel):
25
25
  value: str = Field(..., description="Gets or sets the value.")
26
26
 
27
27
 
28
+ class ExportCustomCredentials(BaseModel):
29
+ """Represents custom credentials definition.
30
+
31
+ Attributes:
32
+ id: The unique identifier
33
+ name: The name of the credential
34
+ credential_type: The type of credential
35
+ credential_data: Optional credential data
36
+ """
37
+
38
+ id: str = Field(..., description="Gets or sets the ID.")
39
+ name: str = Field(..., description="Gets or sets the name.")
40
+ credential_type: str = Field(
41
+ ..., description="Gets or sets the credential type.", alias="credentialType"
42
+ )
43
+ credential_data: Optional[str] = Field(
44
+ None, description="Gets or sets the credential data.", alias="credentialData"
45
+ )
46
+
47
+
28
48
  class ExportCredentials(BaseModel):
29
49
  """Represents credential information for external service authentication.
30
50
 
@@ -36,9 +56,9 @@ class ExportCredentials(BaseModel):
36
56
  credential_type: The type of credential (API key, OAuth, etc.)
37
57
  source_type: The source where the credential originates
38
58
  credential_data_list: List of key-value pairs containing credential data
39
- display_identifier_name: The display name for the credential identifier
40
- administrative_scope: The administrative scope of the credential
41
- origin: The origin of the credential
59
+ display_identifier_name: Optional display name for the credential identifier
60
+ administrative_scope: Optional administrative scope of the credential
61
+ origin: Optional origin of the credential
42
62
  custom_credentials: Optional custom credentials configuration
43
63
  id: The unique identifier for the credential set
44
64
  """
@@ -55,18 +75,20 @@ class ExportCredentials(BaseModel):
55
75
  description="Gets or sets the credential data list.",
56
76
  alias="credentialDataList",
57
77
  )
58
- display_identifier_name: str = Field(
59
- ...,
78
+ display_identifier_name: Optional[str] = Field(
79
+ None,
60
80
  description="Gets or sets the display identifier name.",
61
81
  alias="displayIdentifierName",
62
82
  )
63
- administrative_scope: str = Field(
64
- ...,
83
+ administrative_scope: Optional[str] = Field(
84
+ None,
65
85
  description="Gets or sets the administrative scope.",
66
86
  alias="administrativeScope",
67
87
  )
68
- origin: str = Field(..., description="Gets or sets the origin.")
69
- custom_credentials: Optional[dict] = Field(
88
+ origin: Optional[str] = Field(
89
+ None, description="Gets or sets the origin."
90
+ )
91
+ custom_credentials: Optional[ExportCustomCredentials] = Field(
70
92
  None,
71
93
  description="Gets or sets the custom credentials.",
72
94
  alias="customCredentials",
@@ -155,6 +177,95 @@ class ExportDependency(BaseModel):
155
177
  )
156
178
 
157
179
 
180
+ class ExportLoopStepConfiguration(BaseModel):
181
+ """Represents loop container step configuration.
182
+
183
+ Attributes:
184
+ stop_on_error: Whether to stop on error
185
+ max_iterations: The maximum number of iterations
186
+ """
187
+
188
+ stop_on_error: bool = Field(
189
+ ...,
190
+ description="Gets a value indicating whether the pipeline execution should stop if an error occurs during loop execution.",
191
+ alias="stopOnError",
192
+ )
193
+ max_iterations: int = Field(
194
+ ...,
195
+ description="Gets the maximum number of iterations for the loop.",
196
+ alias="maxIterations",
197
+ )
198
+
199
+
200
+ class ExportJsonFormatterStepConfiguration(BaseModel):
201
+ """Represents JSON formatter step configuration.
202
+
203
+ Attributes:
204
+ template: The JSON formatter template
205
+ """
206
+
207
+ template: str = Field(
208
+ ..., description="Gets the JSON formatter template."
209
+ )
210
+
211
+
212
+ class ExportConditionalBranchConfigDefinition(BaseModel):
213
+ """Represents conditional branch configuration definition.
214
+
215
+ Attributes:
216
+ id: The unique identifier
217
+ label: Optional route label
218
+ """
219
+
220
+ id: str = Field(..., description="Gets or sets the Id.")
221
+ label: Optional[str] = Field(
222
+ None,
223
+ description="Gets or sets the route label (e.g., \"Route 1\", \"High Priority\").",
224
+ )
225
+
226
+
227
+ class ExportRetryConfiguration(BaseModel):
228
+ """Represents retry configuration for step execution.
229
+
230
+ Attributes:
231
+ enabled: Whether retries are enabled
232
+ max_retries: The maximum number of retry attempts
233
+ delay: The base delay between retries in milliseconds
234
+ max_delay: The maximum delay between retries in milliseconds
235
+ backoff_multiplier: The backoff multiplier for exponential backoff
236
+ use_jitter: Whether to use jitter to randomize retry delays
237
+ """
238
+
239
+ enabled: bool = Field(
240
+ ...,
241
+ description="Gets a value indicating whether retries are enabled or disabled.",
242
+ )
243
+ max_retries: int = Field(
244
+ ...,
245
+ description="Gets the maximum number of retry attempts.",
246
+ alias="maxRetries",
247
+ )
248
+ delay: int = Field(
249
+ ...,
250
+ description="Gets the base delay between retries in milliseconds.",
251
+ )
252
+ max_delay: int = Field(
253
+ ...,
254
+ description="Gets the maximum delay between retries in milliseconds.",
255
+ alias="maxDelay",
256
+ )
257
+ backoff_multiplier: float = Field(
258
+ ...,
259
+ description="Gets the backoff multiplier for exponential backoff.",
260
+ alias="backoffMultiplier",
261
+ )
262
+ use_jitter: bool = Field(
263
+ ...,
264
+ description="Gets a value indicating whether to use jitter to randomize retry delays.",
265
+ alias="useJitter",
266
+ )
267
+
268
+
158
269
  class ExportPipelineStep(BaseModel):
159
270
  """Represents a complete pipeline step definition for export.
160
271
 
@@ -202,11 +313,21 @@ class ExportPipelineStep(BaseModel):
202
313
  temperature: Optional[float] = Field(
203
314
  None, description="Gets or sets the temperature."
204
315
  )
316
+ reasoning_effort: Optional[str] = Field(
317
+ None,
318
+ description="Gets or sets the reasoning effort level for OpenAI reasoning models.",
319
+ alias="reasoningEffort",
320
+ )
205
321
  include_date_time_context: Optional[bool] = Field(
206
322
  None,
207
323
  description="Gets or sets a value indicating whether to include date time context.",
208
324
  alias="includeDateTimeContext",
209
325
  )
326
+ include_user_details_context: Optional[bool] = Field(
327
+ None,
328
+ description="Gets or sets a value indicating whether to include user details context.",
329
+ alias="includeUserDetailsContext",
330
+ )
210
331
  prompt_id: Optional[str] = Field(
211
332
  None, description="Gets or sets the prompt ID.", alias="promptId"
212
333
  )
@@ -227,7 +348,7 @@ class ExportPipelineStep(BaseModel):
227
348
  top_k: Optional[int] = Field(
228
349
  None, description="Gets or sets the top K.", alias="topK"
229
350
  )
230
- relevance_threshold: Optional[int] = Field(
351
+ relevance_threshold: Optional[float] = Field(
231
352
  None,
232
353
  description="Gets or sets the relevance threshold.",
233
354
  alias="relevanceThreshold",
@@ -245,12 +366,48 @@ class ExportPipelineStep(BaseModel):
245
366
  database_type: Optional[str] = Field(
246
367
  None, description="Gets or sets the database type.", alias="databaseType"
247
368
  )
369
+ enable_sql_queries: Optional[bool] = Field(
370
+ None,
371
+ description="Gets or sets a value indicating whether SQL queries are enabled.",
372
+ alias="enableSqlQueries",
373
+ )
374
+ fuzzy_search: Optional[bool] = Field(
375
+ None,
376
+ description="Gets or sets a value indicating whether fuzzy search is enabled.",
377
+ alias="fuzzySearch",
378
+ )
379
+ sql_result_limit: Optional[int] = Field(
380
+ None,
381
+ description="Gets or sets the maximum number of rows to return from SQL queries.",
382
+ alias="sqlResultLimit",
383
+ )
384
+ hybrid_search_fusion_type: Optional[str] = Field(
385
+ None,
386
+ description="Gets or sets the hybrid search fusion type.",
387
+ alias="hybridSearchFusionType",
388
+ )
389
+ user_input_on_vector_search: Optional[bool] = Field(
390
+ None,
391
+ description="Gets or sets a value indicating whether user input is considered during vector search.",
392
+ alias="userInputOnVectorSearch",
393
+ )
248
394
  memory_id: Optional[str] = Field(
249
395
  None, description="Gets or sets the memory.", alias="memoryId"
250
396
  )
251
397
  python_code_block_id: Optional[str] = Field(
252
398
  None, description="Gets or sets the code.", alias="pythonCodeBlockId"
253
399
  )
400
+ approval_request_id: Optional[str] = Field(
401
+ None, description="Gets or sets the approval request ID.", alias="approvalRequestId"
402
+ )
403
+ webhook_approval_request_id: Optional[str] = Field(
404
+ None,
405
+ description="Gets or sets the webhook approval request ID.",
406
+ alias="webhookApprovalRequestId",
407
+ )
408
+ agent_card_id: Optional[str] = Field(
409
+ None, description="Gets or sets the A2A Card ID.", alias="agentCardId"
410
+ )
254
411
  background_color: Optional[str] = Field(
255
412
  None, description="Gets or sets the backgroundColor.", alias="backgroundColor"
256
413
  )
@@ -258,22 +415,142 @@ class ExportPipelineStep(BaseModel):
258
415
  step_title: str = Field(
259
416
  ..., description="Gets or sets the Step Title.", alias="stepTitle"
260
417
  )
418
+ parent_id: Optional[str] = Field(
419
+ None,
420
+ description="Gets or sets the identifier of the parent step that this step belongs to.",
421
+ alias="parentId",
422
+ )
261
423
  width: Optional[int] = Field(
262
- None, description="Gets or sets the width of the step."
424
+ None, description="Gets or sets the width of the step in the pipeline UI."
263
425
  )
264
426
  height: Optional[int] = Field(
265
- None, description="Gets or sets the height of the step."
427
+ None, description="Gets or sets the height of the step in the pipeline UI."
266
428
  )
267
- ai_operation_step_include_chat_history: Optional[bool] = Field(
429
+ loop_step_configuration: Optional[ExportLoopStepConfiguration] = Field(
268
430
  None,
269
- description="Gets or sets whether to include chat history in AI operations.",
270
- alias="aiOperationStepIncludeChatHistory",
431
+ description="Gets or sets the loop step configuration.",
432
+ alias="loopStepConfiguration",
433
+ )
434
+ json_formatter_step_configuration: Optional[ExportJsonFormatterStepConfiguration] = Field(
435
+ None,
436
+ description="Gets or sets the JSON formatter step configuration.",
437
+ alias="jsonFormatterStepConfiguration",
271
438
  )
272
439
  input_variables_json: Optional[str] = Field(
273
440
  None,
274
- description="Gets or sets the input variables as JSON string.",
441
+ description="Gets or sets a dictionary containing input variable configuration as a json.",
275
442
  alias="inputVariablesJson",
276
443
  )
444
+ input_template: Optional[str] = Field(
445
+ None,
446
+ description="Gets or sets the input template that will be used with the input variables.",
447
+ alias="inputTemplate",
448
+ )
449
+ include_chat_history: Optional[bool] = Field(
450
+ None,
451
+ description="Gets a value indicating whether to include chat history.",
452
+ alias="includeChatHistory",
453
+ )
454
+ is_multi_route: Optional[bool] = Field(
455
+ None,
456
+ description="Gets a value indicating whether the router is multi-route or single route.",
457
+ alias="isMultiRoute",
458
+ )
459
+ router_config_json: Optional[str] = Field(
460
+ None,
461
+ description="Gets the Router Configuration in JSON format.",
462
+ alias="routerConfigJson",
463
+ )
464
+ conditional_branch_code: Optional[str] = Field(
465
+ None,
466
+ description="Gets the Python code to be executed in this step.",
467
+ alias="conditionalBranchCode",
468
+ )
469
+ conditional_branch_config_json: Optional[str] = Field(
470
+ None,
471
+ description="Gets or sets the conditional branch configuration in JSON format.",
472
+ alias="conditionalBranchConfigJson",
473
+ )
474
+ router_config: Optional[Dict[str, ExportConditionalBranchConfigDefinition]] = Field(
475
+ None,
476
+ description="Gets the Router Configuration.",
477
+ alias="routerConfig",
478
+ )
479
+ selected_prompt_version: Optional[str] = Field(
480
+ None,
481
+ description="Gets the Selected Prompt Version.",
482
+ alias="selectedPromptVersion",
483
+ )
484
+ step_params: Optional[Dict[str, str]] = Field(
485
+ None,
486
+ description="Gets a dictionary containing step parameters, where the key is the parameter name and the value is the parameter value.",
487
+ alias="stepParams",
488
+ )
489
+ ai_operation_step_include_chat_history: Optional[bool] = Field(
490
+ None,
491
+ description="Gets a value indicating whether to include the chat history in AI Operation step.",
492
+ alias="aiOperationStepIncludeChatHistory",
493
+ )
494
+ ai_operation_step_include_attachments: Optional[bool] = Field(
495
+ None,
496
+ description="Gets a value indicating whether to include the attachments in AI Operation step.",
497
+ alias="aiOperationStepIncludeAttachments",
498
+ )
499
+ ai_operation_step_use_data_source: Optional[bool] = Field(
500
+ None,
501
+ description="Gets a value indicating whether to use data sources during agent execution in AI Operation step.",
502
+ alias="aiOperationStepUseDataSource",
503
+ )
504
+ selected_data_sources: Optional[List[str]] = Field(
505
+ None,
506
+ description="Gets the selected data sources (data stores) to be used during agent execution in AI Operation step.",
507
+ alias="selectedDataSources",
508
+ )
509
+ memory_store_step_append_text: Optional[bool] = Field(
510
+ None,
511
+ description="Gets a value indicating whether to append the text from previous step/steps into the Memory step.",
512
+ alias="memoryStoreStepAppendText",
513
+ )
514
+ ai_operation_step_chat_history_messages_limit: Optional[int] = Field(
515
+ None,
516
+ description="Gets or sets the maximum number of messages to include from the chat history.",
517
+ alias="aiOperationStepChatHistoryMessagesLimit",
518
+ )
519
+ ai_operation_step_output_schema_json: Optional[str] = Field(
520
+ None,
521
+ description="Gets or sets the output schema in JSON format.",
522
+ alias="aiOperationStepOutputSchemaJson",
523
+ )
524
+ execute_pipeline_id: Optional[str] = Field(
525
+ None,
526
+ description="Gets or sets the ID of the pipeline to be executed for ExecutePipelineStep.",
527
+ alias="executePipelineId",
528
+ )
529
+ selected_pipeline_version: Optional[str] = Field(
530
+ None,
531
+ description="Gets or sets the selected pipeline version to be executed for ExecutePipelineStep.",
532
+ alias="selectedPipelineVersion",
533
+ )
534
+ embedded_agent_variables_json: Optional[str] = Field(
535
+ None,
536
+ description="Gets or sets the embedded agent variables in JSON format for ExecutePipelineStep.",
537
+ alias="embeddedAgentVariablesJson",
538
+ )
539
+ preferred_pdf_parser_id: Optional[str] = Field(
540
+ None,
541
+ description="Gets or sets the preferred PDF parser ID for document ingestion.",
542
+ alias="preferredPdfParserId",
543
+ )
544
+ custom_pdf_parser_prompt: Optional[str] = Field(
545
+ None,
546
+ description="Gets or sets the custom prompt for the PDF parser.",
547
+ alias="customPdfParserPrompt",
548
+ )
549
+ retry_configuration: Optional[ExportRetryConfiguration] = Field(
550
+ None,
551
+ description="Gets or sets the retry configuration for step execution.",
552
+ alias="retryConfiguration",
553
+ )
277
554
 
278
555
 
279
556
  class AgentDetailItemDefinition(BaseModel):
@@ -590,33 +867,17 @@ class ExportDataSource(BaseModel):
590
867
  )
591
868
 
592
869
 
593
- class ExportPromptMessageList(BaseModel):
594
- """Represents a single message within a prompt sequence.
595
-
596
- Defines individual messages that make up a prompt, including
597
- content and ordering information.
598
-
599
- Attributes:
600
- text: The content of the message
601
- order: The order of this message in the prompt sequence
602
- """
603
-
604
- text: str = Field(..., description="Gets or sets the text.")
605
- order: int = Field(..., description="Gets or sets the order.")
606
-
607
-
608
870
  class ExportPrompt(BaseModel):
609
871
  """Represents a complete prompt definition for export.
610
872
 
611
873
  Contains all information for a prompt including name, version information,
612
- and the sequence of messages that make up the prompt.
874
+ and the prompt message.
613
875
 
614
876
  Attributes:
615
877
  name: The name of the prompt
616
878
  version_change_description: Description of changes in this version
617
879
  prompt_message: Optional consolidated prompt message text
618
880
  is_agent_specific: Whether the prompt is specific to an agent
619
- prompt_message_list: List of messages that make up the prompt
620
881
  id: The unique identifier of the prompt
621
882
  """
622
883
 
@@ -628,7 +889,7 @@ class ExportPrompt(BaseModel):
628
889
  )
629
890
  prompt_message: Optional[str] = Field(
630
891
  None,
631
- description="Gets or sets the consolidated prompt message.",
892
+ description="Gets or sets the prompt message.",
632
893
  alias="promptMessage",
633
894
  )
634
895
  is_agent_specific: Optional[bool] = Field(
@@ -636,11 +897,6 @@ class ExportPrompt(BaseModel):
636
897
  description="Gets or sets whether the prompt is agent specific.",
637
898
  alias="isAgentSpecific",
638
899
  )
639
- prompt_message_list: Optional[List[ExportPromptMessageList]] = Field(
640
- None,
641
- description="Gets or sets the prompt message list.",
642
- alias="promptMessageList",
643
- )
644
900
  id: str = Field(..., description="Gets or sets the ID.")
645
901
 
646
902
 
@@ -768,13 +1024,16 @@ class ExportTool(BaseModel):
768
1024
  method_type: str = Field(
769
1025
  ..., description="Gets or sets the method type.", alias="methodType"
770
1026
  )
771
- route_through_acc: bool = Field(
772
- ...,
1027
+ route_through_acc: Optional[bool] = Field(
1028
+ None,
773
1029
  description="Gets or sets a value indicating whether the tool should route through the ACC.",
774
1030
  alias="routeThroughACC",
775
1031
  )
776
1032
  acc_group: Optional[str] = Field(
777
- None, description="Gets or sets the access control group.", alias="accGroup"
1033
+ None, description="Gets or sets the ACC group.", alias="accGroup"
1034
+ )
1035
+ icon_url: Optional[str] = Field(
1036
+ None, description="Gets or sets the Icon URL.", alias="iconUrl"
778
1037
  )
779
1038
  use_user_credentials: bool = Field(
780
1039
  ...,
@@ -786,16 +1045,18 @@ class ExportTool(BaseModel):
786
1045
  description="Gets or sets a value indicating what the credential type is when the tool use user based credentials.",
787
1046
  alias="useUserCredentialsType",
788
1047
  )
789
- provider: str = Field(..., description="Gets or sets the provider.")
790
- body_type: str = Field(
791
- ..., description="Gets or sets the body type.", alias="bodyType"
1048
+ provider: Optional[str] = Field(
1049
+ None, description="Gets or sets the provider."
1050
+ )
1051
+ body_type: Optional[str] = Field(
1052
+ None, description="Gets or sets the body type.", alias="bodyType"
792
1053
  )
793
- number_of_pages: Optional[int] = Field(
1054
+ number_of_pages: Optional[str] = Field(
794
1055
  None, description="Gets or sets the number of pages.", alias="numberOfPages"
795
1056
  )
796
- should_retrieve_full_page_content: Optional[bool] = Field(
1057
+ should_retrieve_full_page_content: Optional[str] = Field(
797
1058
  None,
798
- description="Gets or sets whether to retrieve full page content.",
1059
+ description="Gets or sets should retrieve full page content.",
799
1060
  alias="shouldRetrieveFullPageContent",
800
1061
  )
801
1062
  schema_definition: Optional[str] = Field(
@@ -819,6 +1080,11 @@ class ExportTool(BaseModel):
819
1080
  description="Gets or sets the credentials source type.",
820
1081
  alias="credentialsSourceType",
821
1082
  )
1083
+ use_jwt_forwarding: Optional[bool] = Field(
1084
+ None,
1085
+ description="Gets or sets a value indicating whether the tool should use JWT forwarding for authentication.",
1086
+ alias="useJwtForwarding",
1087
+ )
822
1088
  id: str = Field(..., description="Gets or sets the ID.")
823
1089
 
824
1090
 
@@ -955,6 +1221,7 @@ class ExportMemory(BaseModel):
955
1221
  id: The unique identifier of the memory
956
1222
  name: The name of the memory
957
1223
  is_user_specific: Whether the memory is specific to individual users
1224
+ is_conversation_scoped: Optional flag indicating if memory is conversation specific
958
1225
  """
959
1226
 
960
1227
  id: str = Field(..., description="Gets or sets the memory id.")
@@ -964,6 +1231,11 @@ class ExportMemory(BaseModel):
964
1231
  description="Gets or sets a value indicating whether the memory is user specific.",
965
1232
  alias="isUserSpecific",
966
1233
  )
1234
+ is_conversation_scoped: Optional[bool] = Field(
1235
+ None,
1236
+ description="Gets or sets a value indicating whether the memory is conversation specific.",
1237
+ alias="isConversationScoped",
1238
+ )
967
1239
 
968
1240
 
969
1241
  class ExportPythonCodeBlock(BaseModel):
@@ -1103,8 +1375,8 @@ class ExportQuickAction(BaseModel):
1103
1375
  quick_action_type: str = Field(
1104
1376
  ..., description="Gets or sets the quick action type.", alias="quickActionType"
1105
1377
  )
1106
- assigned_agent: ExportAssignedAgent = Field(
1107
- ..., description="Gets or sets the assigned agent.", alias="assignedAgent"
1378
+ assigned_agent: Optional[ExportAssignedAgent] = Field(
1379
+ None, description="Gets or sets the assigned agent.", alias="assignedAgent"
1108
1380
  )
1109
1381
 
1110
1382
 
@@ -1268,10 +1540,14 @@ class ExportMetadata(BaseModel):
1268
1540
  video_link: Optional[str] = Field(
1269
1541
  None, description="Gets or sets the video link.", alias="videoLink"
1270
1542
  )
1271
- readiness: str = Field(..., description="Gets or sets the readiness status.")
1272
- department: str = Field(..., description="Gets or sets the department.")
1273
- agent_last_updated: str = Field(
1274
- ...,
1543
+ readiness: Optional[str] = Field(
1544
+ None, description="Gets or sets the readiness level."
1545
+ )
1546
+ department: Optional[str] = Field(
1547
+ None, description="Gets or sets the department."
1548
+ )
1549
+ agent_last_updated: Optional[str] = Field(
1550
+ None,
1275
1551
  description="Gets or sets the timestamp when the agent was last updated.",
1276
1552
  alias="agentLastUpdated",
1277
1553
  )
@@ -1316,6 +1592,47 @@ class ExportApprovalRequest(BaseModel):
1316
1592
  )
1317
1593
 
1318
1594
 
1595
+ class ExportWebhookApprovalRequest(BaseModel):
1596
+ """Represents a webhook approval request for export.
1597
+
1598
+ Attributes:
1599
+ id: The unique identifier
1600
+ webhook_url: The webhook URL where the approval request will be sent
1601
+ timeout_seconds: The timeout in seconds for the webhook request
1602
+ max_retry_attempts: The maximum number of retry attempts
1603
+ message: Optional message to include in the webhook payload
1604
+ approved_handle_id: The approved handle ID
1605
+ denied_handle_id: The denied handle ID
1606
+ """
1607
+
1608
+ id: str = Field(..., description="Gets or sets the ID.")
1609
+ webhook_url: str = Field(
1610
+ ...,
1611
+ description="Gets or sets the webhook URL where the approval request will be sent.",
1612
+ alias="webhookUrl",
1613
+ )
1614
+ timeout_seconds: int = Field(
1615
+ ...,
1616
+ description="Gets or sets the timeout in seconds for the webhook request (default: 300 seconds / 5 minutes).",
1617
+ alias="timeoutSeconds",
1618
+ )
1619
+ max_retry_attempts: int = Field(
1620
+ ...,
1621
+ description="Gets or sets the maximum number of retry attempts for the webhook request (default: 3).",
1622
+ alias="maxRetryAttempts",
1623
+ )
1624
+ message: Optional[str] = Field(
1625
+ None,
1626
+ description="Gets or sets the optional Message to include in the webhook payload.",
1627
+ )
1628
+ approved_handle_id: str = Field(
1629
+ ..., description="Gets the approved handle identifier.", alias="approvedHandleId"
1630
+ )
1631
+ denied_handle_id: str = Field(
1632
+ ..., description="Gets the denied handle identifier.", alias="deniedHandleId"
1633
+ )
1634
+
1635
+
1319
1636
  class ExportAgentCardProvider(BaseModel):
1320
1637
  """Represents a provider for an agent card.
1321
1638
 
@@ -1357,7 +1674,7 @@ class ExportAgentCardAuthentication(BaseModel):
1357
1674
  """
1358
1675
 
1359
1676
  schemes: List[str] = Field(..., description="Gets or sets the schemes.")
1360
- credentials: Optional[dict] = Field(
1677
+ credentials: Optional[str] = Field(
1361
1678
  None, description="Gets or sets the credentials."
1362
1679
  )
1363
1680
 
@@ -1371,20 +1688,20 @@ class ExportAgentCardSkill(BaseModel):
1371
1688
  description: Optional description
1372
1689
  tags: Optional tags
1373
1690
  examples: Optional examples
1374
- input_modes: List of input modes
1375
- output_modes: List of output modes
1691
+ input_modes: Optional list of input modes
1692
+ output_modes: Optional list of output modes
1376
1693
  """
1377
1694
 
1378
1695
  id: str = Field(..., description="Gets or sets the ID.")
1379
1696
  name: str = Field(..., description="Gets or sets the name.")
1380
1697
  description: Optional[str] = Field(None, description="Gets or sets the description.")
1381
- tags: Optional[str] = Field(None, description="Gets or sets the tags.")
1382
- examples: Optional[str] = Field(None, description="Gets or sets the examples.")
1383
- input_modes: List[str] = Field(
1384
- ..., description="Gets or sets the input modes.", alias="inputModes"
1698
+ tags: Optional[List[str]] = Field(None, description="Gets or sets the tags.")
1699
+ examples: Optional[List[str]] = Field(None, description="Gets or sets the examples.")
1700
+ input_modes: Optional[List[str]] = Field(
1701
+ None, description="Gets or sets the input modes.", alias="inputModes"
1385
1702
  )
1386
- output_modes: List[str] = Field(
1387
- ..., description="Gets or sets the output modes.", alias="outputModes"
1703
+ output_modes: Optional[List[str]] = Field(
1704
+ None, description="Gets or sets the output modes.", alias="outputModes"
1388
1705
  )
1389
1706
 
1390
1707
 
@@ -1410,20 +1727,22 @@ class ExportAgentCard(BaseModel):
1410
1727
  ..., description="Gets or sets the agent card ID.", alias="agentCardId"
1411
1728
  )
1412
1729
  name: str = Field(..., description="Gets or sets the name.")
1413
- description: str = Field(..., description="Gets or sets the description.")
1730
+ description: Optional[str] = Field(
1731
+ None, description="Gets or sets the description."
1732
+ )
1414
1733
  url: str = Field(..., description="Gets or sets the URL.")
1415
- provider: ExportAgentCardProvider = Field(
1416
- ..., description="Gets or sets the provider."
1734
+ provider: Optional[ExportAgentCardProvider] = Field(
1735
+ None, description="Gets or sets the provider."
1417
1736
  )
1418
1737
  version: str = Field(..., description="Gets or sets the version.")
1419
1738
  documentation_url: Optional[str] = Field(
1420
1739
  None, description="Gets or sets the documentation URL.", alias="documentationUrl"
1421
1740
  )
1422
- capabilities: ExportAgentCardCapabilities = Field(
1423
- ..., description="Gets or sets the capabilities."
1741
+ capabilities: Optional[ExportAgentCardCapabilities] = Field(
1742
+ None, description="Gets or sets the capabilities."
1424
1743
  )
1425
- authentication: ExportAgentCardAuthentication = Field(
1426
- ..., description="Gets or sets the authentication."
1744
+ authentication: Optional[ExportAgentCardAuthentication] = Field(
1745
+ None, description="Gets or sets the authentication."
1427
1746
  )
1428
1747
  default_input_modes: List[str] = Field(
1429
1748
  ..., description="Gets or sets the default input modes.", alias="defaultInputModes"
@@ -1454,16 +1773,190 @@ class ExportEmailInbox(BaseModel):
1454
1773
  )
1455
1774
 
1456
1775
 
1776
+ class ExportMCPAnnotations(BaseModel):
1777
+ """Represents MCP annotations for a tool interface.
1778
+
1779
+ Attributes:
1780
+ destructive_hint: Optional hint indicating if tool has destructive side effects
1781
+ idempotent_hint: Optional hint indicating if tool is idempotent
1782
+ open_world_hint: Optional hint indicating if tool uses open-world knowledge
1783
+ read_only_hint: Optional hint indicating if tool is read-only
1784
+ title: Optional tool title
1785
+ """
1786
+
1787
+ destructive_hint: Optional[bool] = Field(
1788
+ None,
1789
+ description="Gets or sets a value indicating whether the tool has destructive side effects.",
1790
+ alias="destructiveHint",
1791
+ )
1792
+ idempotent_hint: Optional[bool] = Field(
1793
+ None,
1794
+ description="Gets or sets a value indicating whether the tool is idempotent.",
1795
+ alias="idempotentHint",
1796
+ )
1797
+ open_world_hint: Optional[bool] = Field(
1798
+ None,
1799
+ description="Gets or sets a value indicating whether the tool uses open-world knowledge.",
1800
+ alias="openWorldHint",
1801
+ )
1802
+ read_only_hint: Optional[bool] = Field(
1803
+ None,
1804
+ description="Gets or sets a value indicating whether the tool is read-only.",
1805
+ alias="readOnlyHint",
1806
+ )
1807
+ title: Optional[str] = Field(
1808
+ None, description="Gets or sets the tool title."
1809
+ )
1810
+
1811
+
1812
+ class ExportToolInterface(BaseModel):
1813
+ """Represents a tool interface definition for agent export.
1814
+
1815
+ Attributes:
1816
+ name: The tool name (used as function name)
1817
+ title: Optional title for the tool
1818
+ description: The tool description
1819
+ input_schema: JSON schema for input parameters
1820
+ output_schema: Optional JSON schema for output structure
1821
+ enabled: Whether the tool interface is enabled
1822
+ annotations: Optional MCP annotations for the tool
1823
+ """
1824
+
1825
+ name: str = Field(
1826
+ ..., description="Gets or sets the tool name (used as function name)."
1827
+ )
1828
+ title: Optional[str] = Field(
1829
+ None, description="Gets or sets the optional title for the tool (display name)."
1830
+ )
1831
+ description: str = Field(
1832
+ ..., description="Gets or sets the tool description (shown to models)."
1833
+ )
1834
+ input_schema: str = Field(
1835
+ ...,
1836
+ description="Gets or sets the JSON schema for input parameters (required).",
1837
+ alias="inputSchema",
1838
+ )
1839
+ output_schema: Optional[str] = Field(
1840
+ None,
1841
+ description="Gets or sets the JSON schema for output structure (optional).",
1842
+ alias="outputSchema",
1843
+ )
1844
+ enabled: bool = Field(
1845
+ ...,
1846
+ description="Gets or sets a value indicating whether the tool interface is enabled.",
1847
+ )
1848
+ annotations: Optional[ExportMCPAnnotations] = Field(
1849
+ None, description="Gets or sets the MCP annotations for the tool."
1850
+ )
1851
+
1852
+
1457
1853
  class ExportInterfaces(BaseModel):
1458
1854
  """Represents interfaces configuration.
1459
1855
 
1460
1856
  Attributes:
1461
1857
  email_inbox: Optional email inbox configuration
1858
+ tool_interface: Optional tool interface configuration
1462
1859
  """
1463
1860
 
1464
1861
  email_inbox: Optional[ExportEmailInbox] = Field(
1465
1862
  None, description="Gets or sets the email inbox.", alias="emailInbox"
1466
1863
  )
1864
+ tool_interface: Optional[ExportToolInterface] = Field(
1865
+ None, description="Gets or sets the tool interface.", alias="toolInterface"
1866
+ )
1867
+
1868
+
1869
+ class ExportSDKStepCredentialReference(BaseModel):
1870
+ """Represents a credential reference within an SDK step.
1871
+
1872
+ Attributes:
1873
+ property_name: The property name in the parameters class
1874
+ original_credential_id: The original credential ID from the exported environment
1875
+ credentials_definition: The credential definition
1876
+ required: Whether this credential is required
1877
+ supported_types: The supported credential types for this reference
1878
+ """
1879
+
1880
+ property_name: str = Field(
1881
+ ...,
1882
+ description="Gets or sets the property name in the parameters class (e.g., \"CredentialId\").",
1883
+ alias="propertyName",
1884
+ )
1885
+ original_credential_id: str = Field(
1886
+ ...,
1887
+ description="Gets or sets the original credential ID from the exported environment.",
1888
+ alias="originalCredentialId",
1889
+ )
1890
+ credentials_definition: ExportCredentials = Field(
1891
+ ...,
1892
+ description="Gets or sets the credential definition (name, type, encrypted/placeholder values).",
1893
+ alias="credentialsDefinition",
1894
+ )
1895
+ required: bool = Field(
1896
+ ...,
1897
+ description="Gets or sets a value indicating whether this credential is required by the SDK step.",
1898
+ )
1899
+ supported_types: List[str] = Field(
1900
+ ...,
1901
+ description="Gets or sets the supported credential types for this reference.",
1902
+ alias="supportedTypes",
1903
+ )
1904
+
1905
+
1906
+ class ExportSDKStepDefinition(BaseModel):
1907
+ """Represents an SDK step definition for export/import.
1908
+
1909
+ Attributes:
1910
+ id: The unique identifier of the SDK step
1911
+ name: The name of the SDK step
1912
+ sdk_step_type: The type of SDK step
1913
+ category: The SDK step category
1914
+ group: The SDK step group
1915
+ version: The version of the SDK step definition
1916
+ step_parameters: The serialized step parameters (JSON)
1917
+ credential_references: The credential references used by this SDK step
1918
+ supported_credential_types: The supported credential types for this step
1919
+ """
1920
+
1921
+ id: str = Field(
1922
+ ...,
1923
+ description="Gets or sets the unique identifier of the SDK step.",
1924
+ )
1925
+ name: str = Field(
1926
+ ..., description="Gets or sets the name of the SDK step."
1927
+ )
1928
+ sdk_step_type: str = Field(
1929
+ ...,
1930
+ description="Gets or sets the type of SDK step (e.g., \"HttpRequest\", \"OneDrive_ListItems\").",
1931
+ alias="sdkStepType",
1932
+ )
1933
+ category: str = Field(
1934
+ ...,
1935
+ description="Gets or sets the SDK step category (e.g., \"Actions\", \"Logic\").",
1936
+ )
1937
+ group: str = Field(
1938
+ ...,
1939
+ description="Gets or sets the SDK step group (e.g., \"Http\", \"OneDrive\").",
1940
+ )
1941
+ version: str = Field(
1942
+ ...,
1943
+ description="Gets or sets the version of the SDK step definition.",
1944
+ )
1945
+ step_parameters: str = Field(
1946
+ ...,
1947
+ description="Gets or sets the serialized step parameters (JSON).",
1948
+ alias="stepParameters",
1949
+ )
1950
+ credential_references: List[ExportSDKStepCredentialReference] = Field(
1951
+ ...,
1952
+ description="Gets or sets the credential references used by this SDK step.",
1953
+ alias="credentialReferences",
1954
+ )
1955
+ supported_credential_types: List[str] = Field(
1956
+ ...,
1957
+ description="Gets or sets the supported credential types for this step.",
1958
+ alias="supportedCredentialTypes",
1959
+ )
1467
1960
 
1468
1961
 
1469
1962
  class ExportPipelineDefinitionResponse(BaseModel):
@@ -1484,9 +1977,12 @@ class ExportPipelineDefinitionResponse(BaseModel):
1484
1977
  python_code_blocks: Optional list of Python code blocks used by the pipeline
1485
1978
  routers: Optional list of router configurations used by the pipeline
1486
1979
  approval_requests: Optional list of approval requests
1980
+ webhook_approval_requests: Optional list of webhook approval requests
1487
1981
  agent_cards: Optional list of agent cards
1982
+ sub_agents: Optional list of sub-agents (nested agents)
1488
1983
  deployment: Optional deployment configuration for the pipeline
1489
1984
  interfaces: Optional list of interface configurations
1985
+ sdk_steps: Optional list of SDK steps used by the agent
1490
1986
  """
1491
1987
 
1492
1988
  available: bool = Field(
@@ -1520,12 +2016,27 @@ class ExportPipelineDefinitionResponse(BaseModel):
1520
2016
  description="Gets or sets the approval requests.",
1521
2017
  alias="approvalRequests",
1522
2018
  )
2019
+ webhook_approval_requests: Optional[List[ExportWebhookApprovalRequest]] = Field(
2020
+ None,
2021
+ description="Gets or sets the webhook approval requests.",
2022
+ alias="webhookApprovalRequests",
2023
+ )
1523
2024
  agent_cards: Optional[List[ExportAgentCard]] = Field(
1524
2025
  None, description="Gets or sets the agent cards.", alias="agentCards"
1525
2026
  )
2027
+ sub_agents: Optional[List[ExportPipeline]] = Field(
2028
+ None,
2029
+ description="Gets or sets the sub-agents (nested agents) used by this agent.",
2030
+ alias="subAgents",
2031
+ )
1526
2032
  deployment: Optional[ExportDeployment] = Field(
1527
2033
  None, description="Gets or sets the deployment."
1528
2034
  )
1529
2035
  interfaces: Optional[ExportInterfaces] = Field(
1530
2036
  None, description="Gets or sets the interfaces."
1531
2037
  )
2038
+ sdk_steps: Optional[List[ExportSDKStepDefinition]] = Field(
2039
+ None,
2040
+ description="Gets or sets the SDK steps used by this agent.",
2041
+ alias="sdkSteps",
2042
+ )
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: airia
3
- Version: 0.1.35
3
+ Version: 0.1.37
4
4
  Summary: Python SDK for Airia API
5
5
  Author-email: Airia LLC <support@airia.com>
6
6
  License: MIT
@@ -31,9 +31,9 @@ airia/client/library/async_library.py,sha256=fRG3eUxZkXDMnDTAt18KxD1LQMC5VB6cssW
31
31
  airia/client/library/base_library.py,sha256=VkcWr25fp2es2sRB97tORQmtAi59NZ6YRzwLymlQHIk,4664
32
32
  airia/client/library/sync_library.py,sha256=u_oBscUTYRNcsDbxCgpx_UvY5UAGgum2DW7eWt8y_i8,4191
33
33
  airia/client/models/__init__.py,sha256=YbxGLwMb7RQKfPo_2L_O_W9j8Szwnb0vtWiUNxkScfs,107
34
- airia/client/models/async_models.py,sha256=gwW3tWwzSZ9_3JmGlwryY48w9KrFXoLET6Jpsj0hX0I,5853
35
- airia/client/models/base_models.py,sha256=FchsA7P-Fc7fxzlN88jJ3BEVXPWDcIHSzci6wtSArqg,3439
36
- airia/client/models/sync_models.py,sha256=FQLM4xCoxcBk1NuLf6z7jVVejlDKx5KpMRBz2tQm71o,5748
34
+ airia/client/models/async_models.py,sha256=GihX15MjqH-XUUl141aae0fbHG-FVH9SdNenIAY9mFU,8505
35
+ airia/client/models/base_models.py,sha256=NNe24dcCirraVzpWJR5nNdPA3_nGwj98Ga1bk1f-TMI,4522
36
+ airia/client/models/sync_models.py,sha256=36-ejKBLJ6FCB4RWXCSdBy84VpOmVYaK9PdoUJMVgCg,8366
37
37
  airia/client/pipeline_execution/__init__.py,sha256=7qEZsPRTLySC71zlwYioBuJs6B4BwRCgFL3TQyFWXmc,175
38
38
  airia/client/pipeline_execution/async_pipeline_execution.py,sha256=EH9EexSYjhSxWAB5kOLQSh5Sfl5Qn5lQGyJrU72wFLw,23824
39
39
  airia/client/pipeline_execution/base_pipeline_execution.py,sha256=8x99rm8cPq-i9-UA97-XLNo1qAwdEPkmZ815fRSceFE,11168
@@ -81,8 +81,8 @@ airia/types/api/pipeline_execution/_pipeline_execution.py,sha256=Y167Tdt0XHY2ZGV
81
81
  airia/types/api/pipeline_execution/get_pipeline_execution.py,sha256=Mkp3bV9sajVq4GARVyJviFWPR2BEtLCbZZLHTgQqcSI,2925
82
82
  airia/types/api/pipeline_import/__init__.py,sha256=5m8e4faOYGCEFLQWJgj-v5H4NXPNtnlAKAxA4tGJUbw,267
83
83
  airia/types/api/pipeline_import/create_agent_from_pipeline_definition.py,sha256=vn2aZGPnahmstHYKKMMN1hyTMRWFa2uAjpAYGwaI2xg,4394
84
- airia/types/api/pipelines_config/__init__.py,sha256=tNYV8AEGsKMfH4nMb-KGDfH1kvHO2b6VSoTB7TYQ7N8,2188
85
- airia/types/api/pipelines_config/export_pipeline_definition.py,sha256=0ieujueaeHFRXD2h8TzjuvwmaW-f5OFxfQPtjeXcKFg,59941
84
+ airia/types/api/pipelines_config/__init__.py,sha256=6nxX-y1cAp66aupdzG_EvHeizBNoJ56i5nhRQIp2kbg,2752
85
+ airia/types/api/pipelines_config/export_pipeline_definition.py,sha256=2rrniWhNihzyDK-w8ppYMxksl-hdqisWQFdfogiiZYw,79193
86
86
  airia/types/api/pipelines_config/get_pipeline_config.py,sha256=gvyp_xGpxr3Elcsu04JSQRPDvjmxRCPDAAR0rbE-oGs,23538
87
87
  airia/types/api/pipelines_config/get_pipelines_config.py,sha256=RbiX5zISxzGRxzPGHe7QpO-Ro-0woQsPGLxtiP4Y4K4,15955
88
88
  airia/types/api/project/__init__.py,sha256=ervHvCeqt08JkMRsSrG1ZnQshE70of-8kf4VeW2HG9c,113
@@ -95,8 +95,8 @@ airia/types/api/tools/_tools.py,sha256=PSJYFok7yQdE4it55iQmbryFzKN54nT6N161X1Rkp
95
95
  airia/types/sse/__init__.py,sha256=KWnNTfsQnthfrU128pUX6ounvSS7DvjC-Y21FE-OdMk,1863
96
96
  airia/types/sse/sse_messages.py,sha256=asq9KG5plT2XSgQMz-Nqo0WcKlXvE8UT3E-WLhCegPk,30244
97
97
  airia/utils/sse_parser.py,sha256=XCTkuaroYWaVQOgBq8VpbseQYSAVruF69AvKUwZQKTA,4251
98
- airia-0.1.35.dist-info/licenses/LICENSE,sha256=R3ClUMMKPRItIcZ0svzyj2taZZnFYw568YDNzN9KQ1Q,1066
99
- airia-0.1.35.dist-info/METADATA,sha256=FTD1cTvHWUy7elHFeAgBL8c-St2jkaqSsoKD36ws72M,4949
100
- airia-0.1.35.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
101
- airia-0.1.35.dist-info/top_level.txt,sha256=qUQEKfs_hdOYTwjKj1JZbRhS5YeXDNaKQaVTrzabS6w,6
102
- airia-0.1.35.dist-info/RECORD,,
98
+ airia-0.1.37.dist-info/licenses/LICENSE,sha256=R3ClUMMKPRItIcZ0svzyj2taZZnFYw568YDNzN9KQ1Q,1066
99
+ airia-0.1.37.dist-info/METADATA,sha256=JIQioSlT7ZRhwTVDMaVEtdncWYlZhODaWScapoYJdfY,4949
100
+ airia-0.1.37.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
101
+ airia-0.1.37.dist-info/top_level.txt,sha256=qUQEKfs_hdOYTwjKj1JZbRhS5YeXDNaKQaVTrzabS6w,6
102
+ airia-0.1.37.dist-info/RECORD,,
File without changes