airia 0.1.16__py3-none-any.whl → 0.1.18__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.
@@ -89,7 +89,7 @@ class BaseRequestHandler:
89
89
  log_payload = json.dumps(log_payload)
90
90
 
91
91
  self.logger.info(
92
- f"API Request: POST {url}\n"
92
+ f"URL: {url}\n"
93
93
  f"Headers: {json.dumps(log_headers)}\n"
94
94
  f"Payload: {log_payload}\n"
95
95
  f"Files: {log_files}\n"
@@ -11,6 +11,7 @@ from ..constants import (
11
11
  from ._request_handler import AsyncRequestHandler
12
12
  from .base_client import AiriaBaseClient
13
13
  from .conversations import AsyncConversations
14
+ from .data_vector_search import AsyncDataVectorSearch
14
15
  from .deployments import AsyncDeployments
15
16
  from .pipeline_execution import AsyncPipelineExecution
16
17
  from .pipelines_config import AsyncPipelinesConfig
@@ -64,6 +65,7 @@ class AiriaAsyncClient(AiriaBaseClient):
64
65
  self.conversations = AsyncConversations(self._request_handler)
65
66
  self.store = AsyncStore(self._request_handler)
66
67
  self.deployments = AsyncDeployments(self._request_handler)
68
+ self.data_vector_search = AsyncDataVectorSearch(self._request_handler)
67
69
 
68
70
  @classmethod
69
71
  def with_openai_gateway(
@@ -0,0 +1,4 @@
1
+ from .async_data_vector_search import AsyncDataVectorSearch
2
+ from .sync_data_vector_search import DataVectorSearch
3
+
4
+ __all__ = ["DataVectorSearch", "AsyncDataVectorSearch"]
@@ -0,0 +1,74 @@
1
+ from typing import Optional
2
+
3
+ from ...types._api_version import ApiVersion
4
+ from ...types.api.data_vector_search import GetFileChunksResponse
5
+ from .._request_handler import AsyncRequestHandler
6
+ from .base_data_vector_search import BaseDataVectorSearch
7
+
8
+
9
+ class AsyncDataVectorSearch(BaseDataVectorSearch):
10
+ def __init__(self, request_handler: AsyncRequestHandler):
11
+ super().__init__(request_handler)
12
+
13
+ async def get_file_chunks(
14
+ self, data_store_id: str, file_id: str, correlation_id: Optional[str] = None
15
+ ) -> GetFileChunksResponse:
16
+ """
17
+ Retrieve chunks from a specific file in a data store.
18
+
19
+ This method retrieves chunks from a file in the specified data store.
20
+
21
+ Args:
22
+ data_store_id: The unique identifier of the data store (GUID format)
23
+ file_id: The unique identifier of the file (GUID format)
24
+ correlation_id: Optional correlation ID for request tracing
25
+
26
+ Returns:
27
+ GetFileChunksResponse: Object containing the chunks and pagination information
28
+
29
+ Raises:
30
+ AiriaAPIError: If the API request fails, including cases where:
31
+ - The data_store_id doesn't exist (404)
32
+ - The file_id doesn't exist (404)
33
+ - Authentication fails (401)
34
+ - Access is forbidden (403)
35
+ - Server errors (5xx)
36
+ ValueError: If required parameters are missing or invalid
37
+
38
+ Example:
39
+ ```python
40
+ from airia import AiriaAsyncClient
41
+ import asyncio
42
+
43
+ async def main():
44
+ client = AiriaAsyncClient(api_key="your_api_key")
45
+
46
+ # Get file chunks with default pagination
47
+ chunks_response = await client.data_vector_search.get_file_chunks(
48
+ data_store_id="your_data_store_id",
49
+ file_id="your_file_id"
50
+ )
51
+
52
+ # Access the chunks
53
+ for chunk in chunks_response.chunks:
54
+ print(f"Chunk: {chunk.chunk}")
55
+ print(f"Document: {chunk.document_name}")
56
+ if chunk.score is not None:
57
+ print(f"Score: {chunk.score}")
58
+
59
+ await client.close()
60
+
61
+ asyncio.run(main())
62
+ ```
63
+ """
64
+ request_data = self._pre_get_file_chunks(
65
+ data_store_id=data_store_id,
66
+ file_id=file_id,
67
+ correlation_id=correlation_id,
68
+ api_version=ApiVersion.V1.value,
69
+ )
70
+
71
+ response = await self._request_handler.make_request(
72
+ "GET", request_data, return_json=True
73
+ )
74
+ return GetFileChunksResponse(**response)
@@ -0,0 +1,50 @@
1
+ from typing import Optional, Union
2
+ from urllib.parse import urljoin
3
+
4
+ from ...types._api_version import ApiVersion
5
+ from .._request_handler import AsyncRequestHandler, RequestHandler
6
+
7
+
8
+ class BaseDataVectorSearch:
9
+ def __init__(self, request_handler: Union[RequestHandler, AsyncRequestHandler]):
10
+ self._request_handler = request_handler
11
+
12
+ def _pre_get_file_chunks(
13
+ self,
14
+ data_store_id: str,
15
+ file_id: str,
16
+ correlation_id: Optional[str] = None,
17
+ api_version: str = ApiVersion.V1.value,
18
+ ):
19
+ """
20
+ Prepare request data for get file chunks endpoint.
21
+
22
+ This internal method constructs the URL for file chunks retrieval requests.
23
+
24
+ Args:
25
+ data_store_id: ID of the data store
26
+ file_id: ID of the file
27
+ correlation_id: Optional correlation ID for tracing
28
+ api_version: API version to use for the request
29
+
30
+ Returns:
31
+ RequestData: Prepared request data for the get file chunks endpoint
32
+
33
+ Raises:
34
+ ValueError: If an invalid API version is provided
35
+ """
36
+ if api_version not in ApiVersion.as_list():
37
+ raise ValueError(
38
+ f"Invalid API version: {api_version}. Valid versions are: {', '.join(ApiVersion.as_list())}"
39
+ )
40
+
41
+ url = urljoin(
42
+ self._request_handler.base_url,
43
+ f"{api_version}/DataVectorSearch/chunks/{data_store_id}/{file_id}",
44
+ )
45
+
46
+ request_data = self._request_handler.prepare_request(
47
+ url, correlation_id=correlation_id, params={"pageNumber": 1, "pageSize": 50}
48
+ )
49
+
50
+ return request_data
@@ -0,0 +1,68 @@
1
+ from typing import Optional
2
+
3
+ from ...types._api_version import ApiVersion
4
+ from ...types.api.data_vector_search import GetFileChunksResponse
5
+ from .._request_handler import RequestHandler
6
+ from .base_data_vector_search import BaseDataVectorSearch
7
+
8
+
9
+ class DataVectorSearch(BaseDataVectorSearch):
10
+ def __init__(self, request_handler: RequestHandler):
11
+ super().__init__(request_handler)
12
+
13
+ def get_file_chunks(
14
+ self, data_store_id: str, file_id: str, correlation_id: Optional[str] = None
15
+ ) -> GetFileChunksResponse:
16
+ """
17
+ Retrieve chunks from a specific file in a data store.
18
+
19
+ This method retrieves chunks from a file in the specified data store.
20
+
21
+ Args:
22
+ data_store_id: The unique identifier of the data store (GUID format)
23
+ file_id: The unique identifier of the file (GUID format)
24
+ correlation_id: Optional correlation ID for request tracing
25
+
26
+ Returns:
27
+ GetFileChunksResponse: Object containing the chunks and pagination information
28
+
29
+ Raises:
30
+ AiriaAPIError: If the API request fails, including cases where:
31
+ - The data_store_id doesn't exist (404)
32
+ - The file_id doesn't exist (404)
33
+ - Authentication fails (401)
34
+ - Access is forbidden (403)
35
+ - Server errors (5xx)
36
+ ValueError: If required parameters are missing or invalid
37
+
38
+ Example:
39
+ ```python
40
+ from airia import AiriaClient
41
+
42
+ client = AiriaClient(api_key="your_api_key")
43
+
44
+ # Get file chunks with default pagination
45
+ chunks_response = client.data_vector_search.get_file_chunks(
46
+ data_store_id="your_data_store_id",
47
+ file_id="your_file_id"
48
+ )
49
+
50
+ # Access the chunks
51
+ for chunk in chunks_response.chunks:
52
+ print(f"Chunk: {chunk.chunk}")
53
+ print(f"Document: {chunk.document_name}")
54
+ if chunk.score is not None:
55
+ print(f"Score: {chunk.score}")
56
+ ```
57
+ """
58
+ request_data = self._pre_get_file_chunks(
59
+ data_store_id=data_store_id,
60
+ file_id=file_id,
61
+ correlation_id=correlation_id,
62
+ api_version=ApiVersion.V1.value,
63
+ )
64
+
65
+ response = self._request_handler.make_request(
66
+ "GET", request_data, return_json=True
67
+ )
68
+ return GetFileChunksResponse(**response)
@@ -33,6 +33,7 @@ class AsyncPipelineExecution(BasePipelineExecution):
33
33
  save_history: bool = True,
34
34
  additional_info: Optional[List[Any]] = None,
35
35
  prompt_variables: Optional[Dict[str, Any]] = None,
36
+ voice_enabled: bool = False,
36
37
  correlation_id: Optional[str] = None,
37
38
  ) -> PipelineExecutionResponse: ...
38
39
 
@@ -55,6 +56,7 @@ class AsyncPipelineExecution(BasePipelineExecution):
55
56
  save_history: bool = True,
56
57
  additional_info: Optional[List[Any]] = None,
57
58
  prompt_variables: Optional[Dict[str, Any]] = None,
59
+ voice_enabled: bool = False,
58
60
  correlation_id: Optional[str] = None,
59
61
  ) -> PipelineExecutionDebugResponse: ...
60
62
 
@@ -77,6 +79,7 @@ class AsyncPipelineExecution(BasePipelineExecution):
77
79
  save_history: bool = True,
78
80
  additional_info: Optional[List[Any]] = None,
79
81
  prompt_variables: Optional[Dict[str, Any]] = None,
82
+ voice_enabled: bool = False,
80
83
  correlation_id: Optional[str] = None,
81
84
  ) -> PipelineExecutionAsyncStreamedResponse: ...
82
85
 
@@ -98,6 +101,7 @@ class AsyncPipelineExecution(BasePipelineExecution):
98
101
  save_history: bool = True,
99
102
  additional_info: Optional[List[Any]] = None,
100
103
  prompt_variables: Optional[Dict[str, Any]] = None,
104
+ voice_enabled: bool = False,
101
105
  correlation_id: Optional[str] = None,
102
106
  ) -> Union[
103
107
  PipelineExecutionDebugResponse,
@@ -124,6 +128,7 @@ class AsyncPipelineExecution(BasePipelineExecution):
124
128
  save_history: Whether to save the userInput and output to conversation history. Default is True.
125
129
  additional_info: Optional additional information.
126
130
  prompt_variables: Optional variables to be used in the prompt.
131
+ voice_enabled: Whether the request came through the airia-voice-proxy. Default is False.
127
132
  correlation_id: Optional correlation ID for request tracing. If not provided,
128
133
  one will be generated automatically.
129
134
 
@@ -161,6 +166,7 @@ class AsyncPipelineExecution(BasePipelineExecution):
161
166
  save_history=save_history,
162
167
  additional_info=additional_info,
163
168
  prompt_variables=prompt_variables,
169
+ voice_enabled=voice_enabled,
164
170
  correlation_id=correlation_id,
165
171
  api_version=ApiVersion.V2.value,
166
172
  )
@@ -27,6 +27,7 @@ class BasePipelineExecution:
27
27
  save_history: bool = True,
28
28
  additional_info: Optional[List[Any]] = None,
29
29
  prompt_variables: Optional[Dict[str, Any]] = None,
30
+ voice_enabled: bool = False,
30
31
  correlation_id: Optional[str] = None,
31
32
  api_version: str = ApiVersion.V2.value,
32
33
  ):
@@ -53,6 +54,7 @@ class BasePipelineExecution:
53
54
  save_history: Whether to save to conversation history
54
55
  additional_info: Optional additional information
55
56
  prompt_variables: Optional prompt variables
57
+ voice_enabled: Whether the request came through the airia-voice-proxy
56
58
  correlation_id: Optional correlation ID for tracing
57
59
  api_version: API version to use for the request
58
60
 
@@ -87,6 +89,7 @@ class BasePipelineExecution:
87
89
  "saveHistory": save_history,
88
90
  "additionalInfo": additional_info,
89
91
  "promptVariables": prompt_variables,
92
+ "voiceEnabled": voice_enabled,
90
93
  }
91
94
 
92
95
  request_data = self._request_handler.prepare_request(
@@ -33,6 +33,7 @@ class PipelineExecution(BasePipelineExecution):
33
33
  save_history: bool = True,
34
34
  additional_info: Optional[List[Any]] = None,
35
35
  prompt_variables: Optional[Dict[str, Any]] = None,
36
+ voice_enabled: bool = False,
36
37
  correlation_id: Optional[str] = None,
37
38
  ) -> PipelineExecutionResponse: ...
38
39
 
@@ -55,6 +56,7 @@ class PipelineExecution(BasePipelineExecution):
55
56
  save_history: bool = True,
56
57
  additional_info: Optional[List[Any]] = None,
57
58
  prompt_variables: Optional[Dict[str, Any]] = None,
59
+ voice_enabled: bool = False,
58
60
  correlation_id: Optional[str] = None,
59
61
  ) -> PipelineExecutionDebugResponse: ...
60
62
 
@@ -77,6 +79,7 @@ class PipelineExecution(BasePipelineExecution):
77
79
  save_history: bool = True,
78
80
  additional_info: Optional[List[Any]] = None,
79
81
  prompt_variables: Optional[Dict[str, Any]] = None,
82
+ voice_enabled: bool = False,
80
83
  correlation_id: Optional[str] = None,
81
84
  ) -> PipelineExecutionStreamedResponse: ...
82
85
 
@@ -98,6 +101,7 @@ class PipelineExecution(BasePipelineExecution):
98
101
  save_history: bool = True,
99
102
  additional_info: Optional[List[Any]] = None,
100
103
  prompt_variables: Optional[Dict[str, Any]] = None,
104
+ voice_enabled: bool = False,
101
105
  correlation_id: Optional[str] = None,
102
106
  ) -> Union[
103
107
  PipelineExecutionDebugResponse,
@@ -124,6 +128,7 @@ class PipelineExecution(BasePipelineExecution):
124
128
  save_history: Whether to save the userInput and output to conversation history. Default is True.
125
129
  additional_info: Optional additional information.
126
130
  prompt_variables: Optional variables to be used in the prompt.
131
+ voice_enabled: Whether the request came through the airia-voice-proxy. Default is False.
127
132
  correlation_id: Optional correlation ID for request tracing. If not provided,
128
133
  one will be generated automatically.
129
134
 
@@ -161,6 +166,7 @@ class PipelineExecution(BasePipelineExecution):
161
166
  save_history=save_history,
162
167
  additional_info=additional_info,
163
168
  prompt_variables=prompt_variables,
169
+ voice_enabled=voice_enabled,
164
170
  correlation_id=correlation_id,
165
171
  api_version=ApiVersion.V2.value,
166
172
  )
@@ -11,6 +11,7 @@ from ..constants import (
11
11
  from ._request_handler import RequestHandler
12
12
  from .base_client import AiriaBaseClient
13
13
  from .conversations import Conversations
14
+ from .data_vector_search import DataVectorSearch
14
15
  from .deployments import Deployments
15
16
  from .pipeline_execution import PipelineExecution
16
17
  from .pipelines_config import PipelinesConfig
@@ -64,6 +65,7 @@ class AiriaClient(AiriaBaseClient):
64
65
  self.conversations = Conversations(self._request_handler)
65
66
  self.store = Store(self._request_handler)
66
67
  self.deployments = Deployments(self._request_handler)
68
+ self.data_vector_search = DataVectorSearch(self._request_handler)
67
69
 
68
70
  @classmethod
69
71
  def with_openai_gateway(
@@ -0,0 +1,3 @@
1
+ from .get_file_chunks import GetFileChunksResponse, FileChunk
2
+
3
+ __all__ = ["GetFileChunksResponse", "FileChunk"]
@@ -0,0 +1,45 @@
1
+ from typing import List, Optional
2
+
3
+ from pydantic import BaseModel, Field
4
+
5
+
6
+ class FileChunk(BaseModel):
7
+ """Represents a chunk of a file with score and metadata.
8
+
9
+ Attributes:
10
+ path: Path of the chunk
11
+ score: Optional relevance score for the chunk
12
+ chunk: The text content of the chunk
13
+ sequence_number: Optional sequence number of the chunk in the document
14
+ document_id: Unique identifier of the document (GUID format)
15
+ document_name: Name of the document
16
+ """
17
+
18
+ path: Optional[str] = None
19
+ score: Optional[float] = None
20
+ chunk: str
21
+ sequence_number: Optional[int] = Field(None, alias="sequenceNumber")
22
+ document_id: Optional[str] = Field(None, alias="documentId")
23
+ document_name: Optional[str] = Field(None, alias="documentName")
24
+
25
+
26
+ class GetFileChunksResponse(BaseModel):
27
+ """Response model for file chunks retrieval.
28
+
29
+ Attributes:
30
+ data_store_id: The data store identifier (GUID format)
31
+ file_id: The file identifier (GUID format)
32
+ chunks: List of chunks from the file
33
+ page_number: Current page number
34
+ page_size: Page size used for pagination
35
+ total_count: Total count of chunks
36
+ total_pages: Total number of pages
37
+ """
38
+
39
+ data_store_id: Optional[str] = Field(None, alias="dataStoreId")
40
+ file_id: Optional[str] = Field(None, alias="fileId")
41
+ chunks: List[FileChunk]
42
+ page_number: int = Field(alias="pageNumber")
43
+ page_size: int = Field(alias="pageSize")
44
+ total_count: int = Field(alias="totalCount")
45
+ total_pages: int = Field(alias="totalPages")
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: airia
3
- Version: 0.1.16
3
+ Version: 0.1.18
4
4
  Summary: Python SDK for Airia API
5
5
  Author-email: Airia LLC <support@airia.com>
6
6
  License: MIT
@@ -3,25 +3,29 @@ airia/constants.py,sha256=oKABowOTsJPIQ1AgtVpNN73oKuhh1DekBC5axYSm8lY,647
3
3
  airia/exceptions.py,sha256=M98aESxodebVLafqDQSqCKLUUT_b-lNSVOpYGJ6Cmn0,1114
4
4
  airia/logs.py,sha256=oHU8ByekHu-udBB-5abY39wUct_26t8io-A1Kcl7D3U,4538
5
5
  airia/client/__init__.py,sha256=6gSQ9bl7j79q1HPE0o5py3IRdkwWWuU_7J4h05Dd2o8,127
6
- airia/client/async_client.py,sha256=aeFRugnHfQHGVx3R3XVFGC1PH0q_OqCbZjGKNopaE4g,6901
6
+ airia/client/async_client.py,sha256=H1GFozhV2jq5-m1Gplx2OTbVR5l4sU-gAhaoH75bxtI,7034
7
7
  airia/client/base_client.py,sha256=ftyLi2E3Hb4CQFYfiknitJA0sWDTylCiUbde0qkWYhg,3182
8
- airia/client/sync_client.py,sha256=p2qUfDnzBMgiAjoECI43O15sLOoL9nrtcCkA9LT0bPU,6770
8
+ airia/client/sync_client.py,sha256=bCU92G7eo9I1tGYV1lRxXELDPsyVn0nbte5EFrwrMCg,6893
9
9
  airia/client/_request_handler/__init__.py,sha256=FOdJMfzjN0Tw0TeD8mDJwHgte70Fw_j08EljtfulCvw,157
10
10
  airia/client/_request_handler/async_request_handler.py,sha256=8225uM82kgOFu1E2DULVuk0qBN7vmPmcBtYXstUZaR8,10931
11
- airia/client/_request_handler/base_request_handler.py,sha256=nYZIpWw-we0WMfBIOv1ZD5cNDT6hdNrbrFSTuBb6rbU,3838
11
+ airia/client/_request_handler/base_request_handler.py,sha256=BsYP_o1vyGT7IPdezxNy9gfCUAhMj1qoUt2esEeOpe8,3825
12
12
  airia/client/_request_handler/sync_request_handler.py,sha256=IFMauU8Fk3AvrMQrSOMTuWwUw44zmWimeW8LkIYj7Ws,10132
13
13
  airia/client/conversations/__init__.py,sha256=5gbcHEYLHOn5cK95tlM52GPOmar8gpyK-BivyASmFEo,149
14
14
  airia/client/conversations/async_conversations.py,sha256=XbSErt_6RKcQwDdGHKr_roSf2EkxhR6ogBiN3oMFNhk,7448
15
15
  airia/client/conversations/base_conversations.py,sha256=YpIvA66xFZbOC4L8P17pISCqyWlJvju34FHX7Pcj8Aw,4848
16
16
  airia/client/conversations/sync_conversations.py,sha256=IelRpGuoV0sBwOfZd44igV3i5P35Hv-zzZwCC7y6mlA,7200
17
+ airia/client/data_vector_search/__init__.py,sha256=RmeB9wdIWubjnmoco321dx0T2h5tV0-rTsuHQdXOwI0,171
18
+ airia/client/data_vector_search/async_data_vector_search.py,sha256=S-g0DYJ9flAhGL5t-A8G18fMcHzZFZEVgpx2ZDzpx1Q,2714
19
+ airia/client/data_vector_search/base_data_vector_search.py,sha256=AwES-JBlEYlZHuBWdDtcWsviRpcyKxgJq-oPUEVCsWM,1662
20
+ airia/client/data_vector_search/sync_data_vector_search.py,sha256=g5ZMU3TW0J1b747v_CPDgKoJaCxDs5zv-XnAW2_rnfY,2495
17
21
  airia/client/deployments/__init__.py,sha256=Xu_MqbeUrtqYE4tH6hbmvUk8eQScWJ6MEyYFlVEwlRw,310
18
22
  airia/client/deployments/async_deployments.py,sha256=IqRQZtkulBxxuviHpbcoi4UFQ-XRH4oRqZ90Q4H-FXs,4321
19
23
  airia/client/deployments/base_deployments.py,sha256=luiw4Fuj2YxD0j0-rXrsWkae_CNipxwRV7wIrHBFxpI,3230
20
24
  airia/client/deployments/sync_deployments.py,sha256=gEq2M0uUi5GLw8lxf8QasAHx48FZHzzRwrt7TAcyA9s,4230
21
25
  airia/client/pipeline_execution/__init__.py,sha256=7qEZsPRTLySC71zlwYioBuJs6B4BwRCgFL3TQyFWXmc,175
22
- airia/client/pipeline_execution/async_pipeline_execution.py,sha256=tesbtLYuTffPPHb3a2lw8aNzSzuDQ80yRWboSFEhyRs,7477
23
- airia/client/pipeline_execution/base_pipeline_execution.py,sha256=Jkpp_D2OrNg3koudrIua-d0VKwI4hlATDqi8WwRCifY,3965
24
- airia/client/pipeline_execution/sync_pipeline_execution.py,sha256=wIifP_KjRvBgXeqs1g237IlAXiuU7ThxS5YDj6qB7gM,7392
26
+ airia/client/pipeline_execution/async_pipeline_execution.py,sha256=66rTEMwdfOYsNFZSjHhs9msCV0ZltJ1smMqQuNYk4Q0,7767
27
+ airia/client/pipeline_execution/base_pipeline_execution.py,sha256=yOjqbFBedm0t_bS4_WAjAi71EQ76SFozWMKtZ2ZQxYc,4127
28
+ airia/client/pipeline_execution/sync_pipeline_execution.py,sha256=Mz4-GW5ipfUkJ7gru-xZAY3CBqPp97mWfZwUy5nUFY4,7682
25
29
  airia/client/pipelines_config/__init__.py,sha256=Mjn3ie-bQo6zjayxrJDvoJG2vKis72yGt_CQkvtREw4,163
26
30
  airia/client/pipelines_config/async_pipelines_config.py,sha256=69Viozs4iIW564D4i9yNCAIJsyDk67bxge-z8s5pbuA,4812
27
31
  airia/client/pipelines_config/base_pipelines_config.py,sha256=GcK7hXisM87Qqq8HPtvr60kOTA9oFzjLolTSezFDp4c,2665
@@ -40,6 +44,8 @@ airia/types/_request_data.py,sha256=q8t7KfO2WvgbPVYPvPWiwYb8LyP0kovlOgHFhZIU6ns,
40
44
  airia/types/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
41
45
  airia/types/api/conversations/__init__.py,sha256=W6GlNVZCAY5eViJOoPl1bY9_etRBWeUnYZJJt7WHtfI,269
42
46
  airia/types/api/conversations/_conversations.py,sha256=O7VHs2_Ykg0s6Phe0sAVvbO7YVu6d6R2M2-JkWAipxI,4845
47
+ airia/types/api/data_vector_search/__init__.py,sha256=TXomyrDRlsFmiBWUNoSyD3-dSK5ahYHvn9-s8CIS5xI,112
48
+ airia/types/api/data_vector_search/get_file_chunks.py,sha256=ywP1zH_OXnyP5ZyJ_epaZWRLvOxC72RnL235ySYSZA0,1597
43
49
  airia/types/api/deployments/__init__.py,sha256=ONQgkKr_8i6FhcBsHyzT4mYOP_H0OPUAsxvxroZWBMU,538
44
50
  airia/types/api/deployments/get_deployment.py,sha256=KBr9edTu-e-tC3u9bpAdz0CMWzk0DFQxusrVU6OZ7mc,4398
45
51
  airia/types/api/deployments/get_deployments.py,sha256=5Dm7pTkEFmIZ4p4Scle9x9p3Nqy5tnXxeft3H4O_Fa8,8718
@@ -56,8 +62,8 @@ airia/types/api/store/get_files.py,sha256=v22zmOuTSFqzrS73L5JL_FgBeF5a5wutv1nK4I
56
62
  airia/types/sse/__init__.py,sha256=KWnNTfsQnthfrU128pUX6ounvSS7DvjC-Y21FE-OdMk,1863
57
63
  airia/types/sse/sse_messages.py,sha256=asq9KG5plT2XSgQMz-Nqo0WcKlXvE8UT3E-WLhCegPk,30244
58
64
  airia/utils/sse_parser.py,sha256=XCTkuaroYWaVQOgBq8VpbseQYSAVruF69AvKUwZQKTA,4251
59
- airia-0.1.16.dist-info/licenses/LICENSE,sha256=R3ClUMMKPRItIcZ0svzyj2taZZnFYw568YDNzN9KQ1Q,1066
60
- airia-0.1.16.dist-info/METADATA,sha256=N87oh79yN5biWflJYAfnMyfIEJ-c-v0uizq6aDDz4o4,4506
61
- airia-0.1.16.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
62
- airia-0.1.16.dist-info/top_level.txt,sha256=qUQEKfs_hdOYTwjKj1JZbRhS5YeXDNaKQaVTrzabS6w,6
63
- airia-0.1.16.dist-info/RECORD,,
65
+ airia-0.1.18.dist-info/licenses/LICENSE,sha256=R3ClUMMKPRItIcZ0svzyj2taZZnFYw568YDNzN9KQ1Q,1066
66
+ airia-0.1.18.dist-info/METADATA,sha256=W5McWtUenn9Ls0iDmPG-W7BOwrB_kNs2GYmuhW-SA4s,4506
67
+ airia-0.1.18.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
68
+ airia-0.1.18.dist-info/top_level.txt,sha256=qUQEKfs_hdOYTwjKj1JZbRhS5YeXDNaKQaVTrzabS6w,6
69
+ airia-0.1.18.dist-info/RECORD,,
File without changes