uipath 2.1.131__py3-none-any.whl → 2.1.133__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 uipath might be problematic. Click here for more details.

@@ -1,196 +1,184 @@
1
- import logging
2
- import os
3
- from enum import Enum
4
- from typing import Optional
5
-
6
- import httpx
7
-
8
- from uipath._utils._ssl_context import get_httpx_client_kwargs
9
-
10
- loggger = logging.getLogger(__name__)
11
-
12
-
13
- class UiPathEndpoints(Enum):
14
- AH_NORMALIZED_COMPLETION_ENDPOINT = "agenthub_/llm/api/chat/completions"
15
- AH_PASSTHROUGH_COMPLETION_ENDPOINT = "agenthub_/llm/openai/deployments/{model}/chat/completions?api-version={api_version}"
16
- AH_EMBEDDING_ENDPOINT = (
17
- "agenthub_/llm/openai/deployments/{model}/embeddings?api-version={api_version}"
18
- )
19
- AH_CAPABILITIES_ENDPOINT = "agenthub_/llm/api/capabilities"
20
-
21
- OR_NORMALIZED_COMPLETION_ENDPOINT = "orchestrator_/llm/api/chat/completions"
22
- OR_PASSTHROUGH_COMPLETION_ENDPOINT = "orchestrator_/llm/openai/deployments/{model}/chat/completions?api-version={api_version}"
23
- OR_EMBEDDING_ENDPOINT = "orchestrator_/llm/openai/deployments/{model}/embeddings?api-version={api_version}"
24
- OR_CAPABILITIES_ENDPOINT = "orchestrator_/llm/api/capabilities"
25
-
26
- LG_NORMALIZED_COMPLETION_ENDPOINT = "llmgateway_/api/chat/completions"
27
- LG_PASSTHROUGH_COMPLETION_ENDPOINT = "llmgateway_/openai/deployments/{model}/chat/completions?api-version={api_version}"
28
- LG_EMBEDDING_ENDPOINT = (
29
- "llmgateway_/openai/deployments/{model}/embeddings?api-version={api_version}"
30
- )
31
-
32
-
33
- class EndpointManager:
34
- """Manages and caches the UiPath endpoints.
35
- This class provides functionality to determine which UiPath endpoints to use based on
36
- the availability of AgentHub and Orchestrator. It checks for capabilities and caches
37
- the results to avoid repeated network calls.
38
-
39
- The endpoint selection follows a fallback order:
40
- 1. AgentHub (if available)
41
- 2. Orchestrator (if available)
42
- 3. LLMGateway (default fallback)
43
-
44
- Environment Variable Override:
45
- The fallback behavior can be bypassed using the UIPATH_LLM_SERVICE environment variable:
46
- - 'agenthub' or 'ah': Force use of AgentHub endpoints (skips capability checks)
47
- - 'orchestrator' or 'or': Force use of Orchestrator endpoints (skips capability checks)
48
- - 'llmgateway' or 'gateway': Force use of LLMGateway endpoints (skips capability checks)
49
-
50
- Class Attributes:
51
- _base_url (str): The base URL for UiPath services, retrieved from the UIPATH_URL
52
- environment variable.
53
- _agenthub_available (Optional[bool]): Cached result of AgentHub availability check.
54
- _orchestrator_available (Optional[bool]): Cached result of Orchestrator availability check.
55
-
56
- Methods:
57
- is_agenthub_available(): Checks if AgentHub is available, caching the result.
58
- is_orchestrator_available(): Checks if Orchestrator is available, caching the result.
59
- get_passthrough_endpoint(): Returns the appropriate passthrough completion endpoint.
60
- get_normalized_endpoint(): Returns the appropriate normalized completion endpoint.
61
- get_embeddings_endpoint(): Returns the appropriate embeddings endpoint.
62
- All endpoint methods automatically select the best available endpoint using the fallback order,
63
- unless overridden by the UIPATH_LLM_SERVICE environment variable.
64
- """ # noqa: D205
65
-
66
- _base_url = os.getenv("UIPATH_URL", "")
67
- _agenthub_available: Optional[bool] = None
68
- _orchestrator_available: Optional[bool] = None
69
-
70
- @classmethod
71
- def is_agenthub_available(cls) -> bool:
72
- """Check if AgentHub is available and cache the result."""
73
- if cls._agenthub_available is None:
74
- cls._agenthub_available = cls._check_agenthub()
75
- return cls._agenthub_available
76
-
77
- @classmethod
78
- def is_orchestrator_available(cls) -> bool:
79
- """Check if Orchestrator is available and cache the result."""
80
- if cls._orchestrator_available is None:
81
- cls._orchestrator_available = cls._check_orchestrator()
82
- return cls._orchestrator_available
83
-
84
- @classmethod
85
- def _check_capabilities(cls, endpoint: UiPathEndpoints, service_name: str) -> bool:
86
- """Perform the actual check for service capabilities.
87
-
88
- Args:
89
- endpoint: The capabilities endpoint to check
90
- service_name: Human-readable service name for logging
91
-
92
- Returns:
93
- bool: True if the service is available and has valid capabilities
94
- """
95
- try:
96
- with httpx.Client(**get_httpx_client_kwargs()) as http_client:
97
- base_url = os.getenv("UIPATH_URL", "")
98
- capabilities_url = f"{base_url.rstrip('/')}/{endpoint.value}"
99
- loggger.debug(
100
- f"Checking {service_name} capabilities at {capabilities_url}"
101
- )
102
- response = http_client.get(capabilities_url)
103
-
104
- if response.status_code != 200:
105
- return False
106
-
107
- capabilities = response.json()
108
-
109
- # Validate structure and required fields
110
- if not isinstance(capabilities, dict) or "version" not in capabilities:
111
- return False
112
-
113
- return True
114
-
115
- except Exception as e:
116
- loggger.error(
117
- f"Error checking {service_name} capabilities: {e}", exc_info=True
118
- )
119
- return False
120
-
121
- @classmethod
122
- def _check_agenthub(cls) -> bool:
123
- """Perform the actual check for AgentHub capabilities."""
124
- return cls._check_capabilities(
125
- UiPathEndpoints.AH_CAPABILITIES_ENDPOINT, "AgentHub"
126
- )
127
-
128
- @classmethod
129
- def _check_orchestrator(cls) -> bool:
130
- """Perform the actual check for Orchestrator capabilities."""
131
- return cls._check_capabilities(
132
- UiPathEndpoints.OR_CAPABILITIES_ENDPOINT, "Orchestrator"
133
- )
134
-
135
- @classmethod
136
- def _select_endpoint(
137
- cls, ah: UiPathEndpoints, orc: UiPathEndpoints, gw: UiPathEndpoints
138
- ) -> str:
139
- """Select an endpoint based on UIPATH_LLM_SERVICE override or capability checks."""
140
- service_override = os.getenv("UIPATH_LLM_SERVICE", "").lower()
141
-
142
- if service_override in ("agenthub", "ah"):
143
- return ah.value
144
- if service_override in ("orchestrator", "or"):
145
- return orc.value
146
- if service_override in ("llmgateway", "gateway"):
147
- return gw.value
148
-
149
- # Determine fallback order based on environment hints
150
- hdens_env = os.getenv("HDENS_ENV", "").lower()
151
-
152
- # Default order: AgentHub -> Orchestrator
153
- check_order = [
154
- ("ah", ah, cls.is_agenthub_available),
155
- ("orc", orc, cls.is_orchestrator_available),
156
- ]
157
-
158
- # Prioritize Orchestrator if HDENS_ENV is 'sf'
159
- # Note: The default order already prioritizes AgentHub
160
- if hdens_env == "sf":
161
- check_order.reverse()
162
-
163
- # Execute fallback checks in the determined order
164
- for _, endpoint, is_available in check_order:
165
- if is_available():
166
- return endpoint.value
167
-
168
- # Final fallback to LLMGateway
169
- return gw.value
170
-
171
- @classmethod
172
- def get_passthrough_endpoint(cls) -> str:
173
- """Get the passthrough completion endpoint."""
174
- return cls._select_endpoint(
175
- UiPathEndpoints.AH_PASSTHROUGH_COMPLETION_ENDPOINT,
176
- UiPathEndpoints.OR_PASSTHROUGH_COMPLETION_ENDPOINT,
177
- UiPathEndpoints.LG_PASSTHROUGH_COMPLETION_ENDPOINT,
178
- )
179
-
180
- @classmethod
181
- def get_normalized_endpoint(cls) -> str:
182
- """Get the normalized completion endpoint."""
183
- return cls._select_endpoint(
184
- UiPathEndpoints.AH_NORMALIZED_COMPLETION_ENDPOINT,
185
- UiPathEndpoints.OR_NORMALIZED_COMPLETION_ENDPOINT,
186
- UiPathEndpoints.LG_NORMALIZED_COMPLETION_ENDPOINT,
187
- )
188
-
189
- @classmethod
190
- def get_embeddings_endpoint(cls) -> str:
191
- """Get the embeddings endpoint."""
192
- return cls._select_endpoint(
193
- UiPathEndpoints.AH_EMBEDDING_ENDPOINT,
194
- UiPathEndpoints.OR_EMBEDDING_ENDPOINT,
195
- UiPathEndpoints.LG_EMBEDDING_ENDPOINT,
196
- )
1
+ import logging
2
+ import os
3
+ from enum import Enum
4
+ from typing import Optional
5
+
6
+ import httpx
7
+
8
+ from uipath._utils._ssl_context import get_httpx_client_kwargs
9
+
10
+ loggger = logging.getLogger(__name__)
11
+
12
+
13
+ class UiPathEndpoints(Enum):
14
+ AH_NORMALIZED_COMPLETION_ENDPOINT = "agenthub_/llm/api/chat/completions"
15
+ AH_PASSTHROUGH_COMPLETION_ENDPOINT = "agenthub_/llm/openai/deployments/{model}/chat/completions?api-version={api_version}"
16
+ AH_EMBEDDING_ENDPOINT = (
17
+ "agenthub_/llm/openai/deployments/{model}/embeddings?api-version={api_version}"
18
+ )
19
+ AH_CAPABILITIES_ENDPOINT = "agenthub_/llm/api/capabilities"
20
+
21
+ OR_NORMALIZED_COMPLETION_ENDPOINT = "orchestrator_/llm/api/chat/completions"
22
+ OR_PASSTHROUGH_COMPLETION_ENDPOINT = "orchestrator_/llm/openai/deployments/{model}/chat/completions?api-version={api_version}"
23
+ OR_EMBEDDING_ENDPOINT = "orchestrator_/llm/openai/deployments/{model}/embeddings?api-version={api_version}"
24
+ OR_CAPABILITIES_ENDPOINT = "orchestrator_/llm/api/capabilities"
25
+
26
+
27
+ class EndpointManager:
28
+ """Manages and caches the UiPath endpoints.
29
+ This class provides functionality to determine which UiPath endpoints to use based on
30
+ the availability of AgentHub and Orchestrator. It checks for capabilities and caches
31
+ the results to avoid repeated network calls.
32
+
33
+ The endpoint selection follows a fallback order:
34
+ 1. AgentHub (if available)
35
+ 2. Orchestrator (if available)
36
+
37
+ Environment Variable Override:
38
+ The fallback behavior can be bypassed using the UIPATH_LLM_SERVICE environment variable:
39
+ - 'agenthub' or 'ah': Force use of AgentHub endpoints (skips capability checks)
40
+ - 'orchestrator' or 'or': Force use of Orchestrator endpoints (skips capability checks)
41
+
42
+ Class Attributes:
43
+ _base_url (str): The base URL for UiPath services, retrieved from the UIPATH_URL
44
+ environment variable.
45
+ _agenthub_available (Optional[bool]): Cached result of AgentHub availability check.
46
+ _orchestrator_available (Optional[bool]): Cached result of Orchestrator availability check.
47
+
48
+ Methods:
49
+ is_agenthub_available(): Checks if AgentHub is available, caching the result.
50
+ is_orchestrator_available(): Checks if Orchestrator is available, caching the result.
51
+ get_passthrough_endpoint(): Returns the appropriate passthrough completion endpoint.
52
+ get_normalized_endpoint(): Returns the appropriate normalized completion endpoint.
53
+ get_embeddings_endpoint(): Returns the appropriate embeddings endpoint.
54
+ All endpoint methods automatically select the best available endpoint using the fallback order,
55
+ unless overridden by the UIPATH_LLM_SERVICE environment variable.
56
+ """ # noqa: D205
57
+
58
+ _base_url = os.getenv("UIPATH_URL", "")
59
+ _agenthub_available: Optional[bool] = None
60
+ _orchestrator_available: Optional[bool] = None
61
+
62
+ @classmethod
63
+ def is_agenthub_available(cls) -> bool:
64
+ """Check if AgentHub is available and cache the result."""
65
+ if cls._agenthub_available is None:
66
+ cls._agenthub_available = cls._check_agenthub()
67
+ return cls._agenthub_available
68
+
69
+ @classmethod
70
+ def is_orchestrator_available(cls) -> bool:
71
+ """Check if Orchestrator is available and cache the result."""
72
+ if cls._orchestrator_available is None:
73
+ cls._orchestrator_available = cls._check_orchestrator()
74
+ return cls._orchestrator_available
75
+
76
+ @classmethod
77
+ def _check_capabilities(cls, endpoint: UiPathEndpoints, service_name: str) -> bool:
78
+ """Perform the actual check for service capabilities.
79
+
80
+ Args:
81
+ endpoint: The capabilities endpoint to check
82
+ service_name: Human-readable service name for logging
83
+
84
+ Returns:
85
+ bool: True if the service is available and has valid capabilities
86
+ """
87
+ try:
88
+ with httpx.Client(**get_httpx_client_kwargs()) as http_client:
89
+ base_url = os.getenv("UIPATH_URL", "")
90
+ capabilities_url = f"{base_url.rstrip('/')}/{endpoint.value}"
91
+ loggger.debug(
92
+ f"Checking {service_name} capabilities at {capabilities_url}"
93
+ )
94
+ response = http_client.get(capabilities_url)
95
+
96
+ if response.status_code != 200:
97
+ return False
98
+
99
+ capabilities = response.json()
100
+
101
+ # Validate structure and required fields
102
+ if not isinstance(capabilities, dict) or "version" not in capabilities:
103
+ return False
104
+
105
+ return True
106
+
107
+ except Exception as e:
108
+ loggger.error(
109
+ f"Error checking {service_name} capabilities: {e}", exc_info=True
110
+ )
111
+ return False
112
+
113
+ @classmethod
114
+ def _check_agenthub(cls) -> bool:
115
+ """Perform the actual check for AgentHub capabilities."""
116
+ return cls._check_capabilities(
117
+ UiPathEndpoints.AH_CAPABILITIES_ENDPOINT, "AgentHub"
118
+ )
119
+
120
+ @classmethod
121
+ def _check_orchestrator(cls) -> bool:
122
+ """Perform the actual check for Orchestrator capabilities."""
123
+ return cls._check_capabilities(
124
+ UiPathEndpoints.OR_CAPABILITIES_ENDPOINT, "Orchestrator"
125
+ )
126
+
127
+ @classmethod
128
+ def _select_endpoint(cls, ah: UiPathEndpoints, orc: UiPathEndpoints) -> str:
129
+ """Select an endpoint based on UIPATH_LLM_SERVICE override or capability checks."""
130
+ service_override = os.getenv("UIPATH_LLM_SERVICE", "").lower()
131
+
132
+ if service_override in ("agenthub", "ah"):
133
+ return ah.value
134
+ if service_override in ("orchestrator", "or"):
135
+ return orc.value
136
+
137
+ # Determine fallback order based on environment hints
138
+ hdens_env = os.getenv("HDENS_ENV", "").lower()
139
+
140
+ # Default order: AgentHub -> Orchestrator
141
+ check_order = [
142
+ ("ah", ah, cls.is_agenthub_available),
143
+ ("orc", orc, cls.is_orchestrator_available),
144
+ ]
145
+
146
+ # Prioritize Orchestrator if HDENS_ENV is 'sf'
147
+ # Note: The default order already prioritizes AgentHub
148
+ if hdens_env == "sf":
149
+ check_order.reverse()
150
+
151
+ # Execute fallback checks in the determined order
152
+ for _, endpoint, is_available in check_order:
153
+ if is_available():
154
+ return endpoint.value
155
+
156
+ url = os.getenv("UIPATH_URL", "")
157
+ if ".uipath.com" in url:
158
+ return ah.value
159
+ else:
160
+ return orc.value
161
+
162
+ @classmethod
163
+ def get_passthrough_endpoint(cls) -> str:
164
+ """Get the passthrough completion endpoint."""
165
+ return cls._select_endpoint(
166
+ UiPathEndpoints.AH_PASSTHROUGH_COMPLETION_ENDPOINT,
167
+ UiPathEndpoints.OR_PASSTHROUGH_COMPLETION_ENDPOINT,
168
+ )
169
+
170
+ @classmethod
171
+ def get_normalized_endpoint(cls) -> str:
172
+ """Get the normalized completion endpoint."""
173
+ return cls._select_endpoint(
174
+ UiPathEndpoints.AH_NORMALIZED_COMPLETION_ENDPOINT,
175
+ UiPathEndpoints.OR_NORMALIZED_COMPLETION_ENDPOINT,
176
+ )
177
+
178
+ @classmethod
179
+ def get_embeddings_endpoint(cls) -> str:
180
+ """Get the embeddings endpoint."""
181
+ return cls._select_endpoint(
182
+ UiPathEndpoints.AH_EMBEDDING_ENDPOINT,
183
+ UiPathEndpoints.OR_EMBEDDING_ENDPOINT,
184
+ )
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: uipath
3
- Version: 2.1.131
3
+ Version: 2.1.133
4
4
  Summary: Python SDK and CLI for UiPath Platform, enabling programmatic interaction with automation services, process management, and deployment tools.
5
5
  Project-URL: Homepage, https://uipath.com
6
6
  Project-URL: Repository, https://github.com/UiPath/uipath-python
@@ -5,7 +5,7 @@ uipath/_folder_context.py,sha256=D-bgxdwpwJP4b_QdVKcPODYh15kMDrOar2xNonmMSm4,186
5
5
  uipath/_uipath.py,sha256=ycu11bjIUx5priRkB3xSRcilugHuSmfSN4Nq6Yz88gk,3702
6
6
  uipath/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
7
7
  uipath/_cli/README.md,sha256=GLtCfbeIKZKNnGTCsfSVqRQ27V1btT1i2bSAyW_xZl4,474
8
- uipath/_cli/__init__.py,sha256=rEk5GEldWxhjfe7R4DiDDXsc6O4GMUX86CyuUDU4QCY,2471
8
+ uipath/_cli/__init__.py,sha256=rn9dkg7rs2XojW78EJBkEYCMeJoGIJm4aNzuCij5d38,3405
9
9
  uipath/_cli/cli_add.py,sha256=7XpyeXIVnocNTJg_Wo1GeDFSoHDu8ACaYx__eYpiXzY,3690
10
10
  uipath/_cli/cli_auth.py,sha256=CzetSRqSUvMs02PtI4w5Vi_0fv_ETA307bB2vXalWzY,2628
11
11
  uipath/_cli/cli_debug.py,sha256=6I3NutFahQ7nvbxUIgW8bmKeoShVf8RCvco3XU0kfTk,4796
@@ -73,7 +73,7 @@ uipath/_cli/_evals/mocks/mockito_mocker.py,sha256=opwfELnvuh3krnPAg0MupkHTEmhCpQ
73
73
  uipath/_cli/_evals/mocks/mocks.py,sha256=IrvhtTtIuU5geopvCRglNhxKoOcChnnjQZMoYygx0PU,2225
74
74
  uipath/_cli/_push/models.py,sha256=K3k6QUMkiNIb3M4U0EgDlKz1UELxeMXLNVAj3qyhZ4U,470
75
75
  uipath/_cli/_push/sw_file_handler.py,sha256=5pf8koOcmypR5BktDuvbAvMgTYQamnWGT-rmR568TTY,41361
76
- uipath/_cli/_runtime/_contracts.py,sha256=sVHUww13iFsB7tDkbmD4ki41xd6nbAoJkoc9BLiXEh8,36352
76
+ uipath/_cli/_runtime/_contracts.py,sha256=n9KUEwHnhBPDbF4399bZCCd7t-CuLyeidj2z7kiCNhw,36464
77
77
  uipath/_cli/_runtime/_escalation.py,sha256=x3vI98qsfRA-fL_tNkRVTFXioM5Gv2w0GFcXJJ5eQtg,7981
78
78
  uipath/_cli/_runtime/_hitl.py,sha256=JAwTUKvxO4HpnZMwE4E0AegAPw_uYOwgt0OYcu6EvTg,11474
79
79
  uipath/_cli/_runtime/_logging.py,sha256=srjAi3Cy6g7b8WNHiYNjaZT4t40F3XRqquuoGd2kh4Y,14019
@@ -89,34 +89,45 @@ uipath/_cli/_templates/package.nuspec.template,sha256=YZyLc-u_EsmIoKf42JsLQ55OGe
89
89
  uipath/_cli/_utils/_common.py,sha256=LVI36jMFbF-6isAoyKmEDwOew-CAxZt2_kmJ-dO6NNA,4606
90
90
  uipath/_cli/_utils/_console.py,sha256=scvnrrFoFX6CE451K-PXKV7UN0DUkInbOtDZ5jAdPP0,10070
91
91
  uipath/_cli/_utils/_constants.py,sha256=AXeVidtHUFiODrkB2BCX_bqDL-bUzRg-Ieh1-2cCrGA,1374
92
+ uipath/_cli/_utils/_context.py,sha256=zAu8ZZfKmEJ3USHFLvuwBMmd8xG05PunkcIGHEdQoU8,1822
92
93
  uipath/_cli/_utils/_debug.py,sha256=zamzIR4VgbdKADAE4gbmjxDsbgF7wvdr7C5Dqp744Oc,1739
93
94
  uipath/_cli/_utils/_eval_set.py,sha256=QsAtF_K0sKTn_5lcOnhmWbTrGpmlFn0HV7wG3mSuASU,3771
94
95
  uipath/_cli/_utils/_folders.py,sha256=RsYrXzF0NA1sPxgBoLkLlUY3jDNLg1V-Y8j71Q8a8HY,1357
96
+ uipath/_cli/_utils/_formatters.py,sha256=AHIi5eMYEMz4HT5IOq_mqjGcv7CCDxL666UciULqFDY,4752
95
97
  uipath/_cli/_utils/_input_args.py,sha256=AnbQ12D2ACIQFt0QHMaWleRn1ZgRTXuTSTN0ozJiSQg,5766
96
98
  uipath/_cli/_utils/_parse_ast.py,sha256=24YL28qK5Ss2O26IlzZ2FgEC_ZazXld_u3vkj8zVxGA,20933
97
99
  uipath/_cli/_utils/_processes.py,sha256=q7DfEKHISDWf3pngci5za_z0Pbnf_shWiYEcTOTCiyk,1855
98
100
  uipath/_cli/_utils/_project_files.py,sha256=_Xbm4VPu2SoEemzwED5l75N930rPe6yPHi8BoeQXIy8,23868
99
101
  uipath/_cli/_utils/_resources.py,sha256=0MpEZWaY2oDDoxOVVTOXrTWpuwhQyypLcM8TgnXFQq0,577
102
+ uipath/_cli/_utils/_service_base.py,sha256=4i3Vp2bgPKvWOxBvXnOT9EeiIJx7LHJTxoKT97-P0BE,12045
103
+ uipath/_cli/_utils/_service_cli_generator.py,sha256=kvNBIdKG8_b9L7k-ie9lYw34yYLpcBuv5_DypsR-ozk,24971
104
+ uipath/_cli/_utils/_service_metadata.py,sha256=3vsmNYFo9wAduXo8v5A8j-WXTc26GxOdOv33224Pg34,7071
105
+ uipath/_cli/_utils/_service_protocol.py,sha256=A67mxts9HQJ51AkGBEnqv6THM24UxrW4Yu5rxEEReXI,6725
100
106
  uipath/_cli/_utils/_studio_project.py,sha256=kEjCFyP-pm9mVOR-C-makoZ_vbgQRHfu8kRZfRsJino,26308
101
107
  uipath/_cli/_utils/_tracing.py,sha256=2igb03j3EHjF_A406UhtCKkPfudVfFPjUq5tXUEG4oo,1541
108
+ uipath/_cli/_utils/_type_registry.py,sha256=rNBVGtzQdhl2DFtZ0-SyYGCRdzj9U5PnzeyV3X5Qw6M,3014
102
109
  uipath/_cli/_utils/_uv_helpers.py,sha256=6SvoLnZPoKIxW0sjMvD1-ENV_HOXDYzH34GjBqwT138,3450
110
+ uipath/_cli/_utils/_validators.py,sha256=Cyp3rL9vtVc9tpB7zE2fvQBMrAgvCizRO4bdun9-FKs,3101
103
111
  uipath/_cli/models/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
104
112
  uipath/_cli/models/runtime_schema.py,sha256=Po1SYFwTBlWZdmwIG2GvFy0WYbZnT5U1aGjfWcd8ZAA,2181
113
+ uipath/_cli/services/__init__.py,sha256=TwZ8HyMoctgDLC-Y6aqmpGH_HD48GsLao9B5LoRux5E,1045
114
+ uipath/_cli/services/_buckets_metadata.py,sha256=o0lXKvkfCvUDF2evG1zjRddqt1w0wqe523d4oSjVoSs,1427
115
+ uipath/_cli/services/cli_buckets.py,sha256=VMmKsr7e1SZ2sAwvMNvvb7ZRNlYxcTvWr1A1SMbsaGI,14782
105
116
  uipath/_events/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
106
117
  uipath/_events/_event_bus.py,sha256=4-VzstyX69cr7wT1EY7ywp-Ndyz2CyemD3Wk_-QmRpo,5496
107
118
  uipath/_events/_events.py,sha256=ShRoV_ARbJiDFFy0tHUQiC61V_CDzGhA6uCC9KpuUH4,4607
108
119
  uipath/_resources/AGENTS.md,sha256=nRQNAVeEBaBvuMzXw8uXtMnGebLClUgwIMlgb8_qU9o,1039
109
120
  uipath/_resources/CLAUDE.md,sha256=kYsckFWTVe948z_fNWLysCHvi9_YpchBXl3s1Ek03lU,10
110
- uipath/_resources/CLI_REFERENCE.md,sha256=PNVZINTXDSW4XN8QtxV3kS2WLreR7UyLfSso1_VXWBg,6758
121
+ uipath/_resources/CLI_REFERENCE.md,sha256=5SDeXJoTVyHs4LYqvPy35bXap1F3tb-lNzvoy3LG92A,17800
111
122
  uipath/_resources/REQUIRED_STRUCTURE.md,sha256=3laqGiNa3kauJ7jRI1d7w_fWKUDkqYBjcTT_6_8FAGk,1417
112
- uipath/_resources/SDK_REFERENCE.md,sha256=-KvQ6MFVVssuFfWEc6j05f0Uuexn8Kl84w-iQsZU5Po,27388
123
+ uipath/_resources/SDK_REFERENCE.md,sha256=yVPqCo-bqR5clqcwg9biHqkKlgYjoCOPjeUa3hmt3hQ,28158
113
124
  uipath/_services/__init__.py,sha256=_LNy4u--VlhVtTO66bULbCoBjyJBTuyh9jnzjWrv-h4,1140
114
125
  uipath/_services/_base_service.py,sha256=6yGNEZ-px6lVR9l4wiMr8NDSeLrZU6nmjUlRp3lMDi8,5665
115
126
  uipath/_services/actions_service.py,sha256=2RPMR-hFMsOlqEyjIf3aF7-lrf57jdrSD0pBjj0Kyko,16040
116
127
  uipath/_services/api_client.py,sha256=kGm04ijk9AOEQd2BMxvQg-2QoB8dmyoDwFFDPyutAGw,1966
117
128
  uipath/_services/assets_service.py,sha256=Z46_Nm4X7R0JcwF_Fph-5GwQ_qhQHRKJltCtwo3J8Yo,12090
118
129
  uipath/_services/attachments_service.py,sha256=NPQYK7CGjfBaNT_1S5vEAfODmOChTbQZforllFM2ofU,26678
119
- uipath/_services/buckets_service.py,sha256=FGWhJ3ewMEAahcSPY60wtFB0_qwAfaQAaAjqrC52VDk,44603
130
+ uipath/_services/buckets_service.py,sha256=AZtOhxkYZfSTIByd_v6N2-Y4RJUD-RKRVZMdVe0nO_E,49947
120
131
  uipath/_services/connections_service.py,sha256=SoOV8ZFn0AenhyodfqgO8oF7VmnWx9RdccCm0qosbxI,24059
121
132
  uipath/_services/context_grounding_service.py,sha256=Pjx-QQQEiSKD-hY6ityj3QUSALN3fIcKLLHr_NZ0d_g,37117
122
133
  uipath/_services/documents_service.py,sha256=2mPZzmOl2r5i8RYvdeRSJtEFWSSsiXqIauTgNTW75s4,45341
@@ -222,10 +233,10 @@ uipath/tracing/_otel_exporters.py,sha256=68wuAZyB_PScnSCW230PVs3qSqoJBNoArJJaE4U
222
233
  uipath/tracing/_traced.py,sha256=VAwEIfDHLx-AZ792SeGxCtOttEJXrLgI0YCkUMbxHsQ,20344
223
234
  uipath/tracing/_utils.py,sha256=emsQRgYu-P1gj1q7XUPJD94mOa12JvhheRkuZJpLd9Y,15051
224
235
  uipath/utils/__init__.py,sha256=VD-KXFpF_oWexFg6zyiWMkxl2HM4hYJMIUDZ1UEtGx0,105
225
- uipath/utils/_endpoints_manager.py,sha256=tnF_FiCx8qI2XaJDQgYkMN_gl9V0VqNR1uX7iawuLp8,8230
236
+ uipath/utils/_endpoints_manager.py,sha256=4JsKLpSNJSqQcotIc_RWS691ywQeCVNwOyY-7ujX2u0,7365
226
237
  uipath/utils/dynamic_schema.py,sha256=ahgRLBWzuU0SQilaQVBJfBAVjimq3N3QJ1ztx0U_h2c,4943
227
- uipath-2.1.131.dist-info/METADATA,sha256=tP2OLhUihjE7SfxtQ4xbayFhN01pfE_OHbPlQ2-Znp4,6626
228
- uipath-2.1.131.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
229
- uipath-2.1.131.dist-info/entry_points.txt,sha256=9C2_29U6Oq1ExFu7usihR-dnfIVNSKc-0EFbh0rskB4,43
230
- uipath-2.1.131.dist-info/licenses/LICENSE,sha256=-KBavWXepyDjimmzH5fVAsi-6jNVpIKFc2kZs0Ri4ng,1058
231
- uipath-2.1.131.dist-info/RECORD,,
238
+ uipath-2.1.133.dist-info/METADATA,sha256=oOof3axmNHmlENEKcbtYPKn33tl99I-_dvh5UkYMA74,6626
239
+ uipath-2.1.133.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
240
+ uipath-2.1.133.dist-info/entry_points.txt,sha256=9C2_29U6Oq1ExFu7usihR-dnfIVNSKc-0EFbh0rskB4,43
241
+ uipath-2.1.133.dist-info/licenses/LICENSE,sha256=-KBavWXepyDjimmzH5fVAsi-6jNVpIKFc2kZs0Ri4ng,1058
242
+ uipath-2.1.133.dist-info/RECORD,,