uipath 2.1.8__py3-none-any.whl → 2.1.10__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.
@@ -0,0 +1,95 @@
1
+ # type: ignore
2
+ import asyncio
3
+ import os
4
+ from typing import Optional, Tuple
5
+
6
+ import click
7
+ from dotenv import load_dotenv
8
+
9
+ from .._utils.constants import ENV_JOB_ID
10
+ from ..telemetry import track
11
+ from ._evals.evaluation_service import EvaluationService
12
+ from ._utils._console import ConsoleLogger
13
+
14
+ console = ConsoleLogger()
15
+ load_dotenv(override=True)
16
+
17
+
18
+ def eval_agent(
19
+ entrypoint: Optional[str] = None,
20
+ eval_set: Optional[str] = None,
21
+ workers: int = 8,
22
+ no_report: bool = False,
23
+ **kwargs,
24
+ ) -> Tuple[bool, Optional[str], Optional[str]]:
25
+ """Core evaluation logic that can be called programmatically.
26
+
27
+ Args:
28
+ entrypoint: Path to the agent script to evaluate (optional, will auto-discover if not provided)
29
+ eval_set: Path to the evaluation set JSON file (optional, will auto-discover if not provided)
30
+ workers: Number of parallel workers for running evaluations
31
+ no_report: Do not report the evaluation results
32
+ **kwargs: Additional arguments for future extensibility
33
+
34
+ Returns:
35
+ Tuple containing:
36
+ - success: True if evaluation was successful
37
+ - error_message: Error message if any
38
+ - info_message: Info message if any
39
+ """
40
+ try:
41
+ if workers < 1:
42
+ return False, "Number of workers must be at least 1", None
43
+
44
+ service = EvaluationService(
45
+ entrypoint, eval_set, workers, report_progress=not no_report
46
+ )
47
+ asyncio.run(service.run_evaluation())
48
+
49
+ return True, None, "Evaluation completed successfully"
50
+
51
+ except Exception as e:
52
+ return False, f"Error running evaluation: {str(e)}", None
53
+
54
+
55
+ @click.command()
56
+ @click.argument("entrypoint", required=False)
57
+ @click.argument("eval_set", required=False)
58
+ @click.option(
59
+ "--no-report",
60
+ is_flag=True,
61
+ help="Do not report the evaluation results",
62
+ default=False,
63
+ )
64
+ @click.option(
65
+ "--workers",
66
+ type=int,
67
+ default=8,
68
+ help="Number of parallel workers for running evaluations (default: 8)",
69
+ )
70
+ @track(when=lambda *_a, **_kw: os.getenv(ENV_JOB_ID) is None)
71
+ def eval(
72
+ entrypoint: Optional[str], eval_set: Optional[str], no_report: bool, workers: int
73
+ ) -> None:
74
+ """Run an evaluation set against the agent.
75
+
76
+ Args:
77
+ entrypoint: Path to the agent script to evaluate (optional, will auto-discover if not specified)
78
+ eval_set: Path to the evaluation set JSON file (optional, will auto-discover if not specified)
79
+ workers: Number of parallel workers for running evaluations
80
+ no_report: Do not report the evaluation results
81
+ """
82
+ success, error_message, info_message = eval_agent(
83
+ entrypoint=entrypoint, eval_set=eval_set, workers=workers, no_report=no_report
84
+ )
85
+
86
+ if error_message:
87
+ console.error(error_message)
88
+ click.get_current_context().exit(1)
89
+
90
+ if info_message:
91
+ console.success(info_message)
92
+
93
+
94
+ if __name__ == "__main__":
95
+ eval()
uipath/_cli/cli_run.py CHANGED
@@ -3,7 +3,7 @@ import asyncio
3
3
  import os
4
4
  import traceback
5
5
  from os import environ as env
6
- from typing import Optional
6
+ from typing import Optional, Tuple
7
7
  from uuid import uuid4
8
8
 
9
9
  import click
@@ -64,7 +64,7 @@ Usage: `uipath run <entrypoint_path> <input_arguments> [-f <input_json_file_path
64
64
 
65
65
  async def execute():
66
66
  context = UiPathRuntimeContext.from_config(
67
- env.get("UIPATH_CONFIG_PATH", "uipath.json")
67
+ env.get("UIPATH_CONFIG_PATH", "uipath.json"), **kwargs
68
68
  )
69
69
  context.entrypoint = entrypoint
70
70
  context.input = input
@@ -73,6 +73,7 @@ Usage: `uipath run <entrypoint_path> <input_arguments> [-f <input_json_file_path
73
73
  context.trace_id = env.get("UIPATH_TRACE_ID")
74
74
  context.input_file = kwargs.get("input_file", None)
75
75
  context.execution_output_file = kwargs.get("execution_output_file", None)
76
+ context.is_eval_run = kwargs.get("is_eval_run", False)
76
77
  context.tracing_enabled = env.get("UIPATH_TRACING_ENABLED", True)
77
78
  context.trace_context = UiPathTraceContext(
78
79
  trace_id=env.get("UIPATH_TRACE_ID"),
@@ -110,6 +111,65 @@ Usage: `uipath run <entrypoint_path> <input_arguments> [-f <input_json_file_path
110
111
  )
111
112
 
112
113
 
114
+ def run_core(
115
+ entrypoint: Optional[str],
116
+ resume: bool,
117
+ input: Optional[str] = None,
118
+ input_file: Optional[str] = None,
119
+ execution_output_file: Optional[str] = None,
120
+ logs_file: Optional[str] = None,
121
+ **kwargs,
122
+ ) -> Tuple[bool, Optional[str], Optional[str]]:
123
+ """Core execution logic that can be called programmatically.
124
+
125
+ Args:
126
+ entrypoint: Path to the Python script to execute
127
+ input: JSON string with input data
128
+ resume: Flag indicating if this is a resume execution
129
+ input_file: Path to input JSON file
130
+ execution_output_file: Path to execution output file
131
+ logs_file: Path where execution output will be written
132
+ **kwargs: Additional arguments to be forwarded to the middleware
133
+
134
+ Returns:
135
+ Tuple containing:
136
+ - success: True if execution was successful
137
+ - error_message: Error message if any
138
+ - info_message: Info message if any
139
+ """
140
+ # Process through middleware chain
141
+ result = Middlewares.next(
142
+ "run",
143
+ entrypoint,
144
+ input,
145
+ resume,
146
+ input_file=input_file,
147
+ execution_output_file=execution_output_file,
148
+ logs_file=logs_file,
149
+ **kwargs,
150
+ )
151
+
152
+ if result.should_continue:
153
+ result = python_run_middleware(
154
+ entrypoint=entrypoint,
155
+ input=input,
156
+ resume=resume,
157
+ input_file=input_file,
158
+ execution_output_file=execution_output_file,
159
+ logs_file=logs_file,
160
+ **kwargs,
161
+ )
162
+
163
+ if result.should_continue:
164
+ return False, "Could not process the request with any available handler.", None
165
+
166
+ return (
167
+ not bool(result.error_message),
168
+ result.error_message,
169
+ result.info_message,
170
+ )
171
+
172
+
113
173
  @click.command()
114
174
  @click.argument("entrypoint", required=False)
115
175
  @click.argument("input", required=False, default="{}")
@@ -161,44 +221,26 @@ def run(
161
221
  if not setup_debugging(debug, debug_port):
162
222
  console.error(f"Failed to start debug server on port {debug_port}")
163
223
 
164
- # Process through middleware chain
165
- result = Middlewares.next(
166
- "run",
167
- entrypoint,
168
- input,
169
- resume,
170
- debug=debug,
171
- debug_port=debug_port,
224
+ success, error_message, info_message = run_core(
225
+ entrypoint=entrypoint,
226
+ input=input,
227
+ resume=resume,
172
228
  input_file=input_file,
173
229
  execution_output_file=output_file,
230
+ debug=debug,
231
+ debug_port=debug_port,
174
232
  )
175
233
 
176
- if result.should_continue:
177
- result = python_run_middleware(
178
- entrypoint=entrypoint,
179
- input=input,
180
- resume=resume,
181
- input_file=input_file,
182
- execution_output_file=output_file,
183
- )
184
-
185
- # Handle result from middleware
186
- if result.error_message:
187
- console.error(result.error_message, include_traceback=True)
188
- if result.should_include_stacktrace:
234
+ if error_message:
235
+ console.error(error_message, include_traceback=True)
236
+ if not success: # If there was an error and execution failed
189
237
  console.error(traceback.format_exc())
190
238
  click.get_current_context().exit(1)
191
239
 
192
- if result.info_message:
193
- console.info(result.info_message)
194
-
195
- # If middleware chain completed but didn't handle the request
196
- if result.should_continue:
197
- console.error(
198
- "Error: Could not process the request with any available handler."
199
- )
240
+ if info_message:
241
+ console.info(info_message)
200
242
 
201
- if not result.should_continue and not result.error_message:
243
+ if success:
202
244
  console.success("Successful execution.")
203
245
 
204
246
 
@@ -1,4 +1,4 @@
1
- from typing import Any, Union
1
+ from typing import Any, Literal, Union
2
2
 
3
3
  from httpx import URL, Response
4
4
 
@@ -24,6 +24,7 @@ class ApiClient(FolderContext, BaseService):
24
24
  self,
25
25
  method: str,
26
26
  url: Union[URL, str],
27
+ scoped: Literal["org", "tenant"] = "tenant",
27
28
  **kwargs: Any,
28
29
  ) -> Response:
29
30
  if kwargs.get("include_folder_headers", False):
@@ -35,12 +36,13 @@ class ApiClient(FolderContext, BaseService):
35
36
  if "include_folder_headers" in kwargs:
36
37
  del kwargs["include_folder_headers"]
37
38
 
38
- return super().request(method, url, **kwargs)
39
+ return super().request(method, url, scoped=scoped, **kwargs)
39
40
 
40
41
  async def request_async(
41
42
  self,
42
43
  method: str,
43
44
  url: Union[URL, str],
45
+ scoped: Literal["org", "tenant"] = "tenant",
44
46
  **kwargs: Any,
45
47
  ) -> Response:
46
48
  if kwargs.get("include_folder_headers", False):
@@ -52,4 +54,4 @@ class ApiClient(FolderContext, BaseService):
52
54
  if "include_folder_headers" in kwargs:
53
55
  del kwargs["include_folder_headers"]
54
56
 
55
- return await super().request_async(method, url, **kwargs)
57
+ return await super().request_async(method, url, scoped=scoped, **kwargs)
@@ -207,7 +207,7 @@ class UiPathOpenAIService(BaseService):
207
207
  self,
208
208
  messages: List[Dict[str, str]],
209
209
  model: str = ChatModels.gpt_4o_mini_2024_07_18,
210
- max_tokens: int = 50,
210
+ max_tokens: int = 4096,
211
211
  temperature: float = 0,
212
212
  response_format: Optional[Union[Dict[str, Any], type[BaseModel]]] = None,
213
213
  api_version: str = API_VERSION,
@@ -227,7 +227,7 @@ class UiPathOpenAIService(BaseService):
227
227
  Defaults to ChatModels.gpt_4o_mini_2024_07_18.
228
228
  Available models are defined in the ChatModels class.
229
229
  max_tokens (int, optional): Maximum number of tokens to generate in the response.
230
- Defaults to 50. Higher values allow longer responses.
230
+ Defaults to 4096. Higher values allow longer responses.
231
231
  temperature (float, optional): Temperature for sampling, between 0 and 1.
232
232
  Lower values (closer to 0) make output more deterministic and focused,
233
233
  higher values make it more creative and random. Defaults to 0.
@@ -350,7 +350,7 @@ class UiPathLlmChatService(BaseService):
350
350
  self,
351
351
  messages: List[Dict[str, str]],
352
352
  model: str = ChatModels.gpt_4o_mini_2024_07_18,
353
- max_tokens: int = 250,
353
+ max_tokens: int = 4096,
354
354
  temperature: float = 0,
355
355
  n: int = 1,
356
356
  frequency_penalty: float = 0,
@@ -377,7 +377,7 @@ class UiPathLlmChatService(BaseService):
377
377
  Defaults to ChatModels.gpt_4o_mini_2024_07_18.
378
378
  Available models are defined in the ChatModels class.
379
379
  max_tokens (int, optional): Maximum number of tokens to generate in the response.
380
- Defaults to 250. Higher values allow longer responses.
380
+ Defaults to 4096. Higher values allow longer responses.
381
381
  temperature (float, optional): Temperature for sampling, between 0 and 1.
382
382
  Lower values (closer to 0) make output more deterministic and focused,
383
383
  higher values make it more creative and random. Defaults to 0.
@@ -16,6 +16,7 @@ HEADER_FOLDER_KEY = "x-uipath-folderkey"
16
16
  HEADER_FOLDER_PATH = "x-uipath-folderpath"
17
17
  HEADER_USER_AGENT = "x-uipath-user-agent"
18
18
  HEADER_TENANT_ID = "x-uipath-tenantid"
19
+ HEADER_INTERNAL_TENANT_ID = "x-uipath-internal-tenantid"
19
20
  HEADER_JOB_KEY = "x-uipath-jobkey"
20
21
 
21
22
  # Data sources
@@ -25,3 +26,6 @@ ORCHESTRATOR_STORAGE_BUCKET_DATA_SOURCE = (
25
26
 
26
27
  # Local storage
27
28
  TEMP_ATTACHMENTS_FOLDER = "uipath_attachments"
29
+
30
+ # LLM models
31
+ COMMUNITY_agents_SUFFIX = "-community-agents"
@@ -4,9 +4,9 @@ _APP_INSIGHTS_EVENT_MARKER_ATTRIBUTE = "APPLICATION_INSIGHTS_EVENT_MARKER_ATTRIB
4
4
  _OTEL_RESOURCE_ATTRIBUTES = "OTEL_RESOURCE_ATTRIBUTES"
5
5
  _SDK_VERSION = "SdkVersion"
6
6
 
7
- _CODE_FILEPATH = "code.filepath"
8
- _CODE_FUNCTION = "code.function"
9
- _CODE_LINENO = "code.lineno"
7
+ _CODE_FILEPATH = "code.file.path"
8
+ _CODE_FUNCTION = "code.function.name"
9
+ _CODE_LINENO = "code.line.number"
10
10
 
11
11
  _CLOUD_ORG_ID = "CloudOrganizationId"
12
12
  _CLOUD_TENANT_ID = "CloudTenantId"
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: uipath
3
- Version: 2.1.8
3
+ Version: 2.1.10
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,9 +5,10 @@ uipath/_folder_context.py,sha256=UMMoU1VWEfYHAZW3Td2SIFYhw5dYsmaaKFhW_JEm6oc,192
5
5
  uipath/_uipath.py,sha256=ZfEcqpY7NRSm6rB2OPgyVXBl9DCnn750ikq8VzzTO_s,4146
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=4CYDwTNPVCTCrjCElbNyu1AlKWn-WKxQCJtqg4y1KjA,2031
8
+ uipath/_cli/__init__.py,sha256=oG0oTrb60qfIncJ0EcGsytBYxAVbepcBlOkqBKQlsJM,2104
9
9
  uipath/_cli/cli_auth.py,sha256=RUSBHfmqhBtITrx52FeXMlVCuNyo8vrjTdjEhmM1Khw,6734
10
10
  uipath/_cli/cli_deploy.py,sha256=KPCmQ0c_NYD5JofSDao5r6QYxHshVCRxlWDVnQvlp5w,645
11
+ uipath/_cli/cli_eval.py,sha256=z0ER8pN5rJyINcSr1tM75HbSlmZXtx96YtqDvDI6zHk,2945
11
12
  uipath/_cli/cli_init.py,sha256=SmB7VplpXRSa5sgqgzojNsZDw0zfsEi2TfkMx3eQpTo,5132
12
13
  uipath/_cli/cli_invoke.py,sha256=FurosrZNGlmANIrplKWhw3EQ1b46ph5Z2rPwVaYJgmc,4001
13
14
  uipath/_cli/cli_new.py,sha256=9378NYUBc9j-qKVXV7oja-jahfJhXBg8zKVyaon7ctY,2102
@@ -15,7 +16,7 @@ uipath/_cli/cli_pack.py,sha256=JN5BBw-R7jZJ479YtaLOVa3SmraxxPM3wBdG3iDnPTs,10614
15
16
  uipath/_cli/cli_publish.py,sha256=QT17JTClAyLve6ZjB-WvQaJ-j4DdmNneV_eDRyXjeeQ,6578
16
17
  uipath/_cli/cli_pull.py,sha256=zVcLciXyccaUUJX75rkUvihYAO4-yCsIz4c4Dcly3aw,7535
17
18
  uipath/_cli/cli_push.py,sha256=PP6smnwMjxFbfb2IuD8cZHCoYifEsz5o-1r5ilNVUD0,18893
18
- uipath/_cli/cli_run.py,sha256=cTZYWJkGk2ruk6RRJBXII9J6VjpgGmysv_KlKI1JMHo,6446
19
+ uipath/_cli/cli_run.py,sha256=1W3cPMgaVzm1wTnTD4-tJQwJ5h4riKRUBQb1hzsGMcw,7767
19
20
  uipath/_cli/middlewares.py,sha256=CN-QqV69zZPI-hvizvEIb-zTcNh9WjsZIYCF3_nHSio,4915
20
21
  uipath/_cli/spinner.py,sha256=bS-U_HA5yne11ejUERu7CQoXmWdabUD2bm62EfEdV8M,1107
21
22
  uipath/_cli/_auth/_auth_server.py,sha256=Wx3TaK5QvGzaJytp2cnYO3NFVIvTsNqxfVMwBquEyQs,7162
@@ -28,10 +29,22 @@ uipath/_cli/_auth/auth_config.json,sha256=UnAhdum8phjuZaZKE5KLp0IcPCbIltDEU1M_G8
28
29
  uipath/_cli/_auth/index.html,sha256=_Q2OtqPfapG_6vumbQYqtb2PfFe0smk7TlGERKEBvB4,22518
29
30
  uipath/_cli/_auth/localhost.crt,sha256=oGl9oLLOiouHubAt39B4zEfylFvKEtbtr_43SIliXJc,1226
30
31
  uipath/_cli/_auth/localhost.key,sha256=X31VYXD8scZtmGA837dGX5l6G-LXHLo5ItWJhZXaz3c,1679
31
- uipath/_cli/_runtime/_contracts.py,sha256=j81Ou6Xz24K2UwEsxU-efvd775xKnZt08Rit94VZEYg,15251
32
+ uipath/_cli/_evals/evaluation_service.py,sha256=cE7V0kjpn4ucSCfcqA_2JWlxoT2Vz-Jhn6uLhF_3Arw,22086
33
+ uipath/_cli/_evals/progress_reporter.py,sha256=W4paB4v_SbCkqpudYC4N-29aaZNo8bS4HrN3MBl7hxs,13583
34
+ uipath/_cli/_evals/_evaluators/__init__.py,sha256=eXUozXTNJIVCoV54_btA5mXmm1uNnp0qcfysrz9JQu4,629
35
+ uipath/_cli/_evals/_evaluators/_agent_scorer_evaluator.py,sha256=qv4YjNiwqi5gWA24mRTC3QQ73o2Djkn1aY-AnHRyUMI,1545
36
+ uipath/_cli/_evals/_evaluators/_deterministic_evaluator.py,sha256=P0du9KWz5MP5Pw70Ze7piqeBfFq7w0aU7DLeEiNC3k4,1398
37
+ uipath/_cli/_evals/_evaluators/_evaluator_base.py,sha256=knHUwYFt0gMG1uJhq5TGEab6M_YevxX019yT3yYwZsw,3787
38
+ uipath/_cli/_evals/_evaluators/_evaluator_factory.py,sha256=YvWi5DS8XKKvfgwxurv2ZP3Jmylv1hgshIw9VEfevoY,3954
39
+ uipath/_cli/_evals/_evaluators/_llm_as_judge_evaluator.py,sha256=GdX5CsdfcPxCeSkkD-JpYLBddGhU8YieTIMcyENiWns,6506
40
+ uipath/_cli/_evals/_evaluators/_trajectory_evaluator.py,sha256=dnogQTOskpI4_cNF0Ge3hBceJJocvOgxBWAwaCWnzB0,1595
41
+ uipath/_cli/_evals/_models/__init__.py,sha256=Ewjp3u2YeTH2MmzY9LWf7EIbAoIf_nW9fMYbj7pGlPs,420
42
+ uipath/_cli/_evals/_models/_evaluation_set.py,sha256=UIapFwn_Ti9zHUIcL3xyHDcLZ4lq4sHJ3JXLvY5OYI0,1080
43
+ uipath/_cli/_evals/_models/_evaluators.py,sha256=L0CUO_P_NxxLAspi70POrZYmWkSDPtQ_ParPlz7lYOw,2086
44
+ uipath/_cli/_runtime/_contracts.py,sha256=WlpaiQAMWCo-JFHjee35Klf49A3GsKjOU1Mf2IpUGHY,16033
32
45
  uipath/_cli/_runtime/_escalation.py,sha256=x3vI98qsfRA-fL_tNkRVTFXioM5Gv2w0GFcXJJ5eQtg,7981
33
46
  uipath/_cli/_runtime/_hitl.py,sha256=aexwe0dIXvh6SlVS1jVnO_aGZc6e3gLsmGkCyha5AHo,11300
34
- uipath/_cli/_runtime/_logging.py,sha256=lA2LsakOrcSLnJWgo80-BYzIQBUWfqzzJGI1M61Gu0s,7874
47
+ uipath/_cli/_runtime/_logging.py,sha256=0_8OeF2w2zcryvozOsB3h4sFktiwnUqJr_fMRxwUFOc,8004
35
48
  uipath/_cli/_runtime/_runtime.py,sha256=dHfL6McYC9BwBB9Dk4Y_syvAft-1b-jTG1nbG_d07m8,10647
36
49
  uipath/_cli/_templates/.psmdcp.template,sha256=C7pBJPt98ovEljcBvGtEUGoWjjQhu9jls1bpYjeLOKA,611
37
50
  uipath/_cli/_templates/.rels.template,sha256=-fTcw7OA1AcymHr0LzBqbMAAtzZTRXLTNa_ljq087Jk,406
@@ -39,7 +52,7 @@ uipath/_cli/_templates/[Content_Types].xml.template,sha256=bYsKDz31PkIF9QksjgAY_
39
52
  uipath/_cli/_templates/main.py.template,sha256=QB62qX5HKDbW4lFskxj7h9uuxBITnTWqu_DE6asCwcU,476
40
53
  uipath/_cli/_templates/package.nuspec.template,sha256=YZyLc-u_EsmIoKf42JsLQ55OGeFmb8VkIU2VF7DFbtw,359
41
54
  uipath/_cli/_utils/_common.py,sha256=EwtNvcSgjK1dZcQhwR1ZOue7E4Uj7AD7m4Vr5twdx7I,2595
42
- uipath/_cli/_utils/_console.py,sha256=rj4V3yeR1wnJzFTHnaE6wcY9OoJV-PiIQnLg_p62ClQ,6664
55
+ uipath/_cli/_utils/_console.py,sha256=scvnrrFoFX6CE451K-PXKV7UN0DUkInbOtDZ5jAdPP0,10070
43
56
  uipath/_cli/_utils/_constants.py,sha256=AXeVidtHUFiODrkB2BCX_bqDL-bUzRg-Ieh1-2cCrGA,1374
44
57
  uipath/_cli/_utils/_debug.py,sha256=zamzIR4VgbdKADAE4gbmjxDsbgF7wvdr7C5Dqp744Oc,1739
45
58
  uipath/_cli/_utils/_folders.py,sha256=UVJcKPfPAVR5HF4AP6EXdlNVcfEF1v5pwGCpoAgBY34,1155
@@ -53,7 +66,7 @@ uipath/_cli/_utils/_uv_helpers.py,sha256=6SvoLnZPoKIxW0sjMvD1-ENV_HOXDYzH34GjBqw
53
66
  uipath/_services/__init__.py,sha256=10xtw3ENC30yR9CCq_b94RMZ3YrUeyfHV33yWYUd8tU,896
54
67
  uipath/_services/_base_service.py,sha256=twcUCLS_V4D1kxcJt6lckd7rqsVRcy4mfHOflJpu1k0,5830
55
68
  uipath/_services/actions_service.py,sha256=LYKvG4VxNGQgZ46AzGK9kI1Txb-YmVvZj5ScPOue8Ls,15989
56
- uipath/_services/api_client.py,sha256=hcof0EMa4-phEHD1WlO7Tdfzq6aL18Sbi2aBE7lJm1w,1821
69
+ uipath/_services/api_client.py,sha256=kGm04ijk9AOEQd2BMxvQg-2QoB8dmyoDwFFDPyutAGw,1966
57
70
  uipath/_services/assets_service.py,sha256=acqWogfhZiSO1eeVYqFxmqWGSTmrW46QxI1J0bJe3jo,11918
58
71
  uipath/_services/attachments_service.py,sha256=NPQYK7CGjfBaNT_1S5vEAfODmOChTbQZforllFM2ofU,26678
59
72
  uipath/_services/buckets_service.py,sha256=5s8tuivd7GUZYj774DDUYTa0axxlUuesc4EBY1V5sdk,18496
@@ -61,7 +74,7 @@ uipath/_services/connections_service.py,sha256=qh-HNL_GJsyPUD0wSJZRF8ZdrTE9l4HrI
61
74
  uipath/_services/context_grounding_service.py,sha256=EBf7lIIYz_s1ubf_07OAZXQHjS8kpZ2vqxo4mI3VL-A,25009
62
75
  uipath/_services/folder_service.py,sha256=9JqgjKhWD-G_KUnfUTP2BADxL6OK9QNZsBsWZHAULdE,2749
63
76
  uipath/_services/jobs_service.py,sha256=CnDd7BM4AMqcMIR1qqu5ohhxf9m0AF4dnGoF4EX38kw,30872
64
- uipath/_services/llm_gateway_service.py,sha256=TZDxpd99K9IT1QeyNle5994lGeGfQRWj1icTXB6zBOY,24300
77
+ uipath/_services/llm_gateway_service.py,sha256=oZR--75V8ULdLjVC7lo-lJ5786J_qfXUDe0R9iWNAKs,24306
65
78
  uipath/_services/processes_service.py,sha256=Pk6paw7e_a-WvVcfKDLuyj1p--pvNRTXwZNYIwDdYzo,5726
66
79
  uipath/_services/queues_service.py,sha256=VaG3dWL2QK6AJBOLoW2NQTpkPfZjsqsYPl9-kfXPFzA,13534
67
80
  uipath/_utils/__init__.py,sha256=VdcpnENJIa0R6Y26NoxY64-wUVyvb4pKfTh1wXDQeMk,526
@@ -74,7 +87,7 @@ uipath/_utils/_request_spec.py,sha256=iCtBLqtbWUpFG5g1wtIZBzSupKsfaRLiQFoFc_4B70
74
87
  uipath/_utils/_ssl_context.py,sha256=xSYitos0eJc9cPHzNtHISX9PBvL6D2vas5G_GiBdLp8,1783
75
88
  uipath/_utils/_url.py,sha256=-4eluSrIZCUlnQ3qU17WPJkgaC2KwF9W5NeqGnTNGGo,2512
76
89
  uipath/_utils/_user_agent.py,sha256=pVJkFYacGwaQBomfwWVAvBQgdBUo62e4n3-fLIajWUU,563
77
- uipath/_utils/constants.py,sha256=yf4Xd0gmdisrIrsdy3zuiOgboK-XYAcrd4ekb3ZjZeE,878
90
+ uipath/_utils/constants.py,sha256=SCRlqChkBzEVZ_iWCmqE4Kor2B82wAaFVobglH7boAA,995
78
91
  uipath/models/__init__.py,sha256=Kwqv1LzWNfSxJLMQrInVen3KDJ1z0eCcr6szQa0G0VE,1251
79
92
  uipath/models/action_schema.py,sha256=lKDhP7Eix23fFvfQrqqNmSOiPyyNF6tiRpUu0VZIn_M,714
80
93
  uipath/models/actions.py,sha256=ekSH4YUQR4KPOH-heBm9yOgOfirndx0In4_S4VYWeEU,2993
@@ -92,7 +105,7 @@ uipath/models/llm_gateway.py,sha256=rUIus7BrUuuRriXqSJUE9FnjOyQ7pYpaX6hWEYvA6AA,
92
105
  uipath/models/processes.py,sha256=Atvfrt6X4TYST3iA62jpS_Uxc3hg6uah11p-RaKZ6dk,2029
93
106
  uipath/models/queues.py,sha256=N_s0GKucbyjh0RnO8SxPk6wlRgvq8KIIYsfaoIY46tM,6446
94
107
  uipath/telemetry/__init__.py,sha256=Wna32UFzZR66D-RzTKlPWlvji9i2HJb82NhHjCCXRjY,61
95
- uipath/telemetry/_constants.py,sha256=z7taKsKM3CrMEa6gXBgK8otumT2dIXrw7WXc0XE9zYA,680
108
+ uipath/telemetry/_constants.py,sha256=85xzIK0gDMECYOtldFygM9OXyO6_vUF9ghWwWRruCJo,691
96
109
  uipath/telemetry/_track.py,sha256=v0e3hgwtetMsUco4yosBzNU00Ek5SI9RxUTumrTTNyo,3872
97
110
  uipath/tracing/__init__.py,sha256=GKRINyWdHVrDsI-8mrZDLdf0oey6GHGlNZTOADK-kgc,224
98
111
  uipath/tracing/_otel_exporters.py,sha256=X7cnuGqvxGbACZuFD2XYTWXwIse8pokOEAjeTPE6DCQ,3158
@@ -100,8 +113,8 @@ uipath/tracing/_traced.py,sha256=qeVDrds2OUnpdUIA0RhtF0kg2dlAZhyC1RRkI-qivTM,185
100
113
  uipath/tracing/_utils.py,sha256=ZeensQexnw69jVcsVrGyED7mPlAU-L1agDGm6_1A3oc,10388
101
114
  uipath/utils/__init__.py,sha256=VD-KXFpF_oWexFg6zyiWMkxl2HM4hYJMIUDZ1UEtGx0,105
102
115
  uipath/utils/_endpoints_manager.py,sha256=hiGEu6vyfQJoeiiql6w21TNiG6tADUfXlVBimxPU1-Q,4160
103
- uipath-2.1.8.dist-info/METADATA,sha256=XuAFWerdSfYOKCYxO2jeeOe_WShmn-eItY3afeGiGOo,6366
104
- uipath-2.1.8.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
105
- uipath-2.1.8.dist-info/entry_points.txt,sha256=9C2_29U6Oq1ExFu7usihR-dnfIVNSKc-0EFbh0rskB4,43
106
- uipath-2.1.8.dist-info/licenses/LICENSE,sha256=-KBavWXepyDjimmzH5fVAsi-6jNVpIKFc2kZs0Ri4ng,1058
107
- uipath-2.1.8.dist-info/RECORD,,
116
+ uipath-2.1.10.dist-info/METADATA,sha256=VHS0NePdjxUiiuMX8zp_lzGvrJPdfTw2TTotNrXUf2Q,6367
117
+ uipath-2.1.10.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
118
+ uipath-2.1.10.dist-info/entry_points.txt,sha256=9C2_29U6Oq1ExFu7usihR-dnfIVNSKc-0EFbh0rskB4,43
119
+ uipath-2.1.10.dist-info/licenses/LICENSE,sha256=-KBavWXepyDjimmzH5fVAsi-6jNVpIKFc2kZs0Ri4ng,1058
120
+ uipath-2.1.10.dist-info/RECORD,,