uipath 2.1.91__py3-none-any.whl → 2.1.93__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.
- uipath/_cli/_push/sw_file_handler.py +2 -2
- uipath/_cli/_runtime/_contracts.py +68 -1
- uipath/_cli/_utils/_project_files.py +1 -1
- uipath/_cli/_utils/_studio_project.py +17 -0
- uipath/_events/_events.py +85 -4
- uipath/agent/_utils.py +1 -1
- {uipath-2.1.91.dist-info → uipath-2.1.93.dist-info}/METADATA +1 -1
- {uipath-2.1.91.dist-info → uipath-2.1.93.dist-info}/RECORD +11 -11
- {uipath-2.1.91.dist-info → uipath-2.1.93.dist-info}/WHEEL +0 -0
- {uipath-2.1.91.dist-info → uipath-2.1.93.dist-info}/entry_points.txt +0 -0
- {uipath-2.1.91.dist-info → uipath-2.1.93.dist-info}/licenses/LICENSE +0 -0
|
@@ -319,7 +319,7 @@ class SwFileHandler:
|
|
|
319
319
|
if existing:
|
|
320
320
|
try:
|
|
321
321
|
entry_points_json = (
|
|
322
|
-
await self._studio_client.
|
|
322
|
+
await self._studio_client.download_project_file_async(existing)
|
|
323
323
|
).json()
|
|
324
324
|
entry_points_json["entryPoints"] = uipath_config["entryPoints"]
|
|
325
325
|
|
|
@@ -417,7 +417,7 @@ class SwFileHandler:
|
|
|
417
417
|
if existing:
|
|
418
418
|
try:
|
|
419
419
|
existing_agent_json = (
|
|
420
|
-
await self._studio_client.
|
|
420
|
+
await self._studio_client.download_project_file_async(existing)
|
|
421
421
|
).json()
|
|
422
422
|
version_parts = existing_agent_json["metadata"]["codeVersion"].split(
|
|
423
423
|
"."
|
|
@@ -8,7 +8,19 @@ import traceback
|
|
|
8
8
|
from abc import ABC, abstractmethod
|
|
9
9
|
from enum import Enum
|
|
10
10
|
from functools import cached_property
|
|
11
|
-
from typing import
|
|
11
|
+
from typing import (
|
|
12
|
+
Any,
|
|
13
|
+
AsyncGenerator,
|
|
14
|
+
Callable,
|
|
15
|
+
Dict,
|
|
16
|
+
Generic,
|
|
17
|
+
List,
|
|
18
|
+
Literal,
|
|
19
|
+
Optional,
|
|
20
|
+
Type,
|
|
21
|
+
TypeVar,
|
|
22
|
+
Union,
|
|
23
|
+
)
|
|
12
24
|
from uuid import uuid4
|
|
13
25
|
|
|
14
26
|
from opentelemetry import context as context_api
|
|
@@ -23,6 +35,7 @@ from opentelemetry.sdk.trace.export import (
|
|
|
23
35
|
from opentelemetry.trace import Tracer
|
|
24
36
|
from pydantic import BaseModel, Field
|
|
25
37
|
|
|
38
|
+
from uipath._events._events import UiPathRuntimeEvent
|
|
26
39
|
from uipath.agent.conversation import UiPathConversationEvent, UiPathConversationMessage
|
|
27
40
|
from uipath.tracing import TracingManager
|
|
28
41
|
|
|
@@ -143,6 +156,19 @@ class UiPathRuntimeResult(BaseModel):
|
|
|
143
156
|
return result
|
|
144
157
|
|
|
145
158
|
|
|
159
|
+
class UiPathBreakpointResult(UiPathRuntimeResult):
|
|
160
|
+
"""Result for execution suspended at a breakpoint."""
|
|
161
|
+
|
|
162
|
+
# Force status to always be SUSPENDED
|
|
163
|
+
status: UiPathRuntimeStatus = Field(
|
|
164
|
+
default=UiPathRuntimeStatus.SUSPENDED, frozen=True
|
|
165
|
+
)
|
|
166
|
+
breakpoint_node: str # Which node the breakpoint is at
|
|
167
|
+
breakpoint_type: Literal["before", "after"] # Before or after the node
|
|
168
|
+
current_state: dict[str, Any] | Any # Current workflow state at breakpoint
|
|
169
|
+
next_nodes: List[str] # Which node(s) will execute next
|
|
170
|
+
|
|
171
|
+
|
|
146
172
|
class UiPathConversationHandler(ABC):
|
|
147
173
|
"""Base delegate for handling UiPath conversation events."""
|
|
148
174
|
|
|
@@ -548,6 +574,47 @@ class UiPathBaseRuntime(ABC):
|
|
|
548
574
|
"""
|
|
549
575
|
pass
|
|
550
576
|
|
|
577
|
+
async def stream(
|
|
578
|
+
self,
|
|
579
|
+
) -> AsyncGenerator[Union[UiPathRuntimeEvent, UiPathRuntimeResult], None]:
|
|
580
|
+
"""Stream execution events in real-time.
|
|
581
|
+
|
|
582
|
+
This is an optional method that runtimes can implement to support streaming.
|
|
583
|
+
If not implemented, only the execute() method will be available.
|
|
584
|
+
|
|
585
|
+
Yields framework-agnostic BaseEvent instances during execution,
|
|
586
|
+
with the final event being UiPathRuntimeResult.
|
|
587
|
+
|
|
588
|
+
Yields:
|
|
589
|
+
UiPathRuntimeEvent subclasses: Framework-agnostic events (UiPathAgentMessageEvent,
|
|
590
|
+
UiPathAgentStateEvent, etc.)
|
|
591
|
+
Final yield: UiPathRuntimeResult (or its subclass UiPathBreakpointResult)
|
|
592
|
+
|
|
593
|
+
Raises:
|
|
594
|
+
NotImplementedError: If the runtime doesn't support streaming
|
|
595
|
+
RuntimeError: If execution fails
|
|
596
|
+
|
|
597
|
+
Example:
|
|
598
|
+
async for event in runtime.stream():
|
|
599
|
+
if isinstance(event, UiPathRuntimeResult):
|
|
600
|
+
# Last event - execution complete
|
|
601
|
+
print(f"Status: {event.status}")
|
|
602
|
+
break
|
|
603
|
+
elif isinstance(event, UiPathAgentMessageEvent):
|
|
604
|
+
# Handle message event
|
|
605
|
+
print(f"Message: {event.payload}")
|
|
606
|
+
elif isinstance(event, UiPathAgentStateEvent):
|
|
607
|
+
# Handle state update
|
|
608
|
+
print(f"State updated by: {event.node_name}")
|
|
609
|
+
"""
|
|
610
|
+
raise NotImplementedError(
|
|
611
|
+
f"{self.__class__.__name__} does not implement streaming. "
|
|
612
|
+
"Use execute() instead."
|
|
613
|
+
)
|
|
614
|
+
# This yield is unreachable but makes this a proper generator function
|
|
615
|
+
# Without it, the function wouldn't match the AsyncGenerator return type
|
|
616
|
+
yield
|
|
617
|
+
|
|
551
618
|
@abstractmethod
|
|
552
619
|
async def validate(self):
|
|
553
620
|
"""Validate runtime inputs."""
|
|
@@ -557,7 +557,7 @@ async def download_folder_files(
|
|
|
557
557
|
local_path = base_path / file_path
|
|
558
558
|
local_path.parent.mkdir(parents=True, exist_ok=True)
|
|
559
559
|
|
|
560
|
-
response = await studio_client.
|
|
560
|
+
response = await studio_client.download_project_file_async(remote_file)
|
|
561
561
|
remote_content = response.read().decode("utf-8")
|
|
562
562
|
remote_hash = compute_normalized_hash(remote_content)
|
|
563
563
|
|
|
@@ -8,6 +8,7 @@ from pydantic import BaseModel, ConfigDict, Field, field_validator
|
|
|
8
8
|
|
|
9
9
|
from uipath._utils.constants import HEADER_SW_LOCK_KEY
|
|
10
10
|
from uipath.models.exceptions import EnrichedException
|
|
11
|
+
from uipath.tracing import traced
|
|
11
12
|
|
|
12
13
|
|
|
13
14
|
class ProjectFile(BaseModel):
|
|
@@ -231,6 +232,7 @@ class StudioSolutionsClient:
|
|
|
231
232
|
self.uipath: UiPath = UiPath()
|
|
232
233
|
self._solutions_base_url: str = f"/studio_/backend/api/Solution/{solution_id}"
|
|
233
234
|
|
|
235
|
+
@traced(name="create_project", run_type="uipath")
|
|
234
236
|
async def create_project_async(
|
|
235
237
|
self,
|
|
236
238
|
project_name: str,
|
|
@@ -275,6 +277,7 @@ class StudioClient:
|
|
|
275
277
|
f"/studio_/backend/api/Project/{project_id}/Lock"
|
|
276
278
|
)
|
|
277
279
|
|
|
280
|
+
@traced(name="get_project_structure", run_type="uipath")
|
|
278
281
|
async def get_project_structure_async(self) -> ProjectStructure:
|
|
279
282
|
"""Retrieve the project's file structure from UiPath Cloud.
|
|
280
283
|
|
|
@@ -293,6 +296,7 @@ class StudioClient:
|
|
|
293
296
|
|
|
294
297
|
return ProjectStructure.model_validate(response.json())
|
|
295
298
|
|
|
299
|
+
@traced(name="create_folder", run_type="uipath")
|
|
296
300
|
@with_lock_retry
|
|
297
301
|
async def create_folder_async(
|
|
298
302
|
self,
|
|
@@ -322,6 +326,7 @@ class StudioClient:
|
|
|
322
326
|
)
|
|
323
327
|
return response.json()
|
|
324
328
|
|
|
329
|
+
@traced(name="download_file", run_type="uipath")
|
|
325
330
|
async def download_file_async(self, file_id: str) -> Any:
|
|
326
331
|
response = await self.uipath.api_client.request_async(
|
|
327
332
|
"GET",
|
|
@@ -330,6 +335,16 @@ class StudioClient:
|
|
|
330
335
|
)
|
|
331
336
|
return response
|
|
332
337
|
|
|
338
|
+
@traced(name="download_file", run_type="uipath")
|
|
339
|
+
async def download_project_file_async(self, file: ProjectFile) -> Any:
|
|
340
|
+
response = await self.uipath.api_client.request_async(
|
|
341
|
+
"GET",
|
|
342
|
+
url=f"{self.file_operations_base_url}/File/{file.id}",
|
|
343
|
+
scoped="org",
|
|
344
|
+
)
|
|
345
|
+
return response
|
|
346
|
+
|
|
347
|
+
@traced(name="upload_file", run_type="uipath")
|
|
333
348
|
@with_lock_retry
|
|
334
349
|
async def upload_file_async(
|
|
335
350
|
self,
|
|
@@ -370,6 +385,7 @@ class StudioClient:
|
|
|
370
385
|
# response contains only the uploaded file identifier
|
|
371
386
|
return response.json(), action
|
|
372
387
|
|
|
388
|
+
@traced(name="delete_file", run_type="uipath")
|
|
373
389
|
@with_lock_retry
|
|
374
390
|
async def delete_item_async(
|
|
375
391
|
self,
|
|
@@ -430,6 +446,7 @@ class StudioClient:
|
|
|
430
446
|
|
|
431
447
|
return content_bytes, resolved_name
|
|
432
448
|
|
|
449
|
+
@traced(name="synchronize_files", run_type="uipath")
|
|
433
450
|
@with_lock_retry
|
|
434
451
|
async def perform_structural_migration_async(
|
|
435
452
|
self,
|
uipath/_events/_events.py
CHANGED
|
@@ -1,15 +1,15 @@
|
|
|
1
|
-
import enum
|
|
2
1
|
import logging
|
|
3
|
-
from
|
|
2
|
+
from enum import Enum
|
|
3
|
+
from typing import Any, Dict, List, Optional, Union
|
|
4
4
|
|
|
5
5
|
from opentelemetry.sdk.trace import ReadableSpan
|
|
6
|
-
from pydantic import BaseModel, ConfigDict, model_validator
|
|
6
|
+
from pydantic import BaseModel, ConfigDict, Field, model_validator
|
|
7
7
|
|
|
8
8
|
from uipath._cli._evals._models._evaluation_set import EvaluationItem
|
|
9
9
|
from uipath.eval.models import EvalItemResult
|
|
10
10
|
|
|
11
11
|
|
|
12
|
-
class EvaluationEvents(str,
|
|
12
|
+
class EvaluationEvents(str, Enum):
|
|
13
13
|
CREATE_EVAL_SET_RUN = "create_eval_set_run"
|
|
14
14
|
CREATE_EVAL_RUN = "create_eval_run"
|
|
15
15
|
UPDATE_EVAL_SET_RUN = "update_eval_set_run"
|
|
@@ -67,3 +67,84 @@ ProgressEvent = Union[
|
|
|
67
67
|
EvalRunUpdatedEvent,
|
|
68
68
|
EvalSetRunUpdatedEvent,
|
|
69
69
|
]
|
|
70
|
+
|
|
71
|
+
|
|
72
|
+
class EventType(str, Enum):
|
|
73
|
+
"""Types of events that can be emitted during execution."""
|
|
74
|
+
|
|
75
|
+
AGENT_MESSAGE = "agent_message"
|
|
76
|
+
AGENT_STATE = "agent_state"
|
|
77
|
+
ERROR = "error"
|
|
78
|
+
|
|
79
|
+
|
|
80
|
+
class UiPathRuntimeEvent(BaseModel):
|
|
81
|
+
"""Base class for all UiPath runtime events."""
|
|
82
|
+
|
|
83
|
+
model_config = ConfigDict(arbitrary_types_allowed=True)
|
|
84
|
+
|
|
85
|
+
event_type: EventType
|
|
86
|
+
execution_id: Optional[str] = Field(
|
|
87
|
+
default=None, description="The runtime execution id associated with the event"
|
|
88
|
+
)
|
|
89
|
+
metadata: Optional[Dict[str, Any]] = Field(
|
|
90
|
+
default=None, description="Additional event context"
|
|
91
|
+
)
|
|
92
|
+
|
|
93
|
+
|
|
94
|
+
class UiPathAgentMessageEvent(UiPathRuntimeEvent):
|
|
95
|
+
"""Event emitted when a message is created or streamed.
|
|
96
|
+
|
|
97
|
+
Wraps framework-specific message objects (e.g., LangChain BaseMessage,
|
|
98
|
+
CrewAI messages, AutoGen messages, etc.) without converting them.
|
|
99
|
+
|
|
100
|
+
Attributes:
|
|
101
|
+
payload: The framework-specific message object
|
|
102
|
+
event_type: Automatically set to AGENT_MESSAGE
|
|
103
|
+
metadata: Additional context
|
|
104
|
+
|
|
105
|
+
Example:
|
|
106
|
+
# LangChain
|
|
107
|
+
event = UiPathAgentMessageEvent(
|
|
108
|
+
payload=AIMessage(content="Hello"),
|
|
109
|
+
metadata={"additional_prop": "123"}
|
|
110
|
+
)
|
|
111
|
+
|
|
112
|
+
# Access the message
|
|
113
|
+
message = event.payload # BaseMessage
|
|
114
|
+
print(message.content)
|
|
115
|
+
"""
|
|
116
|
+
|
|
117
|
+
payload: Any = Field(description="Framework-specific message object")
|
|
118
|
+
event_type: EventType = Field(default=EventType.AGENT_MESSAGE, frozen=True)
|
|
119
|
+
|
|
120
|
+
|
|
121
|
+
class UiPathAgentStateEvent(UiPathRuntimeEvent):
|
|
122
|
+
"""Event emitted when agent state is updated.
|
|
123
|
+
|
|
124
|
+
Wraps framework-specific state update objects, preserving the original
|
|
125
|
+
structure and data from the framework.
|
|
126
|
+
|
|
127
|
+
Attributes:
|
|
128
|
+
payload: The framework-specific state update (e.g., LangGraph state dict)
|
|
129
|
+
node_name: Name of the node/agent that produced this update (if available)
|
|
130
|
+
event_type: Automatically set to AGENT_STATE
|
|
131
|
+
metadata: Additional context
|
|
132
|
+
|
|
133
|
+
Example:
|
|
134
|
+
# LangGraph
|
|
135
|
+
event = UiPathAgentStateEvent(
|
|
136
|
+
payload={"messages": [...], "context": "..."},
|
|
137
|
+
node_name="agent_node",
|
|
138
|
+
metadata={"additional_prop": "123"}
|
|
139
|
+
)
|
|
140
|
+
|
|
141
|
+
# Access the state
|
|
142
|
+
state = event.payload # dict
|
|
143
|
+
messages = state.get("messages", [])
|
|
144
|
+
"""
|
|
145
|
+
|
|
146
|
+
payload: Dict[str, Any] = Field(description="Framework-specific state update")
|
|
147
|
+
node_name: Optional[str] = Field(
|
|
148
|
+
default=None, description="Name of the node/agent that caused this update"
|
|
149
|
+
)
|
|
150
|
+
event_type: EventType = Field(default=EventType.AGENT_STATE, frozen=True)
|
uipath/agent/_utils.py
CHANGED
|
@@ -29,7 +29,7 @@ async def get_file(
|
|
|
29
29
|
) -> Response:
|
|
30
30
|
resolved = resolve_path(folder, path)
|
|
31
31
|
assert isinstance(resolved, ProjectFile), "Path file not found."
|
|
32
|
-
return await studio_client.
|
|
32
|
+
return await studio_client.download_project_file_async(resolved)
|
|
33
33
|
|
|
34
34
|
|
|
35
35
|
async def create_agent_project(solution_id: str, project_name: str) -> str:
|
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
Metadata-Version: 2.4
|
|
2
2
|
Name: uipath
|
|
3
|
-
Version: 2.1.
|
|
3
|
+
Version: 2.1.93
|
|
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
|
|
@@ -62,8 +62,8 @@ uipath/_cli/_evals/mocks/mocker.py,sha256=VXCxuRAPqUK40kRUXpPmXZRckd7GrOY5ZzIYDe
|
|
|
62
62
|
uipath/_cli/_evals/mocks/mocker_factory.py,sha256=V5QKSTtQxztTo4-fK1TyAaXw2Z3mHf2UC5mXqwuUGTs,811
|
|
63
63
|
uipath/_cli/_evals/mocks/mockito_mocker.py,sha256=AO2BmFwA6hz3Lte-STVr7aJDPvMCqKNKa4j2jeNZ_U4,2677
|
|
64
64
|
uipath/_cli/_evals/mocks/mocks.py,sha256=HY0IaSqqO8hioBB3rp5XwAjSpQE4K5hoH6oJQ-sH72I,2207
|
|
65
|
-
uipath/_cli/_push/sw_file_handler.py,sha256=
|
|
66
|
-
uipath/_cli/_runtime/_contracts.py,sha256=
|
|
65
|
+
uipath/_cli/_push/sw_file_handler.py,sha256=voZVfJeJTqkvf5aFZvxAHQ_qa7dX_Cz7wRsfhLKL9Ag,17884
|
|
66
|
+
uipath/_cli/_runtime/_contracts.py,sha256=IalIJjLYxNE-0cedRPKcubuXhhVYLOWyN2axGJk6E6o,31436
|
|
67
67
|
uipath/_cli/_runtime/_escalation.py,sha256=x3vI98qsfRA-fL_tNkRVTFXioM5Gv2w0GFcXJJ5eQtg,7981
|
|
68
68
|
uipath/_cli/_runtime/_hitl.py,sha256=VKbM021nVg1HEDnTfucSLJ0LsDn83CKyUtVzofS2qTU,11369
|
|
69
69
|
uipath/_cli/_runtime/_logging.py,sha256=srjAi3Cy6g7b8WNHiYNjaZT4t40F3XRqquuoGd2kh4Y,14019
|
|
@@ -83,15 +83,15 @@ uipath/_cli/_utils/_folders.py,sha256=RsYrXzF0NA1sPxgBoLkLlUY3jDNLg1V-Y8j71Q8a8H
|
|
|
83
83
|
uipath/_cli/_utils/_input_args.py,sha256=AnbQ12D2ACIQFt0QHMaWleRn1ZgRTXuTSTN0ozJiSQg,5766
|
|
84
84
|
uipath/_cli/_utils/_parse_ast.py,sha256=24YL28qK5Ss2O26IlzZ2FgEC_ZazXld_u3vkj8zVxGA,20933
|
|
85
85
|
uipath/_cli/_utils/_processes.py,sha256=q7DfEKHISDWf3pngci5za_z0Pbnf_shWiYEcTOTCiyk,1855
|
|
86
|
-
uipath/_cli/_utils/_project_files.py,sha256=
|
|
87
|
-
uipath/_cli/_utils/_studio_project.py,sha256=
|
|
86
|
+
uipath/_cli/_utils/_project_files.py,sha256=ni5Ex2sOWUtkiM9nlP1E-03L1m9EmORACNXWWXi7Acs,20117
|
|
87
|
+
uipath/_cli/_utils/_studio_project.py,sha256=dlmL5fgfCJzlBffGqAyaxLW50Gzc8SvIsMx-dDFauqs,17782
|
|
88
88
|
uipath/_cli/_utils/_tracing.py,sha256=2igb03j3EHjF_A406UhtCKkPfudVfFPjUq5tXUEG4oo,1541
|
|
89
89
|
uipath/_cli/_utils/_uv_helpers.py,sha256=6SvoLnZPoKIxW0sjMvD1-ENV_HOXDYzH34GjBqwT138,3450
|
|
90
90
|
uipath/_cli/models/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
91
91
|
uipath/_cli/models/runtime_schema.py,sha256=Po1SYFwTBlWZdmwIG2GvFy0WYbZnT5U1aGjfWcd8ZAA,2181
|
|
92
92
|
uipath/_events/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
93
93
|
uipath/_events/_event_bus.py,sha256=4-VzstyX69cr7wT1EY7ywp-Ndyz2CyemD3Wk_-QmRpo,5496
|
|
94
|
-
uipath/_events/_events.py,sha256=
|
|
94
|
+
uipath/_events/_events.py,sha256=eCgqEP4rzDgZShXMC9wgBVx-AcpwaJZlo2yiL7OyxdA,4441
|
|
95
95
|
uipath/_resources/AGENTS.md,sha256=nRQNAVeEBaBvuMzXw8uXtMnGebLClUgwIMlgb8_qU9o,1039
|
|
96
96
|
uipath/_resources/CLAUDE.md,sha256=kYsckFWTVe948z_fNWLysCHvi9_YpchBXl3s1Ek03lU,10
|
|
97
97
|
uipath/_resources/CLI_REFERENCE.md,sha256=stB6W2aUr0o9UzZ49h7ZXvltaLhnwPUe4_erko4Nr9k,6262
|
|
@@ -126,7 +126,7 @@ uipath/_utils/_ssl_context.py,sha256=xSYitos0eJc9cPHzNtHISX9PBvL6D2vas5G_GiBdLp8
|
|
|
126
126
|
uipath/_utils/_url.py,sha256=-4eluSrIZCUlnQ3qU17WPJkgaC2KwF9W5NeqGnTNGGo,2512
|
|
127
127
|
uipath/_utils/_user_agent.py,sha256=pVJkFYacGwaQBomfwWVAvBQgdBUo62e4n3-fLIajWUU,563
|
|
128
128
|
uipath/_utils/constants.py,sha256=2xLT-1aW0aJS2USeZbK-7zRgyyi1bgV60L0rtQOUqOM,1721
|
|
129
|
-
uipath/agent/_utils.py,sha256=
|
|
129
|
+
uipath/agent/_utils.py,sha256=eZJRC2-G-T9vBn62O9Gy6Qipt-5RA5iMIynZTbIQoBA,5565
|
|
130
130
|
uipath/agent/conversation/__init__.py,sha256=5hK-Iz131mnd9m6ANnpZZffxXZLVFDQ9GTg5z9ik1oQ,5265
|
|
131
131
|
uipath/agent/conversation/async_stream.py,sha256=BA_8uU1DgE3VpU2KkJj0rkI3bAHLk_ZJKsajR0ipMpo,2055
|
|
132
132
|
uipath/agent/conversation/citation.py,sha256=42dGv-wiYx3Lt7MPuPCFTkjAlSADFSzjyNXuZHdxqvo,2253
|
|
@@ -184,8 +184,8 @@ uipath/tracing/_utils.py,sha256=X-LFsyIxDeNOGuHPvkb6T5o9Y8ElYhr_rP3CEBJSu4s,1383
|
|
|
184
184
|
uipath/utils/__init__.py,sha256=VD-KXFpF_oWexFg6zyiWMkxl2HM4hYJMIUDZ1UEtGx0,105
|
|
185
185
|
uipath/utils/_endpoints_manager.py,sha256=iRTl5Q0XAm_YgcnMcJOXtj-8052sr6jpWuPNz6CgT0Q,8408
|
|
186
186
|
uipath/utils/dynamic_schema.py,sha256=w0u_54MoeIAB-mf3GmwX1A_X8_HDrRy6p998PvX9evY,3839
|
|
187
|
-
uipath-2.1.
|
|
188
|
-
uipath-2.1.
|
|
189
|
-
uipath-2.1.
|
|
190
|
-
uipath-2.1.
|
|
191
|
-
uipath-2.1.
|
|
187
|
+
uipath-2.1.93.dist-info/METADATA,sha256=TbFA1C7aF3D8rpFAJ8GAjkEgQeTa8BRSn8NPVX1q3_U,6593
|
|
188
|
+
uipath-2.1.93.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
|
|
189
|
+
uipath-2.1.93.dist-info/entry_points.txt,sha256=9C2_29U6Oq1ExFu7usihR-dnfIVNSKc-0EFbh0rskB4,43
|
|
190
|
+
uipath-2.1.93.dist-info/licenses/LICENSE,sha256=-KBavWXepyDjimmzH5fVAsi-6jNVpIKFc2kZs0Ri4ng,1058
|
|
191
|
+
uipath-2.1.93.dist-info/RECORD,,
|
|
File without changes
|
|
File without changes
|
|
File without changes
|