airia 0.1.27__py3-none-any.whl → 0.1.29__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.
@@ -94,3 +94,63 @@ class AsyncModels(BaseModels):
94
94
  return []
95
95
 
96
96
  return [ModelItem(**item) for item in resp["items"]]
97
+
98
+ async def delete_model(
99
+ self,
100
+ model_id: str,
101
+ correlation_id: Optional[str] = None,
102
+ ) -> None:
103
+ """
104
+ Delete a model by its ID.
105
+
106
+ This method permanently deletes a model from the Airia platform. Once deleted,
107
+ the model cannot be recovered. Only models that the authenticated user has
108
+ permission to delete can be removed.
109
+
110
+ Args:
111
+ model_id (str): The unique identifier of the model to delete.
112
+ correlation_id (str, optional): A unique identifier for request tracing
113
+ and logging. If not provided, one will be automatically generated.
114
+
115
+ Returns:
116
+ None
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
+ # Delete a specific model
132
+ await client.models.delete_model(
133
+ model_id="12345678-1234-1234-1234-123456789abc"
134
+ )
135
+ print("Model deleted successfully")
136
+
137
+ # Delete with correlation ID for tracking
138
+ await client.models.delete_model(
139
+ model_id="12345678-1234-1234-1234-123456789abc",
140
+ correlation_id="my-correlation-id"
141
+ )
142
+ ```
143
+
144
+ Note:
145
+ This operation is irreversible. Ensure you have the correct model ID
146
+ before calling this method. You must have delete permissions for the
147
+ specified model.
148
+ """
149
+ request_data = self._pre_delete_model(
150
+ model_id=model_id,
151
+ correlation_id=correlation_id,
152
+ api_version=ApiVersion.V1.value,
153
+ )
154
+ await self._request_handler.make_request(
155
+ "DELETE", request_data, return_json=False
156
+ )
@@ -66,3 +66,37 @@ class BaseModels:
66
66
  )
67
67
 
68
68
  return request_data
69
+
70
+ def _pre_delete_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 deleting a model.
78
+
79
+ Args:
80
+ model_id: The ID of the model to delete
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 delete 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
@@ -94,3 +94,61 @@ class Models(BaseModels):
94
94
  return []
95
95
 
96
96
  return [ModelItem(**item) for item in resp["items"]]
97
+
98
+ def delete_model(
99
+ self,
100
+ model_id: str,
101
+ correlation_id: Optional[str] = None,
102
+ ) -> None:
103
+ """
104
+ Delete a model by its ID.
105
+
106
+ This method permanently deletes a model from the Airia platform. Once deleted,
107
+ the model cannot be recovered. Only models that the authenticated user has
108
+ permission to delete can be removed.
109
+
110
+ Args:
111
+ model_id (str): The unique identifier of the model to delete.
112
+ correlation_id (str, optional): A unique identifier for request tracing
113
+ and logging. If not provided, one will be automatically generated.
114
+
115
+ Returns:
116
+ None
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
+ # Delete a specific model
132
+ client.models.delete_model(
133
+ model_id="12345678-1234-1234-1234-123456789abc"
134
+ )
135
+ print("Model deleted successfully")
136
+
137
+ # Delete with correlation ID for tracking
138
+ client.models.delete_model(
139
+ model_id="12345678-1234-1234-1234-123456789abc",
140
+ correlation_id="my-correlation-id"
141
+ )
142
+ ```
143
+
144
+ Note:
145
+ This operation is irreversible. Ensure you have the correct model ID
146
+ before calling this method. You must have delete permissions for the
147
+ specified model.
148
+ """
149
+ request_data = self._pre_delete_model(
150
+ model_id=model_id,
151
+ correlation_id=correlation_id,
152
+ api_version=ApiVersion.V1.value,
153
+ )
154
+ self._request_handler.make_request("DELETE", request_data, return_json=False)
@@ -36,6 +36,10 @@ class ExportCredentials(BaseModel):
36
36
  credential_type: The type of credential (API key, OAuth, etc.)
37
37
  source_type: The source where the credential originates
38
38
  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
42
+ custom_credentials: Optional custom credentials configuration
39
43
  id: The unique identifier for the credential set
40
44
  """
41
45
 
@@ -51,6 +55,22 @@ class ExportCredentials(BaseModel):
51
55
  description="Gets or sets the credential data list.",
52
56
  alias="credentialDataList",
53
57
  )
58
+ display_identifier_name: str = Field(
59
+ ...,
60
+ description="Gets or sets the display identifier name.",
61
+ alias="displayIdentifierName",
62
+ )
63
+ administrative_scope: str = Field(
64
+ ...,
65
+ description="Gets or sets the administrative scope.",
66
+ alias="administrativeScope",
67
+ )
68
+ origin: str = Field(..., description="Gets or sets the origin.")
69
+ custom_credentials: Optional[dict] = Field(
70
+ None,
71
+ description="Gets or sets the custom credentials.",
72
+ alias="customCredentials",
73
+ )
54
74
  id: str = Field(..., description="Gets or sets the ID.")
55
75
 
56
76
 
@@ -152,7 +172,7 @@ class ExportPipelineStep(BaseModel):
152
172
  prompt_id: Optional ID of the associated prompt
153
173
  model_id: Optional ID of the associated model
154
174
  tool_ids: Optional list of tool IDs used by this step
155
- tool_params: Optional default parameters for tools
175
+ tool_params_json: Optional JSON string with default parameters for tools
156
176
  data_source_id: Optional ID of the associated data source
157
177
  top_k: Optional number of top results to retrieve
158
178
  relevance_threshold: Optional relevance threshold for retrieval
@@ -164,6 +184,10 @@ class ExportPipelineStep(BaseModel):
164
184
  background_color: Optional background color for the step
165
185
  content: Optional content or configuration data
166
186
  step_title: The human-readable title of the step
187
+ width: The width of the step in the UI
188
+ height: The height of the step in the UI
189
+ ai_operation_step_include_chat_history: Optional flag for including chat history in AI operations
190
+ input_variables_json: Optional JSON string with input variables configuration
167
191
  """
168
192
 
169
193
  id: str = Field(..., description="Gets or sets the ID.")
@@ -192,8 +216,10 @@ class ExportPipelineStep(BaseModel):
192
216
  tool_ids: Optional[List[str]] = Field(
193
217
  None, description="Gets or sets the tool IDs.", alias="toolIds"
194
218
  )
195
- tool_params: Optional[Dict[str, str]] = Field(
196
- None, description="Gets or sets the tool default params.", alias="toolParams"
219
+ tool_params_json: Optional[str] = Field(
220
+ None,
221
+ description="Gets or sets the tool default params as JSON string.",
222
+ alias="toolParamsJson",
197
223
  )
198
224
  data_source_id: Optional[str] = Field(
199
225
  None, description="Gets or sets the data source.", alias="dataSourceId"
@@ -232,6 +258,22 @@ class ExportPipelineStep(BaseModel):
232
258
  step_title: str = Field(
233
259
  ..., description="Gets or sets the Step Title.", alias="stepTitle"
234
260
  )
261
+ width: Optional[int] = Field(
262
+ None, description="Gets or sets the width of the step."
263
+ )
264
+ height: Optional[int] = Field(
265
+ None, description="Gets or sets the height of the step."
266
+ )
267
+ ai_operation_step_include_chat_history: Optional[bool] = Field(
268
+ None,
269
+ description="Gets or sets whether to include chat history in AI operations.",
270
+ alias="aiOperationStepIncludeChatHistory",
271
+ )
272
+ input_variables_json: Optional[str] = Field(
273
+ None,
274
+ description="Gets or sets the input variables as JSON string.",
275
+ alias="inputVariablesJson",
276
+ )
235
277
 
236
278
 
237
279
  class AgentDetailItemDefinition(BaseModel):
@@ -273,25 +315,44 @@ class ExportPipeline(BaseModel):
273
315
  identification, description, industry classification, and step definitions.
274
316
 
275
317
  Attributes:
318
+ id: The unique identifier of the pipeline
276
319
  name: The name of the pipeline
277
320
  execution_name: The name used for programmatic execution
321
+ agent_icon: Optional icon reference
278
322
  agent_description: Detailed description of the pipeline's purpose
323
+ markdown_description: Markdown-formatted description
324
+ tagline: Optional brief tagline for the pipeline
279
325
  video_link: Optional URL to instructional video
280
326
  industry: The primary industry served by this pipeline
281
327
  sub_industries: Additional industry classifications
328
+ tags: Optional list of tags for categorization
282
329
  agent_details: Dictionary of configurable agent parameters
283
- id: The unique identifier of the pipeline
284
- agent_icon: Optional base64-encoded icon image
285
330
  steps: List of pipeline steps that make up the workflow
331
+ behaviours: List of pipeline behaviours
332
+ agent_unicode_icon: Optional unicode icon for the agent
333
+ agent_icon_base64: Optional base64-encoded icon image
334
+ alignment: The alignment/layout of the pipeline
286
335
  """
287
336
 
337
+ id: str = Field(..., description="Gets or sets the ID.")
288
338
  name: str = Field(..., description="Gets or sets the name.")
289
339
  execution_name: Optional[str] = Field(
290
340
  None, description="Gets or sets the execution name.", alias="executionName"
291
341
  )
342
+ agent_icon: Optional[str] = Field(
343
+ None, description="Gets or sets the Agent Icon.", alias="agentIcon"
344
+ )
292
345
  agent_description: str = Field(
293
346
  ..., description="Gets or sets the description.", alias="agentDescription"
294
347
  )
348
+ markdown_description: Optional[str] = Field(
349
+ None,
350
+ description="Gets or sets the markdown description.",
351
+ alias="markdownDescription",
352
+ )
353
+ tagline: Optional[str] = Field(
354
+ None, description="Gets or sets the tagline."
355
+ )
295
356
  video_link: Optional[str] = Field(
296
357
  None, description="Gets or sets the video link.", alias="videoLink"
297
358
  )
@@ -299,14 +360,27 @@ class ExportPipeline(BaseModel):
299
360
  sub_industries: Optional[List[str]] = Field(
300
361
  None, description="Gets or sets the sub industries.", alias="subIndustries"
301
362
  )
302
- agent_details: Optional[Dict[str, List[AgentDetailItemDefinition]]] = Field(
303
- None, description="Gets or sets the industry.", alias="agentDetails"
363
+ tags: Optional[List[str]] = Field(
364
+ None, description="Gets or sets the tags for categorization."
304
365
  )
305
- id: str = Field(..., description="Gets or sets the ID.")
306
- agent_icon: Optional[str] = Field(
307
- None, description="Gets or sets the Agent Icon.", alias="agentIcon"
366
+ agent_details: Optional[Dict[str, List[AgentDetailItemDefinition]]] = Field(
367
+ None, description="Gets or sets the agent details.", alias="agentDetails"
308
368
  )
309
369
  steps: List[ExportPipelineStep] = Field(..., description="Gets or sets the steps.")
370
+ behaviours: Optional[List[str]] = Field(
371
+ ..., description="Gets or sets the pipeline behaviours."
372
+ )
373
+ agent_unicode_icon: Optional[str] = Field(
374
+ None,
375
+ description="Gets or sets the agent unicode icon.",
376
+ alias="agentUnicodeIcon",
377
+ )
378
+ agent_icon_base64: Optional[str] = Field(
379
+ None,
380
+ description="Gets or sets the base64-encoded agent icon.",
381
+ alias="agentIconBase64",
382
+ )
383
+ alignment: str = Field(..., description="Gets or sets the pipeline alignment.")
310
384
 
311
385
 
312
386
  class ExportDataSourceFile(BaseModel):
@@ -338,6 +412,53 @@ class ExportDataSourceFile(BaseModel):
338
412
  )
339
413
 
340
414
 
415
+ class ExportVectorStore(BaseModel):
416
+ """Represents vector store configuration for data sources.
417
+
418
+ Defines the vector store settings including provider, hosting type,
419
+ and embedding configuration.
420
+
421
+ Attributes:
422
+ hosting_type: The hosting type for the vector store
423
+ modality: The modality of the vector store
424
+ provider: The vector store provider
425
+ store_type_id: The ID of the store type
426
+ credential_id: Optional credential ID for the vector store
427
+ configuration_json: Optional JSON configuration
428
+ sparse_vector_enabled: Whether sparse vectors are enabled
429
+ embedding_provider: The embedding provider
430
+ embedding_configuration_json: Optional embedding configuration JSON
431
+ """
432
+
433
+ hosting_type: str = Field(
434
+ ..., description="Gets or sets the hosting type.", alias="hostingType"
435
+ )
436
+ modality: str = Field(..., description="Gets or sets the modality.")
437
+ provider: str = Field(..., description="Gets or sets the provider.")
438
+ store_type_id: str = Field(
439
+ ..., description="Gets or sets the store type ID.", alias="storeTypeId"
440
+ )
441
+ credential_id: Optional[str] = Field(
442
+ None, description="Gets or sets the credential ID.", alias="credentialId"
443
+ )
444
+ configuration_json: Optional[str] = Field(
445
+ None, description="Gets or sets the configuration JSON.", alias="configurationJson"
446
+ )
447
+ sparse_vector_enabled: bool = Field(
448
+ ...,
449
+ description="Gets or sets whether sparse vectors are enabled.",
450
+ alias="sparseVectorEnabled",
451
+ )
452
+ embedding_provider: str = Field(
453
+ ..., description="Gets or sets the embedding provider.", alias="embeddingProvider"
454
+ )
455
+ embedding_configuration_json: Optional[str] = Field(
456
+ None,
457
+ description="Gets or sets the embedding configuration JSON.",
458
+ alias="embeddingConfigurationJson",
459
+ )
460
+
461
+
341
462
  class ExportChunkingConfig(BaseModel):
342
463
  """Represents chunking configuration for data processing.
343
464
 
@@ -385,6 +506,13 @@ class ExportDataSource(BaseModel):
385
506
  configuration_json: Optional JSON configuration string
386
507
  credentials: Optional credential information for access
387
508
  is_image_processing_enabled: Whether image processing is enabled
509
+ description: Optional description of the data source
510
+ vector_store: Optional vector store configuration
511
+ scan_document_for_images: Whether to scan documents for images
512
+ image_processing_prompt: Optional prompt for image processing
513
+ store_type: Optional store type
514
+ table_document_processing_mode: Optional table document processing mode
515
+ parser_configuration_json: Optional parser configuration JSON
388
516
  """
389
517
 
390
518
  id: str = Field(..., description="Gets the id.")
@@ -400,11 +528,11 @@ class ExportDataSource(BaseModel):
400
528
  data_source_type: str = Field(
401
529
  ..., description="Gets the data source type.", alias="dataSourceType"
402
530
  )
403
- database_type: str = Field(
404
- ..., description="Gets the database type.", alias="databaseType"
531
+ database_type: Optional[str] = Field(
532
+ None, description="Gets the database type.", alias="databaseType"
405
533
  )
406
- embedding_provider: str = Field(
407
- ..., description="Gets the Embedding provider type.", alias="embeddingProvider"
534
+ embedding_provider: Optional[str] = Field(
535
+ None, description="Gets the Embedding provider type.", alias="embeddingProvider"
408
536
  )
409
537
  is_user_specific: bool = Field(
410
538
  ...,
@@ -431,6 +559,35 @@ class ExportDataSource(BaseModel):
431
559
  description="Gets or sets a value indicating whether the image processing is enabled.",
432
560
  alias="isImageProcessingEnabled",
433
561
  )
562
+ description: Optional[str] = Field(
563
+ None, description="Gets or sets the description."
564
+ )
565
+ vector_store: Optional[ExportVectorStore] = Field(
566
+ None, description="Gets or sets the vector store.", alias="vectorStore"
567
+ )
568
+ scan_document_for_images: bool = Field(
569
+ ...,
570
+ description="Gets or sets whether to scan documents for images.",
571
+ alias="scanDocumentForImages",
572
+ )
573
+ image_processing_prompt: Optional[str] = Field(
574
+ None,
575
+ description="Gets or sets the image processing prompt.",
576
+ alias="imageProcessingPrompt",
577
+ )
578
+ store_type: Optional[str] = Field(
579
+ None, description="Gets or sets the store type.", alias="storeType"
580
+ )
581
+ table_document_processing_mode: Optional[str] = Field(
582
+ None,
583
+ description="Gets or sets the table document processing mode.",
584
+ alias="tableDocumentProcessingMode",
585
+ )
586
+ parser_configuration_json: Optional[str] = Field(
587
+ None,
588
+ description="Gets or sets the parser configuration JSON.",
589
+ alias="parserConfigurationJson",
590
+ )
434
591
 
435
592
 
436
593
  class ExportPromptMessageList(BaseModel):
@@ -457,6 +614,8 @@ class ExportPrompt(BaseModel):
457
614
  Attributes:
458
615
  name: The name of the prompt
459
616
  version_change_description: Description of changes in this version
617
+ prompt_message: Optional consolidated prompt message text
618
+ is_agent_specific: Whether the prompt is specific to an agent
460
619
  prompt_message_list: List of messages that make up the prompt
461
620
  id: The unique identifier of the prompt
462
621
  """
@@ -467,6 +626,16 @@ class ExportPrompt(BaseModel):
467
626
  description="Gets or sets the version change description.",
468
627
  alias="versionChangeDescription",
469
628
  )
629
+ prompt_message: Optional[str] = Field(
630
+ None,
631
+ description="Gets or sets the consolidated prompt message.",
632
+ alias="promptMessage",
633
+ )
634
+ is_agent_specific: Optional[bool] = Field(
635
+ None,
636
+ description="Gets or sets whether the prompt is agent specific.",
637
+ alias="isAgentSpecific",
638
+ )
470
639
  prompt_message_list: Optional[List[ExportPromptMessageList]] = Field(
471
640
  None,
472
641
  description="Gets or sets the prompt message list.",
@@ -502,6 +671,9 @@ class ExportToolParameters(BaseModel):
502
671
  parameter_description: Description of the parameter's purpose
503
672
  default: The default value for the parameter
504
673
  valid_options: Optional list of valid values for the parameter
674
+ array_item_type: Optional type of items if this is an array parameter
675
+ parameters: Optional nested parameters for complex types
676
+ requirement: Whether the parameter is required or optional
505
677
  id: The unique identifier of the parameter
506
678
  """
507
679
 
@@ -518,6 +690,17 @@ class ExportToolParameters(BaseModel):
518
690
  description="Gets or sets the list of valid options.",
519
691
  alias="validOptions",
520
692
  )
693
+ array_item_type: Optional[str] = Field(
694
+ None,
695
+ description="Gets or sets the array item type.",
696
+ alias="arrayItemType",
697
+ )
698
+ parameters: Optional[List["ExportToolParameters"]] = Field(
699
+ None, description="Gets or sets nested parameters for complex types."
700
+ )
701
+ requirement: str = Field(
702
+ ..., description="Gets or sets whether the parameter is required."
703
+ )
521
704
  id: Optional[str] = Field(None, description="Gets or sets the ID.")
522
705
 
523
706
 
@@ -540,8 +723,17 @@ class ExportTool(BaseModel):
540
723
  parameters_definition: Optional parameter definitions
541
724
  method_type: The HTTP method type (GET, POST, etc.)
542
725
  route_through_acc: Whether to route through the Access Control Center
726
+ acc_group: The access control group
543
727
  use_user_credentials: Whether to use user-specific credentials
544
728
  use_user_credentials_type: The type of user credentials to use
729
+ provider: The provider of the tool
730
+ body_type: The type of the request body
731
+ number_of_pages: Optional number of pages to retrieve
732
+ should_retrieve_full_page_content: Optional flag for full page content retrieval
733
+ schema_definition: Optional schema definition for the tool
734
+ request_timeout: The timeout for requests in seconds
735
+ should_reroute: Whether requests should be rerouted
736
+ credentials_source_type: The source type of the credentials
545
737
  id: The unique identifier of the tool
546
738
  """
547
739
 
@@ -581,6 +773,9 @@ class ExportTool(BaseModel):
581
773
  description="Gets or sets a value indicating whether the tool should route through the ACC.",
582
774
  alias="routeThroughACC",
583
775
  )
776
+ acc_group: Optional[str] = Field(
777
+ None, description="Gets or sets the access control group.", alias="accGroup"
778
+ )
584
779
  use_user_credentials: bool = Field(
585
780
  ...,
586
781
  description="Gets or sets a value indicating whether the tool should use user based credentials.",
@@ -591,6 +786,39 @@ class ExportTool(BaseModel):
591
786
  description="Gets or sets a value indicating what the credential type is when the tool use user based credentials.",
592
787
  alias="useUserCredentialsType",
593
788
  )
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"
792
+ )
793
+ number_of_pages: Optional[int] = Field(
794
+ None, description="Gets or sets the number of pages.", alias="numberOfPages"
795
+ )
796
+ should_retrieve_full_page_content: Optional[bool] = Field(
797
+ None,
798
+ description="Gets or sets whether to retrieve full page content.",
799
+ alias="shouldRetrieveFullPageContent",
800
+ )
801
+ schema_definition: Optional[str] = Field(
802
+ None,
803
+ description="Gets or sets the schema definition.",
804
+ alias="schemaDefinition",
805
+ )
806
+ request_timeout: Optional[int] = Field(
807
+ None, description="Gets or sets the request timeout.", alias="requestTimeout"
808
+ )
809
+ annotations: Optional[dict] = Field(
810
+ None, description="Gets or sets the annotations."
811
+ )
812
+ should_reroute: Optional[bool] = Field(
813
+ None,
814
+ description="Gets or sets whether requests should be rerouted.",
815
+ alias="shouldReroute",
816
+ )
817
+ credentials_source_type: Optional[str] = Field(
818
+ None,
819
+ description="Gets or sets the credentials source type.",
820
+ alias="credentialsSourceType",
821
+ )
594
822
  id: str = Field(..., description="Gets or sets the ID.")
595
823
 
596
824
 
@@ -626,7 +854,8 @@ class ExportModel(BaseModel):
626
854
  allow_airia_credentials: Whether to allow Airia-provided credentials
627
855
  allow_byok_credentials: Whether to allow bring-your-own-key credentials
628
856
  author: Optional author information
629
- price_type: The pricing model type
857
+ price_type: Optional pricing model type
858
+ category: Optional category classification
630
859
  """
631
860
 
632
861
  id: str = Field(..., description="Gets or sets the ID.")
@@ -711,6 +940,9 @@ class ExportModel(BaseModel):
711
940
  price_type: Optional[str] = Field(
712
941
  None, description="Gets or sets the price type.", alias="priceType"
713
942
  )
943
+ category: Optional[str] = Field(
944
+ None, description="Gets or sets the category classification."
945
+ )
714
946
 
715
947
 
716
948
  class ExportMemory(BaseModel):
@@ -779,17 +1011,33 @@ class ExportRouter(BaseModel):
779
1011
  Attributes:
780
1012
  id: The unique identifier of the router
781
1013
  model_id: Optional ID of the model used for routing decisions
782
- model: Optional AI model definition for routing
1014
+ router_config_json: Optional JSON string of router configuration
783
1015
  router_config: Dictionary of routing configurations
1016
+ is_multi_route: Optional flag indicating if this is a multi-route router
1017
+ include_chat_history: Whether to include chat history in routing decisions
784
1018
  """
785
1019
 
786
1020
  id: str = Field(..., description="Gets or sets the Router identifier.")
787
1021
  model_id: Optional[str] = Field(
788
1022
  None, description="Gets or sets the Model identifier.", alias="modelId"
789
1023
  )
790
- model: Optional[ExportModel] = Field(None, description="Gets or sets the AI Model.")
791
- router_config: Dict[str, ExportRouterConfig] = Field(
792
- ..., description="Gets or sets the Router Configuration.", alias="routerConfig"
1024
+ router_config_json: Optional[str] = Field(
1025
+ None,
1026
+ description="Gets or sets the router configuration JSON.",
1027
+ alias="routerConfigJson",
1028
+ )
1029
+ router_config: Optional[Dict[str, ExportRouterConfig]] = Field(
1030
+ None, description="Gets or sets the Router Configuration.", alias="routerConfig"
1031
+ )
1032
+ is_multi_route: Optional[bool] = Field(
1033
+ None,
1034
+ description="Gets or sets whether this is a multi-route router.",
1035
+ alias="isMultiRoute",
1036
+ )
1037
+ include_chat_history: bool = Field(
1038
+ ...,
1039
+ description="Gets or sets whether to include chat history.",
1040
+ alias="includeChatHistory",
793
1041
  )
794
1042
 
795
1043
 
@@ -814,6 +1062,68 @@ class ExportUserPrompt(BaseModel):
814
1062
  )
815
1063
 
816
1064
 
1065
+ class ExportAssignedAgent(BaseModel):
1066
+ """Represents an assigned agent for quick actions.
1067
+
1068
+ Attributes:
1069
+ deployment_id: The deployment ID
1070
+ agent_name: The name of the agent
1071
+ agent_url: The URL of the agent
1072
+ is_configurable: Whether the agent is configurable
1073
+ """
1074
+
1075
+ deployment_id: str = Field(
1076
+ ..., description="Gets or sets the deployment ID.", alias="deploymentId"
1077
+ )
1078
+ agent_name: str = Field(
1079
+ ..., description="Gets or sets the agent name.", alias="agentName"
1080
+ )
1081
+ agent_url: str = Field(
1082
+ ..., description="Gets or sets the agent URL.", alias="agentUrl"
1083
+ )
1084
+ is_configurable: bool = Field(
1085
+ ..., description="Gets or sets whether configurable.", alias="isConfigurable"
1086
+ )
1087
+
1088
+
1089
+ class ExportQuickAction(BaseModel):
1090
+ """Represents a quick action for browser extensions.
1091
+
1092
+ Attributes:
1093
+ id: The unique identifier
1094
+ display_name: The display name
1095
+ quick_action_type: The type of quick action
1096
+ assigned_agent: The assigned agent
1097
+ """
1098
+
1099
+ id: str = Field(..., description="Gets or sets the ID.")
1100
+ display_name: str = Field(
1101
+ ..., description="Gets or sets the display name.", alias="displayName"
1102
+ )
1103
+ quick_action_type: str = Field(
1104
+ ..., description="Gets or sets the quick action type.", alias="quickActionType"
1105
+ )
1106
+ assigned_agent: ExportAssignedAgent = Field(
1107
+ ..., description="Gets or sets the assigned agent.", alias="assignedAgent"
1108
+ )
1109
+
1110
+
1111
+ class ExportBrowserExtensionConfig(BaseModel):
1112
+ """Represents browser extension configuration.
1113
+
1114
+ Attributes:
1115
+ browser_type: The type of browser
1116
+ quick_actions: List of quick actions
1117
+ """
1118
+
1119
+ browser_type: str = Field(
1120
+ ..., description="Gets or sets the browser type.", alias="browserType"
1121
+ )
1122
+ quick_actions: List[ExportQuickAction] = Field(
1123
+ ..., description="Gets or sets the quick actions.", alias="quickActions"
1124
+ )
1125
+
1126
+
817
1127
  class ExportDeployment(BaseModel):
818
1128
  """Represents a deployment configuration for export.
819
1129
 
@@ -831,6 +1141,9 @@ class ExportDeployment(BaseModel):
831
1141
  deployment_type: The type of deployment
832
1142
  conversation_type: The type of conversation interface
833
1143
  about_json: Optional JSON metadata about the deployment
1144
+ supported_input_modes: Optional list of supported input modes
1145
+ browser_extension_config: Optional browser extension configuration
1146
+ display_consumption_info: Whether to display consumption information
834
1147
  """
835
1148
 
836
1149
  name: str = Field(..., description="Gets the Deployment Name.")
@@ -867,6 +1180,21 @@ class ExportDeployment(BaseModel):
867
1180
  description="Gets information about the deployment. This is a json value.",
868
1181
  alias="aboutJson",
869
1182
  )
1183
+ supported_input_modes: Optional[List[str]] = Field(
1184
+ None,
1185
+ description="Gets the supported input modes.",
1186
+ alias="supportedInputModes",
1187
+ )
1188
+ browser_extension_config: Optional[ExportBrowserExtensionConfig] = Field(
1189
+ None,
1190
+ description="Gets the browser extension config.",
1191
+ alias="browserExtensionConfig",
1192
+ )
1193
+ display_consumption_info: bool = Field(
1194
+ ...,
1195
+ description="Gets whether to display consumption info.",
1196
+ alias="displayConsumptionInfo",
1197
+ )
870
1198
 
871
1199
 
872
1200
  class ExportMetadata(BaseModel):
@@ -886,6 +1214,14 @@ class ExportMetadata(BaseModel):
886
1214
  data_source_export_option: How data sources are handled in export
887
1215
  version_information: Information about the pipeline version
888
1216
  state: The current state of the agent
1217
+ contributor_id: Optional ID of the contributor
1218
+ contributor_given_name: Optional given name of the contributor
1219
+ contributor_surname: Optional surname of the contributor
1220
+ video_link: Optional URL to instructional video
1221
+ readiness: The readiness status of the pipeline
1222
+ department: The department this pipeline is associated with
1223
+ agent_last_updated: Timestamp of when the agent was last updated
1224
+ country: Optional country information
889
1225
  """
890
1226
 
891
1227
  id: str = Field(..., description="Gets or sets the id.")
@@ -916,6 +1252,218 @@ class ExportMetadata(BaseModel):
916
1252
  alias="versionInformation",
917
1253
  )
918
1254
  state: str = Field(..., description="Gets or sets the state of the agent.")
1255
+ contributor_id: Optional[str] = Field(
1256
+ None, description="Gets or sets the contributor ID.", alias="contributorId"
1257
+ )
1258
+ contributor_given_name: Optional[str] = Field(
1259
+ None,
1260
+ description="Gets or sets the contributor given name.",
1261
+ alias="contributorGivenName",
1262
+ )
1263
+ contributor_surname: Optional[str] = Field(
1264
+ None,
1265
+ description="Gets or sets the contributor surname.",
1266
+ alias="contributorSurname",
1267
+ )
1268
+ video_link: Optional[str] = Field(
1269
+ None, description="Gets or sets the video link.", alias="videoLink"
1270
+ )
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
+ ...,
1275
+ description="Gets or sets the timestamp when the agent was last updated.",
1276
+ alias="agentLastUpdated",
1277
+ )
1278
+ country: Optional[str] = Field(
1279
+ None, description="Gets or sets the country information."
1280
+ )
1281
+
1282
+
1283
+ class ExportApprovalRequest(BaseModel):
1284
+ """Represents an approval request for export.
1285
+
1286
+ Attributes:
1287
+ id: The unique identifier
1288
+ message: Optional message
1289
+ email_notification: Whether to send email notification
1290
+ approval_description: Optional approval description
1291
+ denial_description: Optional denial description
1292
+ approved_handle_id: The approved handle ID
1293
+ denied_handle_id: The denied handle ID
1294
+ """
1295
+
1296
+ id: str = Field(..., description="Gets or sets the ID.")
1297
+ message: Optional[str] = Field(None, description="Gets or sets the message.")
1298
+ email_notification: bool = Field(
1299
+ ..., description="Gets or sets email notification.", alias="emailNotification"
1300
+ )
1301
+ approval_description: Optional[str] = Field(
1302
+ None,
1303
+ description="Gets or sets the approval description.",
1304
+ alias="approvalDescription",
1305
+ )
1306
+ denial_description: Optional[str] = Field(
1307
+ None,
1308
+ description="Gets or sets the denial description.",
1309
+ alias="denialDescription",
1310
+ )
1311
+ approved_handle_id: str = Field(
1312
+ ..., description="Gets or sets the approved handle ID.", alias="approvedHandleId"
1313
+ )
1314
+ denied_handle_id: str = Field(
1315
+ ..., description="Gets or sets the denied handle ID.", alias="deniedHandleId"
1316
+ )
1317
+
1318
+
1319
+ class ExportAgentCardProvider(BaseModel):
1320
+ """Represents a provider for an agent card.
1321
+
1322
+ Attributes:
1323
+ organization: The organization name
1324
+ url: Optional URL
1325
+ """
1326
+
1327
+ organization: str = Field(..., description="Gets or sets the organization.")
1328
+ url: Optional[str] = Field(None, description="Gets or sets the URL.")
1329
+
1330
+
1331
+ class ExportAgentCardCapabilities(BaseModel):
1332
+ """Represents capabilities of an agent card.
1333
+
1334
+ Attributes:
1335
+ streaming: Optional streaming capability
1336
+ push_notifications: Optional push notifications capability
1337
+ state_transition_history: Optional state transition history capability
1338
+ """
1339
+
1340
+ streaming: Optional[bool] = Field(None, description="Gets or sets streaming.")
1341
+ push_notifications: Optional[bool] = Field(
1342
+ None, description="Gets or sets push notifications.", alias="pushNotifications"
1343
+ )
1344
+ state_transition_history: Optional[bool] = Field(
1345
+ None,
1346
+ description="Gets or sets state transition history.",
1347
+ alias="stateTransitionHistory",
1348
+ )
1349
+
1350
+
1351
+ class ExportAgentCardAuthentication(BaseModel):
1352
+ """Represents authentication for an agent card.
1353
+
1354
+ Attributes:
1355
+ schemes: List of authentication schemes
1356
+ credentials: Optional credentials
1357
+ """
1358
+
1359
+ schemes: List[str] = Field(..., description="Gets or sets the schemes.")
1360
+ credentials: Optional[dict] = Field(
1361
+ None, description="Gets or sets the credentials."
1362
+ )
1363
+
1364
+
1365
+ class ExportAgentCardSkill(BaseModel):
1366
+ """Represents a skill for an agent card.
1367
+
1368
+ Attributes:
1369
+ id: The unique identifier
1370
+ name: The name
1371
+ description: Optional description
1372
+ tags: Optional tags
1373
+ examples: Optional examples
1374
+ input_modes: List of input modes
1375
+ output_modes: List of output modes
1376
+ """
1377
+
1378
+ id: str = Field(..., description="Gets or sets the ID.")
1379
+ name: str = Field(..., description="Gets or sets the name.")
1380
+ 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"
1385
+ )
1386
+ output_modes: List[str] = Field(
1387
+ ..., description="Gets or sets the output modes.", alias="outputModes"
1388
+ )
1389
+
1390
+
1391
+ class ExportAgentCard(BaseModel):
1392
+ """Represents an agent card for export.
1393
+
1394
+ Attributes:
1395
+ agent_card_id: The agent card ID
1396
+ name: The name
1397
+ description: The description
1398
+ url: The URL
1399
+ provider: The provider
1400
+ version: The version
1401
+ documentation_url: Optional documentation URL
1402
+ capabilities: The capabilities
1403
+ authentication: The authentication
1404
+ default_input_modes: List of default input modes
1405
+ default_output_modes: List of default output modes
1406
+ skills: List of skills
1407
+ """
1408
+
1409
+ agent_card_id: str = Field(
1410
+ ..., description="Gets or sets the agent card ID.", alias="agentCardId"
1411
+ )
1412
+ name: str = Field(..., description="Gets or sets the name.")
1413
+ description: str = Field(..., description="Gets or sets the description.")
1414
+ url: str = Field(..., description="Gets or sets the URL.")
1415
+ provider: ExportAgentCardProvider = Field(
1416
+ ..., description="Gets or sets the provider."
1417
+ )
1418
+ version: str = Field(..., description="Gets or sets the version.")
1419
+ documentation_url: Optional[str] = Field(
1420
+ None, description="Gets or sets the documentation URL.", alias="documentationUrl"
1421
+ )
1422
+ capabilities: ExportAgentCardCapabilities = Field(
1423
+ ..., description="Gets or sets the capabilities."
1424
+ )
1425
+ authentication: ExportAgentCardAuthentication = Field(
1426
+ ..., description="Gets or sets the authentication."
1427
+ )
1428
+ default_input_modes: List[str] = Field(
1429
+ ..., description="Gets or sets the default input modes.", alias="defaultInputModes"
1430
+ )
1431
+ default_output_modes: List[str] = Field(
1432
+ ...,
1433
+ description="Gets or sets the default output modes.",
1434
+ alias="defaultOutputModes",
1435
+ )
1436
+ skills: List[ExportAgentCardSkill] = Field(
1437
+ ..., description="Gets or sets the skills."
1438
+ )
1439
+
1440
+
1441
+ class ExportEmailInbox(BaseModel):
1442
+ """Represents email inbox interface configuration.
1443
+
1444
+ Attributes:
1445
+ allowed_type: Optional allowed type
1446
+ email_action: Optional email action
1447
+ """
1448
+
1449
+ allowed_type: Optional[str] = Field(
1450
+ None, description="Gets or sets the allowed type.", alias="allowedType"
1451
+ )
1452
+ email_action: Optional[str] = Field(
1453
+ None, description="Gets or sets the email action.", alias="emailAction"
1454
+ )
1455
+
1456
+
1457
+ class ExportInterfaces(BaseModel):
1458
+ """Represents interfaces configuration.
1459
+
1460
+ Attributes:
1461
+ email_inbox: Optional email inbox configuration
1462
+ """
1463
+
1464
+ email_inbox: Optional[ExportEmailInbox] = Field(
1465
+ None, description="Gets or sets the email inbox.", alias="emailInbox"
1466
+ )
919
1467
 
920
1468
 
921
1469
  class ExportPipelineDefinitionResponse(BaseModel):
@@ -925,6 +1473,7 @@ class ExportPipelineDefinitionResponse(BaseModel):
925
1473
  including the pipeline definition, associated resources, and metadata.
926
1474
 
927
1475
  Attributes:
1476
+ available: Whether the pipeline is available for export
928
1477
  metadata: Export metadata and configuration information
929
1478
  agent: The main pipeline definition and configuration
930
1479
  data_sources: Optional list of data sources used by the pipeline
@@ -934,9 +1483,15 @@ class ExportPipelineDefinitionResponse(BaseModel):
934
1483
  memories: Optional list of memory definitions used by the pipeline
935
1484
  python_code_blocks: Optional list of Python code blocks used by the pipeline
936
1485
  routers: Optional list of router configurations used by the pipeline
1486
+ approval_requests: Optional list of approval requests
1487
+ agent_cards: Optional list of agent cards
937
1488
  deployment: Optional deployment configuration for the pipeline
1489
+ interfaces: Optional list of interface configurations
938
1490
  """
939
1491
 
1492
+ available: bool = Field(
1493
+ ..., description="Gets or sets whether the pipeline is available."
1494
+ )
940
1495
  metadata: ExportMetadata = Field(..., description="Gets or sets the Metadata.")
941
1496
  agent: ExportPipeline = Field(..., description="Gets or sets the pipeline.")
942
1497
  data_sources: Optional[List[ExportDataSource]] = Field(
@@ -960,6 +1515,17 @@ class ExportPipelineDefinitionResponse(BaseModel):
960
1515
  routers: Optional[List[ExportRouter]] = Field(
961
1516
  None, description="Gets or sets the Routers."
962
1517
  )
1518
+ approval_requests: Optional[List[ExportApprovalRequest]] = Field(
1519
+ None,
1520
+ description="Gets or sets the approval requests.",
1521
+ alias="approvalRequests",
1522
+ )
1523
+ agent_cards: Optional[List[ExportAgentCard]] = Field(
1524
+ None, description="Gets or sets the agent cards.", alias="agentCards"
1525
+ )
963
1526
  deployment: Optional[ExportDeployment] = Field(
964
1527
  None, description="Gets or sets the deployment."
965
1528
  )
1529
+ interfaces: Optional[ExportInterfaces] = Field(
1530
+ None, description="Gets or sets the interfaces."
1531
+ )
@@ -63,6 +63,18 @@ class ToolCredentialSettings(BaseModel):
63
63
  )
64
64
 
65
65
 
66
+ class CredentialEntry(BaseModel):
67
+ """Represents a deserialized object for each entry of a credential.
68
+
69
+ Attributes:
70
+ key: The property name of the API Key for credentials data
71
+ value: The value of the credential
72
+ """
73
+
74
+ key: str
75
+ value: str
76
+
77
+
66
78
  class ToolCredential(BaseModel):
67
79
  """Tool credential information.
68
80
 
@@ -77,6 +89,11 @@ class ToolCredential(BaseModel):
77
89
  expires_on: When the credential expires
78
90
  administrative_scope: Scope of the credential (e.g., "Tenant")
79
91
  user_id: ID of the user who owns the credential
92
+ credential_data: List of credential entries
93
+ custom_credentials: Custom credentials data
94
+ custom_credentials_id: ID of custom credentials
95
+ tenant_id: ID of the tenant this credential belongs to
96
+ origin: Origin of the credential (Platform or Chat)
80
97
  """
81
98
 
82
99
  id: str
@@ -89,6 +106,11 @@ class ToolCredential(BaseModel):
89
106
  expires_on: Optional[datetime] = Field(None, alias="expiresOn")
90
107
  administrative_scope: str = Field(alias="administrativeScope")
91
108
  user_id: Optional[str] = Field(None, alias="userId")
109
+ credential_data: List[CredentialEntry] = Field(default_factory=list, alias="credentialData")
110
+ custom_credentials: Optional[dict] = Field(None, alias="customCredentials")
111
+ custom_credentials_id: Optional[str] = Field(None, alias="customCredentialsId")
112
+ tenant_id: Optional[str] = Field(None, alias="tenantId")
113
+ origin: str
92
114
 
93
115
 
94
116
  class ToolCredentials(BaseModel):
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: airia
3
- Version: 0.1.27
3
+ Version: 0.1.29
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=kcFywYQr4Ni1_eSH3dnC3ZVfDoHIAJZDb94Zsegt3pQ,3797
35
- airia/client/models/base_models.py,sha256=rBXPK3f5YPn1ntkmXNdHyMlzYpOH5d3CA0hHvQM1GTI,2361
36
- airia/client/models/sync_models.py,sha256=O_nD2bD9N3EIWz6nCt5KUQaRmIGaBhrLs006B-1d65U,3748
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
37
37
  airia/client/pipeline_execution/__init__.py,sha256=7qEZsPRTLySC71zlwYioBuJs6B4BwRCgFL3TQyFWXmc,175
38
38
  airia/client/pipeline_execution/async_pipeline_execution.py,sha256=alglTaHtWEipJx56WOUdV8MNhpOmo4GuhCXI9wkv7Mw,18022
39
39
  airia/client/pipeline_execution/base_pipeline_execution.py,sha256=fVGG__zHPpKLZdcwOL3GYmEyjCC7V4GZVuZ4CagGRP4,9608
@@ -80,7 +80,7 @@ airia/types/api/pipeline_execution/_pipeline_execution.py,sha256=4E8rmr3Ok9EHkTz
80
80
  airia/types/api/pipeline_import/__init__.py,sha256=5m8e4faOYGCEFLQWJgj-v5H4NXPNtnlAKAxA4tGJUbw,267
81
81
  airia/types/api/pipeline_import/create_agent_from_pipeline_definition.py,sha256=vn2aZGPnahmstHYKKMMN1hyTMRWFa2uAjpAYGwaI2xg,4394
82
82
  airia/types/api/pipelines_config/__init__.py,sha256=tNYV8AEGsKMfH4nMb-KGDfH1kvHO2b6VSoTB7TYQ7N8,2188
83
- airia/types/api/pipelines_config/export_pipeline_definition.py,sha256=UdXoG2c_MpzRF7apLz-4K-wsSyu_Jw0xAliCkCWlFD8,38156
83
+ airia/types/api/pipelines_config/export_pipeline_definition.py,sha256=OzB9gYgm8Dy7crYrcrLMGchATTSmVwFiL2GJ4JK3gRs,59930
84
84
  airia/types/api/pipelines_config/get_pipeline_config.py,sha256=gvyp_xGpxr3Elcsu04JSQRPDvjmxRCPDAAR0rbE-oGs,23538
85
85
  airia/types/api/pipelines_config/get_pipelines_config.py,sha256=RbiX5zISxzGRxzPGHe7QpO-Ro-0woQsPGLxtiP4Y4K4,15955
86
86
  airia/types/api/project/__init__.py,sha256=ervHvCeqt08JkMRsSrG1ZnQshE70of-8kf4VeW2HG9c,113
@@ -89,12 +89,12 @@ airia/types/api/store/__init__.py,sha256=BgViwV_SHE9cxtilPnA2xWRk6MkAbxYxansmGeZ
89
89
  airia/types/api/store/get_file.py,sha256=Li3CpWUktQruNeoKSTlHJPXzNMaysG_Zy-fXGji8zs8,6174
90
90
  airia/types/api/store/get_files.py,sha256=v22zmOuTSFqzrS73L5JL_FgBeF5a5wutv1nK4IHAoW0,700
91
91
  airia/types/api/tools/__init__.py,sha256=r4jcHknQcLIb3jVkGR5lcmuapHqln7-rot3EBCNmZtI,146
92
- airia/types/api/tools/_tools.py,sha256=M8nVRqhTpdbIzPs2z4Pi11BFtOnbgtNk3_RnDyViM_M,8348
92
+ airia/types/api/tools/_tools.py,sha256=PSJYFok7yQdE4it55iQmbryFzKN54nT6N161X1Rkp5U,9241
93
93
  airia/types/sse/__init__.py,sha256=KWnNTfsQnthfrU128pUX6ounvSS7DvjC-Y21FE-OdMk,1863
94
94
  airia/types/sse/sse_messages.py,sha256=asq9KG5plT2XSgQMz-Nqo0WcKlXvE8UT3E-WLhCegPk,30244
95
95
  airia/utils/sse_parser.py,sha256=XCTkuaroYWaVQOgBq8VpbseQYSAVruF69AvKUwZQKTA,4251
96
- airia-0.1.27.dist-info/licenses/LICENSE,sha256=R3ClUMMKPRItIcZ0svzyj2taZZnFYw568YDNzN9KQ1Q,1066
97
- airia-0.1.27.dist-info/METADATA,sha256=F_fbsYlh5Av4u2zFd10Yx3CFTYYeplBWx2tIZK9cdU8,4506
98
- airia-0.1.27.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
99
- airia-0.1.27.dist-info/top_level.txt,sha256=qUQEKfs_hdOYTwjKj1JZbRhS5YeXDNaKQaVTrzabS6w,6
100
- airia-0.1.27.dist-info/RECORD,,
96
+ airia-0.1.29.dist-info/licenses/LICENSE,sha256=R3ClUMMKPRItIcZ0svzyj2taZZnFYw568YDNzN9KQ1Q,1066
97
+ airia-0.1.29.dist-info/METADATA,sha256=SjH5WPody0kAfZ8TreZ_Vr3A1PLkxXNb-CzSLJ2BQtQ,4506
98
+ airia-0.1.29.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
99
+ airia-0.1.29.dist-info/top_level.txt,sha256=qUQEKfs_hdOYTwjKj1JZbRhS5YeXDNaKQaVTrzabS6w,6
100
+ airia-0.1.29.dist-info/RECORD,,
File without changes