oagi 0.4.3__py3-none-any.whl → 0.6.0__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.

Potentially problematic release.


This version of oagi might be problematic. Click here for more details.

oagi/async_client.py DELETED
@@ -1,239 +0,0 @@
1
- # -----------------------------------------------------------------------------
2
- # Copyright (c) OpenAGI Foundation
3
- # All rights reserved.
4
- #
5
- # This file is part of the official API project.
6
- # Licensed under the MIT License.
7
- # -----------------------------------------------------------------------------
8
-
9
- import os
10
- from functools import wraps
11
-
12
- import httpx
13
-
14
- from .exceptions import (
15
- APIError,
16
- AuthenticationError,
17
- ConfigurationError,
18
- NetworkError,
19
- NotFoundError,
20
- RateLimitError,
21
- RequestTimeoutError,
22
- ServerError,
23
- ValidationError,
24
- )
25
- from .logging import get_logger
26
- from .sync_client import ErrorResponse, LLMResponse
27
-
28
- logger = get_logger("async_client")
29
-
30
-
31
- def async_log_trace_on_failure(func):
32
- """Async decorator that logs trace ID when a method fails."""
33
-
34
- @wraps(func)
35
- async def wrapper(*args, **kwargs):
36
- try:
37
- return await func(*args, **kwargs)
38
- except Exception as e:
39
- # Try to get response from the exception if it has one
40
- if (response := getattr(e, "response", None)) is not None:
41
- logger.error(f"Request Id: {response.headers.get('x-request-id', '')}")
42
- logger.error(f"Trace Id: {response.headers.get('x-trace-id', '')}")
43
- raise
44
-
45
- return wrapper
46
-
47
-
48
- class AsyncClient:
49
- """Async HTTP client for the OAGI API."""
50
-
51
- def __init__(self, base_url: str | None = None, api_key: str | None = None):
52
- # Get from environment if not provided
53
- self.base_url = base_url or os.getenv("OAGI_BASE_URL")
54
- self.api_key = api_key or os.getenv("OAGI_API_KEY")
55
-
56
- # Validate required configuration
57
- if not self.base_url:
58
- raise ConfigurationError(
59
- "OAGI base URL must be provided either as 'base_url' parameter or "
60
- "OAGI_BASE_URL environment variable"
61
- )
62
-
63
- if not self.api_key:
64
- raise ConfigurationError(
65
- "OAGI API key must be provided either as 'api_key' parameter or "
66
- "OAGI_API_KEY environment variable"
67
- )
68
-
69
- self.base_url = self.base_url.rstrip("/")
70
- self.client = httpx.AsyncClient(base_url=self.base_url)
71
- self.timeout = 60
72
-
73
- logger.info(f"AsyncClient initialized with base_url: {self.base_url}")
74
-
75
- async def __aenter__(self):
76
- return self
77
-
78
- async def __aexit__(self, exc_type, exc_val, exc_tb):
79
- await self.client.aclose()
80
-
81
- async def close(self):
82
- """Close the underlying httpx async client"""
83
- await self.client.aclose()
84
-
85
- @async_log_trace_on_failure
86
- async def create_message(
87
- self,
88
- model: str,
89
- screenshot: str, # base64 encoded
90
- task_description: str | None = None,
91
- task_id: str | None = None,
92
- instruction: str | None = None,
93
- max_actions: int | None = 5,
94
- api_version: str | None = None,
95
- ) -> LLMResponse:
96
- """
97
- Call the /v1/message endpoint to analyze task and screenshot
98
-
99
- Args:
100
- model: The model to use for task analysis
101
- screenshot: Base64-encoded screenshot image
102
- task_description: Description of the task (required for new sessions)
103
- task_id: Task ID for continuing existing task
104
- instruction: Additional instruction when continuing a session (only works with task_id)
105
- max_actions: Maximum number of actions to return (1-20)
106
- api_version: API version header
107
-
108
- Returns:
109
- LLMResponse: The response from the API
110
-
111
- Raises:
112
- httpx.HTTPStatusError: For HTTP error responses
113
- """
114
- headers = {}
115
- if api_version:
116
- headers["x-api-version"] = api_version
117
- if self.api_key:
118
- headers["x-api-key"] = self.api_key
119
-
120
- payload = {"model": model, "screenshot": screenshot}
121
-
122
- if task_description is not None:
123
- payload["task_description"] = task_description
124
- if task_id is not None:
125
- payload["task_id"] = task_id
126
- if instruction is not None:
127
- payload["instruction"] = instruction
128
- if max_actions is not None:
129
- payload["max_actions"] = max_actions
130
-
131
- logger.info(f"Making async API request to /v1/message with model: {model}")
132
- logger.debug(
133
- f"Request includes task_description: {task_description is not None}, task_id: {task_id is not None}"
134
- )
135
-
136
- try:
137
- response = await self.client.post(
138
- "/v1/message", json=payload, headers=headers, timeout=self.timeout
139
- )
140
- except httpx.TimeoutException as e:
141
- logger.error(f"Request timed out after {self.timeout} seconds")
142
- raise RequestTimeoutError(
143
- f"Request timed out after {self.timeout} seconds", e
144
- )
145
- except httpx.NetworkError as e:
146
- logger.error(f"Network error: {e}")
147
- raise NetworkError(f"Network error: {e}", e)
148
-
149
- try:
150
- response_data = response.json()
151
- except ValueError:
152
- # If response is not JSON, raise API error
153
- logger.error(f"Non-JSON API response: {response.status_code}")
154
- raise APIError(
155
- f"Invalid response format (status {response.status_code})",
156
- status_code=response.status_code,
157
- response=response,
158
- )
159
-
160
- # Check if it's an error response (non-200 status or has error field)
161
- if response.status_code != 200:
162
- error_resp = ErrorResponse(**response_data)
163
- if error_resp.error:
164
- error_code = error_resp.error.code
165
- error_msg = error_resp.error.message
166
- logger.error(f"API Error [{error_code}]: {error_msg}")
167
-
168
- # Map to specific exception types based on status code
169
- exception_class = self._get_exception_class(response.status_code)
170
- raise exception_class(
171
- error_msg,
172
- code=error_code,
173
- status_code=response.status_code,
174
- response=response,
175
- )
176
- else:
177
- # Error response without error details
178
- logger.error(
179
- f"API error response without details: {response.status_code}"
180
- )
181
- exception_class = self._get_exception_class(response.status_code)
182
- raise exception_class(
183
- f"API error (status {response.status_code})",
184
- status_code=response.status_code,
185
- response=response,
186
- )
187
-
188
- # Parse successful response
189
- result = LLMResponse(**response_data)
190
-
191
- # Check if the response contains an error (even with 200 status)
192
- if result.error:
193
- logger.error(
194
- f"API Error in response: [{result.error.code}]: {result.error.message}"
195
- )
196
- raise APIError(
197
- result.error.message,
198
- code=result.error.code,
199
- status_code=200,
200
- response=response,
201
- )
202
-
203
- logger.info(
204
- f"Async API request successful - task_id: {result.task_id}, step: {result.current_step}, complete: {result.is_complete}"
205
- )
206
- logger.debug(f"Response included {len(result.actions)} actions")
207
- return result
208
-
209
- def _get_exception_class(self, status_code: int) -> type[APIError]:
210
- """Get the appropriate exception class based on status code."""
211
- status_map = {
212
- 401: AuthenticationError,
213
- 404: NotFoundError,
214
- 422: ValidationError,
215
- 429: RateLimitError,
216
- }
217
-
218
- if status_code >= 500:
219
- return ServerError
220
-
221
- return status_map.get(status_code, APIError)
222
-
223
- async def health_check(self) -> dict:
224
- """
225
- Call the /health endpoint for health check
226
-
227
- Returns:
228
- dict: Health check response
229
- """
230
- logger.debug("Making async health check request")
231
- try:
232
- response = await self.client.get("/health")
233
- response.raise_for_status()
234
- result = response.json()
235
- logger.debug("Async health check successful")
236
- return result
237
- except httpx.HTTPStatusError as e:
238
- logger.warning(f"Async health check failed: {e}")
239
- raise
oagi/async_short_task.py DELETED
@@ -1,56 +0,0 @@
1
- # -----------------------------------------------------------------------------
2
- # Copyright (c) OpenAGI Foundation
3
- # All rights reserved.
4
- #
5
- # This file is part of the official API project.
6
- # Licensed under the MIT License.
7
- # -----------------------------------------------------------------------------
8
-
9
- from .async_task import AsyncTask
10
- from .logging import get_logger
11
- from .types import AsyncActionHandler, AsyncImageProvider
12
-
13
- logger = get_logger("async_short_task")
14
-
15
-
16
- class AsyncShortTask(AsyncTask):
17
- """Async task implementation with automatic mode for short-duration tasks."""
18
-
19
- def __init__(
20
- self,
21
- api_key: str | None = None,
22
- base_url: str | None = None,
23
- model: str = "vision-model-v1",
24
- ):
25
- super().__init__(api_key=api_key, base_url=base_url, model=model)
26
-
27
- async def auto_mode(
28
- self,
29
- task_desc: str,
30
- max_steps: int = 5,
31
- executor: AsyncActionHandler = None,
32
- image_provider: AsyncImageProvider = None,
33
- ) -> bool:
34
- """Run the task in automatic mode with the provided executor and image provider."""
35
- logger.info(
36
- f"Starting async auto mode for task: '{task_desc}' (max_steps: {max_steps})"
37
- )
38
- await self.init_task(task_desc, max_steps=max_steps)
39
-
40
- for i in range(max_steps):
41
- logger.debug(f"Async auto mode step {i + 1}/{max_steps}")
42
- image = await image_provider()
43
- step = await self.step(image)
44
- if executor:
45
- logger.debug(f"Executing {len(step.actions)} actions asynchronously")
46
- await executor(step.actions)
47
- if step.stop:
48
- logger.info(
49
- f"Async auto mode completed successfully after {i + 1} steps"
50
- )
51
- return True
52
-
53
- logger.warning(
54
- f"Async auto mode reached max steps ({max_steps}) without completion"
55
- )
56
- return False
oagi/short_task.py DELETED
@@ -1,52 +0,0 @@
1
- # -----------------------------------------------------------------------------
2
- # Copyright (c) OpenAGI Foundation
3
- # All rights reserved.
4
- #
5
- # This file is part of the official API project.
6
- # Licensed under the MIT License.
7
- # -----------------------------------------------------------------------------
8
-
9
- from .logging import get_logger
10
- from .task import Task
11
- from .types import ActionHandler, ImageProvider
12
-
13
- logger = get_logger("short_task")
14
-
15
-
16
- class ShortTask(Task):
17
- """Task implementation with automatic mode for short-duration tasks."""
18
-
19
- def __init__(
20
- self,
21
- api_key: str | None = None,
22
- base_url: str | None = None,
23
- model: str = "vision-model-v1",
24
- ):
25
- super().__init__(api_key=api_key, base_url=base_url, model=model)
26
-
27
- def auto_mode(
28
- self,
29
- task_desc: str,
30
- max_steps: int = 5,
31
- executor: ActionHandler = None,
32
- image_provider: ImageProvider = None,
33
- ) -> bool:
34
- """Run the task in automatic mode with the provided executor and image provider."""
35
- logger.info(
36
- f"Starting auto mode for task: '{task_desc}' (max_steps: {max_steps})"
37
- )
38
- self.init_task(task_desc, max_steps=max_steps)
39
-
40
- for i in range(max_steps):
41
- logger.debug(f"Auto mode step {i + 1}/{max_steps}")
42
- image = image_provider()
43
- step = self.step(image)
44
- if executor:
45
- logger.debug(f"Executing {len(step.actions)} actions")
46
- executor(step.actions)
47
- if step.stop:
48
- logger.info(f"Auto mode completed successfully after {i + 1} steps")
49
- return True
50
-
51
- logger.warning(f"Auto mode reached max steps ({max_steps}) without completion")
52
- return False
oagi/sync_client.py DELETED
@@ -1,289 +0,0 @@
1
- # -----------------------------------------------------------------------------
2
- # Copyright (c) OpenAGI Foundation
3
- # All rights reserved.
4
- #
5
- # This file is part of the official API project.
6
- # Licensed under the MIT License.
7
- # -----------------------------------------------------------------------------
8
-
9
- import base64
10
- import os
11
- from functools import wraps
12
-
13
- import httpx
14
- from httpx import Response
15
- from pydantic import BaseModel
16
-
17
- from .exceptions import (
18
- APIError,
19
- AuthenticationError,
20
- ConfigurationError,
21
- NetworkError,
22
- NotFoundError,
23
- RateLimitError,
24
- RequestTimeoutError,
25
- ServerError,
26
- ValidationError,
27
- )
28
- from .logging import get_logger
29
- from .types import Action
30
-
31
- logger = get_logger("sync_client")
32
-
33
-
34
- class Usage(BaseModel):
35
- prompt_tokens: int
36
- completion_tokens: int
37
- total_tokens: int
38
-
39
-
40
- class ErrorDetail(BaseModel):
41
- """Detailed error information."""
42
-
43
- code: str
44
- message: str
45
-
46
-
47
- class ErrorResponse(BaseModel):
48
- """Standard error response format."""
49
-
50
- error: ErrorDetail | None
51
-
52
-
53
- class LLMResponse(BaseModel):
54
- id: str
55
- task_id: str
56
- object: str = "task.completion"
57
- created: int
58
- model: str
59
- task_description: str
60
- current_step: int
61
- is_complete: bool
62
- actions: list[Action]
63
- reason: str | None = None
64
- usage: Usage
65
- error: ErrorDetail | None = None
66
-
67
-
68
- def _log_trace_id(response: Response):
69
- logger.error(f"Request Id: {response.headers.get('x-request-id', '')}")
70
- logger.error(f"Trace Id: {response.headers.get('x-trace-id', '')}")
71
-
72
-
73
- def log_trace_on_failure(func):
74
- """Decorator that logs trace ID when a method fails."""
75
-
76
- @wraps(func)
77
- def wrapper(*args, **kwargs):
78
- try:
79
- return func(*args, **kwargs)
80
- except Exception as e:
81
- # Try to get response from the exception if it has one
82
- if (response := getattr(e, "response", None)) is not None:
83
- _log_trace_id(response)
84
- raise
85
-
86
- return wrapper
87
-
88
-
89
- class SyncClient:
90
- def __init__(self, base_url: str | None = None, api_key: str | None = None):
91
- # Get from environment if not provided
92
- self.base_url = base_url or os.getenv("OAGI_BASE_URL")
93
- self.api_key = api_key or os.getenv("OAGI_API_KEY")
94
-
95
- # Validate required configuration
96
- if not self.base_url:
97
- raise ConfigurationError(
98
- "OAGI base URL must be provided either as 'base_url' parameter or "
99
- "OAGI_BASE_URL environment variable"
100
- )
101
-
102
- if not self.api_key:
103
- raise ConfigurationError(
104
- "OAGI API key must be provided either as 'api_key' parameter or "
105
- "OAGI_API_KEY environment variable"
106
- )
107
-
108
- self.base_url = self.base_url.rstrip("/")
109
- self.client = httpx.Client(base_url=self.base_url)
110
- self.timeout = 60
111
-
112
- logger.info(f"SyncClient initialized with base_url: {self.base_url}")
113
-
114
- def __enter__(self):
115
- return self
116
-
117
- def __exit__(self, exc_type, exc_val, exc_tb):
118
- self.client.close()
119
-
120
- def close(self):
121
- """Close the underlying httpx client"""
122
- self.client.close()
123
-
124
- @log_trace_on_failure
125
- def create_message(
126
- self,
127
- model: str,
128
- screenshot: str, # base64 encoded
129
- task_description: str | None = None,
130
- task_id: str | None = None,
131
- instruction: str | None = None,
132
- max_actions: int | None = 5,
133
- api_version: str | None = None,
134
- ) -> LLMResponse:
135
- """
136
- Call the /v1/message endpoint to analyze task and screenshot
137
-
138
- Args:
139
- model: The model to use for task analysis
140
- screenshot: Base64-encoded screenshot image
141
- task_description: Description of the task (required for new sessions)
142
- task_id: Task ID for continuing existing task
143
- instruction: Additional instruction when continuing a session (only works with task_id)
144
- max_actions: Maximum number of actions to return (1-20)
145
- api_version: API version header
146
-
147
- Returns:
148
- LLMResponse: The response from the API
149
-
150
- Raises:
151
- httpx.HTTPStatusError: For HTTP error responses
152
- """
153
- headers = {}
154
- if api_version:
155
- headers["x-api-version"] = api_version
156
- if self.api_key:
157
- headers["x-api-key"] = self.api_key
158
-
159
- payload = {"model": model, "screenshot": screenshot}
160
-
161
- if task_description is not None:
162
- payload["task_description"] = task_description
163
- if task_id is not None:
164
- payload["task_id"] = task_id
165
- if instruction is not None:
166
- payload["instruction"] = instruction
167
- if max_actions is not None:
168
- payload["max_actions"] = max_actions
169
-
170
- logger.info(f"Making API request to /v1/message with model: {model}")
171
- logger.debug(
172
- f"Request includes task_description: {task_description is not None}, task_id: {task_id is not None}"
173
- )
174
-
175
- try:
176
- response = self.client.post(
177
- "/v1/message", json=payload, headers=headers, timeout=self.timeout
178
- )
179
- except httpx.TimeoutException as e:
180
- logger.error(f"Request timed out after {self.timeout} seconds")
181
- raise RequestTimeoutError(
182
- f"Request timed out after {self.timeout} seconds", e
183
- )
184
- except httpx.NetworkError as e:
185
- logger.error(f"Network error: {e}")
186
- raise NetworkError(f"Network error: {e}", e)
187
-
188
- try:
189
- response_data = response.json()
190
- except ValueError:
191
- # If response is not JSON, raise API error
192
- logger.error(f"Non-JSON API response: {response.status_code}")
193
- raise APIError(
194
- f"Invalid response format (status {response.status_code})",
195
- status_code=response.status_code,
196
- response=response,
197
- )
198
-
199
- # Check if it's an error response (non-200 status or has error field)
200
- if response.status_code != 200:
201
- error_resp = ErrorResponse(**response_data)
202
- if error_resp.error:
203
- error_code = error_resp.error.code
204
- error_msg = error_resp.error.message
205
- logger.error(f"API Error [{error_code}]: {error_msg}")
206
-
207
- # Map to specific exception types based on status code
208
- exception_class = self._get_exception_class(response.status_code)
209
- raise exception_class(
210
- error_msg,
211
- code=error_code,
212
- status_code=response.status_code,
213
- response=response,
214
- )
215
- else:
216
- # Error response without error details
217
- logger.error(
218
- f"API error response without details: {response.status_code}"
219
- )
220
- exception_class = self._get_exception_class(response.status_code)
221
- raise exception_class(
222
- f"API error (status {response.status_code})",
223
- status_code=response.status_code,
224
- response=response,
225
- )
226
-
227
- # Parse successful response
228
- result = LLMResponse(**response_data)
229
-
230
- # Check if the response contains an error (even with 200 status)
231
- if result.error:
232
- logger.error(
233
- f"API Error in response: [{result.error.code}]: {result.error.message}"
234
- )
235
- raise APIError(
236
- result.error.message,
237
- code=result.error.code,
238
- status_code=200,
239
- response=response,
240
- )
241
-
242
- logger.info(
243
- f"API request successful - task_id: {result.task_id}, step: {result.current_step}, complete: {result.is_complete}"
244
- )
245
- logger.debug(f"Response included {len(result.actions)} actions")
246
- return result
247
-
248
- def _get_exception_class(self, status_code: int) -> type[APIError]:
249
- """Get the appropriate exception class based on status code."""
250
- status_map = {
251
- 401: AuthenticationError,
252
- 404: NotFoundError,
253
- 422: ValidationError,
254
- 429: RateLimitError,
255
- }
256
-
257
- if status_code >= 500:
258
- return ServerError
259
-
260
- return status_map.get(status_code, APIError)
261
-
262
- def health_check(self) -> dict:
263
- """
264
- Call the /health endpoint for health check
265
-
266
- Returns:
267
- dict: Health check response
268
- """
269
- logger.debug("Making health check request")
270
- try:
271
- response = self.client.get("/health")
272
- response.raise_for_status()
273
- result = response.json()
274
- logger.debug("Health check successful")
275
- return result
276
- except httpx.HTTPStatusError as e:
277
- logger.warning(f"Health check failed: {e}")
278
- raise
279
-
280
-
281
- def encode_screenshot_from_bytes(image_bytes: bytes) -> str:
282
- """Helper function to encode image bytes to base64 string"""
283
- return base64.b64encode(image_bytes).decode("utf-8")
284
-
285
-
286
- def encode_screenshot_from_file(image_path: str) -> str:
287
- """Helper function to encode image file to base64 string"""
288
- with open(image_path, "rb") as f:
289
- return encode_screenshot_from_bytes(f.read())
@@ -1,30 +0,0 @@
1
- oagi/__init__.py,sha256=m-Z121YCIwQOPXpTC8kd_UIJizcX8QuHyrSSguQ0KE0,2187
2
- oagi/async_client.py,sha256=oDj4kIdtaV37uopoAeClCFQTxrYRwHV2HwMAcMdVYwE,8455
3
- oagi/async_pyautogui_action_handler.py,sha256=F-lKyePCONWI03WnSxpX_QwxONbvnfdQu51wTod6mdw,1614
4
- oagi/async_screenshot_maker.py,sha256=pI-dbLcYOzcO1ffgTmozAdbYJQNBPKA7hmqj1RxEmIY,1688
5
- oagi/async_short_task.py,sha256=jvFTbmXTxFlkpAwmWeZlxbTSv_RB7V561hxw6gUcigw,1961
6
- oagi/async_single_step.py,sha256=QawXO4GyfMz6O9jV8QBC1vKxFuS9vjKQxxJ1nwgHBzI,2838
7
- oagi/async_task.py,sha256=bclqtgg7mI2WAp-62jOz044tVk4wruycpn9NYDncnA8,4145
8
- oagi/exceptions.py,sha256=VMwVS8ouE9nHhBpN3AZMYt5_U2kGcihWaTnBhoQLquo,1662
9
- oagi/logging.py,sha256=CWe89mA5MKTipIvfrqSYkv2CAFNBSwHMDQMDkG_g64g,1350
10
- oagi/pil_image.py,sha256=Zp7YNwyE_AT25ZEFsWKbzMxbO8JOQsJ1Espph5ye8k8,3804
11
- oagi/pyautogui_action_handler.py,sha256=8IFbU4p907L4b3TV3Eeh0-c-pYL2lYw-_qf1r8TtPTw,9811
12
- oagi/screenshot_maker.py,sha256=sVuW7jn-K4FmLhmYI-akdNI-UVcTeBzh9P1_qJhoq1s,1282
13
- oagi/short_task.py,sha256=9l1PDX70vDUEX2CIJ66yaAtb96P3mK_m95JffspnYFI,1779
14
- oagi/single_step.py,sha256=djhGOHzA5Y3-9_ity9QiJr_ObZZ04blSmNZsLXXXfkg,2939
15
- oagi/sync_client.py,sha256=E6EgFIe-H91rdsPhF1puwrBTpOnKaL6JA1WHR4R-CLY,9395
16
- oagi/task.py,sha256=JfsugIhBrwDmi1xOEVQdqmXsGFK-H4p17-B4rM8kbWs,4001
17
- oagi/types/__init__.py,sha256=YXxL-30f92qAf9U6LZuVCtKFG-Pi3xahKedaNxyrxFE,766
18
- oagi/types/action_handler.py,sha256=NH8E-m5qpGqWcXzTSWfF7W0Xdp8SkzJsbhCmQ0B96cg,1075
19
- oagi/types/async_action_handler.py,sha256=k1AaqSkFcXlxwW8sn-w0WFHGsIqHFLbcOPrkknmSVug,1116
20
- oagi/types/async_image_provider.py,sha256=wnhRyPtTmuALt45Qore74-RCkP5yxU9sZGjvOzFqzOk,1170
21
- oagi/types/image.py,sha256=KgPCCTJ6D5vHIaGZdbTE7eQEa1WlT6G9tf59ZuUCV2U,537
22
- oagi/types/image_provider.py,sha256=oYFdOYznrK_VOR9egzOjw5wFM5w8EY2sY01pH0ANAgU,1112
23
- oagi/types/models/__init__.py,sha256=bVzzGxb6lVxAQyJpy0Z1QknSe-xC3g4OIDr7t-p_3Ys,467
24
- oagi/types/models/action.py,sha256=hh6mRRSSWgrW4jpZo71zGMCOcZpV5_COu4148uG6G48,967
25
- oagi/types/models/image_config.py,sha256=tl6abVg_-IAPLwpaWprgknXu7wRWriMg-AEVyUX73v0,1567
26
- oagi/types/models/step.py,sha256=RSI4H_2rrUBq_xyCoWKaq7JHdJWNobtQppaKC1l0aWU,471
27
- oagi-0.4.3.dist-info/METADATA,sha256=fdp0bxPUM_ajJpP1pGxC8OVQy24kgvCQTHckH85XGZI,4799
28
- oagi-0.4.3.dist-info/WHEEL,sha256=C2FUgwZgiLbznR-k0b_5k3Ai_1aASOXDss3lzCUsUug,87
29
- oagi-0.4.3.dist-info/licenses/LICENSE,sha256=sy5DLA2M29jFT4UfWsuBF9BAr3FnRkYtnAu6oDZiIf8,1075
30
- oagi-0.4.3.dist-info/RECORD,,
File without changes