airia 0.1.14__py3-none-any.whl → 0.1.16__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.
@@ -1,7 +1,10 @@
1
- from typing import List, Optional
1
+ from typing import Optional
2
2
 
3
3
  from ...types._api_version import ApiVersion
4
- from ...types.api.pipelines_config import GetPipelineConfigResponse
4
+ from ...types.api.pipelines_config import (
5
+ PipelineConfigResponse,
6
+ ExportPipelineDefinitionResponse,
7
+ )
5
8
  from .._request_handler import RequestHandler
6
9
  from .base_pipelines_config import BasePipelinesConfig
7
10
 
@@ -10,29 +13,28 @@ class PipelinesConfig(BasePipelinesConfig):
10
13
  def __init__(self, request_handler: RequestHandler):
11
14
  super().__init__(request_handler)
12
15
 
13
- def get_active_pipelines_ids(
14
- self, project_id: Optional[str] = None, correlation_id: Optional[str] = None
15
- ) -> List[str]:
16
+ def get_pipeline_config(
17
+ self, pipeline_id: str, correlation_id: Optional[str] = None
18
+ ) -> PipelineConfigResponse:
16
19
  """
17
- Retrieve a list of active pipeline IDs.
20
+ Retrieve configuration details for a specific pipeline.
18
21
 
19
- This method fetches the IDs of all active pipelines, optionally filtered by project.
20
- Active pipelines are those that are currently deployed and available for execution.
22
+ This method fetches comprehensive information about a pipeline including its
23
+ deployment details, execution statistics, version information, and metadata.
21
24
 
22
25
  Args:
23
- project_id (str, optional): The unique identifier of the project to filter
24
- pipelines by. If not provided, returns active pipelines from all projects
25
- accessible to the authenticated user.
26
+ pipeline_id (str): The unique identifier of the pipeline to retrieve
27
+ configuration for.
26
28
  correlation_id (str, optional): A unique identifier for request tracing
27
29
  and logging. If not provided, one will be automatically generated.
28
30
 
29
31
  Returns:
30
- List[str]: A list of pipeline IDs that are currently active. Returns an
31
- empty list if no active pipelines are found.
32
+ PipelineConfigResponse: A response object containing the pipeline
33
+ configuration.
32
34
 
33
35
  Raises:
34
36
  AiriaAPIError: If the API request fails, including cases where:
35
- - The project_id doesn't exist (404)
37
+ - The pipeline_id doesn't exist (404)
36
38
  - Authentication fails (401)
37
39
  - Access is forbidden (403)
38
40
  - Server errors (5xx)
@@ -43,53 +45,47 @@ class PipelinesConfig(BasePipelinesConfig):
43
45
 
44
46
  client = AiriaClient(api_key="your_api_key")
45
47
 
46
- # Get all active pipeline IDs
47
- pipeline_ids = client.pipelines_config.get_active_pipelines_ids()
48
- print(f"Found {len(pipeline_ids)} active pipelines")
49
-
50
- # Get active pipeline IDs for a specific project
51
- project_pipelines = client.pipelines_config.get_active_pipelines_ids(
52
- project_id="your_project_id"
48
+ # Get pipeline configuration
49
+ config = client.pipelines_config.get_pipeline_config(
50
+ pipeline_id="your_pipeline_id"
53
51
  )
54
- print(f"Project has {len(project_pipelines)} active pipelines")
52
+
53
+ print(f"Pipeline: {config.agent.name}")
54
+ print(f"Description: {config.agent.agent_description}")
55
55
  ```
56
56
 
57
57
  Note:
58
- Only pipelines with active versions are returned. Inactive or archived
59
- pipelines are not included in the results.
58
+ This method only retrieves configuration information and does not
59
+ execute the pipeline. Use execute_pipeline() to run the pipeline.
60
60
  """
61
- request_data = self._pre_get_active_pipelines_ids(
62
- project_id=project_id,
61
+ request_data = self._pre_get_pipeline_config(
62
+ pipeline_id=pipeline_id,
63
63
  correlation_id=correlation_id,
64
64
  api_version=ApiVersion.V1.value,
65
65
  )
66
66
  resp = self._request_handler.make_request("GET", request_data)
67
67
 
68
- if "items" not in resp or len(resp["items"]) == 0:
69
- return []
70
-
71
- pipeline_ids = [r["activeVersion"]["pipelineId"] for r in resp["items"]]
68
+ return PipelineConfigResponse(**resp)
72
69
 
73
- return pipeline_ids
74
-
75
- def get_pipeline_config(
70
+ def export_pipeline_definition(
76
71
  self, pipeline_id: str, correlation_id: Optional[str] = None
77
- ) -> GetPipelineConfigResponse:
72
+ ) -> ExportPipelineDefinitionResponse:
78
73
  """
79
- Retrieve configuration details for a specific pipeline.
74
+ Export the complete definition of a pipeline including all its components.
80
75
 
81
- This method fetches comprehensive information about a pipeline including its
82
- deployment details, execution statistics, version information, and metadata.
76
+ This method retrieves a comprehensive export of a pipeline definition including
77
+ metadata, agent configuration, data sources, prompts, tools, models, memories,
78
+ Python code blocks, routers, and deployment information.
83
79
 
84
80
  Args:
85
- pipeline_id (str): The unique identifier of the pipeline to retrieve
86
- configuration for.
81
+ pipeline_id (str): The unique identifier of the pipeline to export
82
+ definition for.
87
83
  correlation_id (str, optional): A unique identifier for request tracing
88
84
  and logging. If not provided, one will be automatically generated.
89
85
 
90
86
  Returns:
91
- GetPipelineConfigResponse: A response object containing the pipeline
92
- configuration.
87
+ ExportPipelineDefinitionResponse: A response object containing the complete
88
+ pipeline definition export.
93
89
 
94
90
  Raises:
95
91
  AiriaAPIError: If the API request fails, including cases where:
@@ -104,24 +100,26 @@ class PipelinesConfig(BasePipelinesConfig):
104
100
 
105
101
  client = AiriaClient(api_key="your_api_key")
106
102
 
107
- # Get pipeline configuration
108
- config = client.pipelines_config.get_pipeline_config(
103
+ # Export pipeline definition
104
+ export = client.pipelines_config.export_pipeline_definition(
109
105
  pipeline_id="your_pipeline_id"
110
106
  )
111
107
 
112
- print(f"Pipeline: {config.agent.name}")
113
- print(f"Description: {config.agent.agent_description}")
108
+ print(f"Pipeline: {export.agent.name}")
109
+ print(f"Export version: {export.metadata.export_version}")
110
+ print(f"Data sources: {len(export.data_sources or [])}")
111
+ print(f"Tools: {len(export.tools or [])}")
114
112
  ```
115
113
 
116
114
  Note:
117
- This method only retrieves configuration information and does not
118
- execute the pipeline. Use execute_pipeline() to run the pipeline.
115
+ This method exports the complete pipeline definition which can be used
116
+ for backup, version control, or importing into other environments.
119
117
  """
120
- request_data = self._pre_get_pipeline_config(
118
+ request_data = self._pre_export_pipeline_definition(
121
119
  pipeline_id=pipeline_id,
122
120
  correlation_id=correlation_id,
123
121
  api_version=ApiVersion.V1.value,
124
122
  )
125
123
  resp = self._request_handler.make_request("GET", request_data)
126
124
 
127
- return GetPipelineConfigResponse(**resp)
125
+ return ExportPipelineDefinitionResponse(**resp)
@@ -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 .deployments import Deployments
14
15
  from .pipeline_execution import PipelineExecution
15
16
  from .pipelines_config import PipelinesConfig
16
17
  from .project import Project
@@ -62,6 +63,7 @@ class AiriaClient(AiriaBaseClient):
62
63
  self.project = Project(self._request_handler)
63
64
  self.conversations = Conversations(self._request_handler)
64
65
  self.store = Store(self._request_handler)
66
+ self.deployments = Deployments(self._request_handler)
65
67
 
66
68
  @classmethod
67
69
  def with_openai_gateway(
@@ -1,3 +1,13 @@
1
- from ._conversations import CreateConversationResponse, GetConversationResponse
1
+ from ._conversations import (
2
+ ConversationMessage,
3
+ CreateConversationResponse,
4
+ GetConversationResponse,
5
+ PolicyRedaction,
6
+ )
2
7
 
3
- __all__ = ["CreateConversationResponse", "GetConversationResponse"]
8
+ __all__ = [
9
+ "CreateConversationResponse",
10
+ "GetConversationResponse",
11
+ "ConversationMessage",
12
+ "PolicyRedaction",
13
+ ]
@@ -0,0 +1,26 @@
1
+ """
2
+ API types for deployment management.
3
+
4
+ This module exports all deployment-related response models and types
5
+ used by the deployments API endpoints.
6
+ """
7
+
8
+ from .get_deployment import GetDeploymentResponse
9
+ from .get_deployments import (
10
+ AboutDeploymentMetadata,
11
+ DataSource,
12
+ DeploymentItem,
13
+ GetDeploymentsResponse,
14
+ Project,
15
+ UserPrompt,
16
+ )
17
+
18
+ __all__ = [
19
+ "AboutDeploymentMetadata",
20
+ "DataSource",
21
+ "DeploymentItem",
22
+ "GetDeploymentResponse",
23
+ "GetDeploymentsResponse",
24
+ "Project",
25
+ "UserPrompt",
26
+ ]
@@ -0,0 +1,106 @@
1
+ """
2
+ Pydantic models for single deployment API responses.
3
+
4
+ This module defines the data structures returned by the get_deployment endpoint,
5
+ which retrieves a single deployment by ID.
6
+ """
7
+
8
+ from typing import List, Optional
9
+ from uuid import UUID
10
+
11
+ from pydantic import BaseModel, Field
12
+
13
+ from .get_deployments import AboutDeploymentMetadata, DataSource, UserPrompt
14
+
15
+
16
+ class GetDeploymentResponse(BaseModel):
17
+ """
18
+ Response model for retrieving a single deployment.
19
+
20
+ Represents a deployment DTO with complete information about the deployment,
21
+ including its configuration, associated resources, and metadata.
22
+
23
+ Attributes:
24
+ id: Unique deployment identifier
25
+ pipeline_id: Unique identifier of the pipeline powering this deployment
26
+ pipeline_name: Name of the pipeline associated with this deployment
27
+ project_id: Unique identifier of the project containing this deployment
28
+ deployment_name: Human-readable name of the deployment
29
+ deployment_icon_url: Optional URL to the deployment's icon image
30
+ deployment_icon_id: Optional unique identifier for the deployment icon
31
+ description: Detailed description of what the deployment does
32
+ tags: List of tags for categorizing and filtering deployments
33
+ is_recommended: Whether this deployment is marked as recommended
34
+ user_prompts: List of user prompts associated with this deployment
35
+ deployment_prompt: Optional hardcoded prompt type for the deployment
36
+ user_ids: List of user IDs that have access to this deployment
37
+ group_ids: List of group IDs that have access to this deployment
38
+ conversation_type: Type of conversation this deployment supports
39
+ data_sources: List of data sources that the deployment can access
40
+ pipeline_user_id: ID of the user who created the underlying pipeline
41
+ about: Optional metadata for the About tab
42
+ """
43
+
44
+ id: UUID = Field(description="Gets the deployment ID.")
45
+ pipeline_id: UUID = Field(
46
+ alias="pipelineId",
47
+ description="Gets the pipeline ID associated with this deployment.",
48
+ )
49
+ pipeline_name: Optional[str] = Field(
50
+ None,
51
+ alias="pipelineName",
52
+ description="Gets the pipeline name associated with this deployment.",
53
+ )
54
+ project_id: UUID = Field(
55
+ alias="projectId",
56
+ description="Gets the project ID associated with this deployment.",
57
+ )
58
+ deployment_name: str = Field(
59
+ alias="deploymentName", description="Gets the deployment name."
60
+ )
61
+ deployment_icon_url: Optional[str] = Field(
62
+ None, alias="deploymentIconUrl", description="Gets the Deployment Icon URL."
63
+ )
64
+ deployment_icon_id: Optional[UUID] = Field(
65
+ None, alias="deploymentIconId", description="Gets the Deployment Icon Id."
66
+ )
67
+ description: str = Field(description="Gets the deployment description.")
68
+ tags: List[str] = Field(description="Gets the Tags.")
69
+ is_recommended: bool = Field(
70
+ alias="isRecommended",
71
+ description="Gets a value indicating whether the deployment is recommended.",
72
+ )
73
+ user_prompts: List[UserPrompt] = Field(
74
+ alias="userPrompts",
75
+ description="Gets the user prompts associated with this deployment.",
76
+ )
77
+ deployment_prompt: Optional[str] = Field(
78
+ None,
79
+ alias="deploymentPrompt",
80
+ description="Gets or sets the optional deployment prompt type.",
81
+ )
82
+ user_ids: Optional[List[UUID]] = Field(
83
+ alias="userIds",
84
+ description="Gets or sets the user IDs associated with this deployment.",
85
+ )
86
+ group_ids: Optional[List[UUID]] = Field(
87
+ alias="groupIds",
88
+ description="Gets or sets the group IDs associated with this deployment.",
89
+ )
90
+ conversation_type: str = Field(
91
+ alias="conversationType",
92
+ description="Gets or sets the conversation start type for this deployment.",
93
+ )
94
+ data_sources: List[DataSource] = Field(
95
+ alias="dataSources",
96
+ description="Gets the data sources associated with this deployment.",
97
+ )
98
+ pipeline_user_id: Optional[UUID] = Field(
99
+ None,
100
+ alias="pipelineUserId",
101
+ description="Gets the ID of the user who created deployed agent.",
102
+ )
103
+ about: Optional[AboutDeploymentMetadata] = Field(
104
+ None,
105
+ description="Gets the deployment metadata for the 'About' section.",
106
+ )
@@ -0,0 +1,224 @@
1
+ """
2
+ Pydantic models for deployment API responses.
3
+
4
+ This module defines the data structures returned by deployment-related endpoints,
5
+ including deployment listings with metadata, user prompts, and data sources.
6
+ """
7
+
8
+ from datetime import datetime
9
+ from typing import List, Optional
10
+ from uuid import UUID
11
+
12
+ from pydantic import BaseModel, Field
13
+
14
+
15
+ class Project(BaseModel):
16
+ """
17
+ The base project model.
18
+
19
+ Represents basic project information within deployment contexts.
20
+
21
+ Attributes:
22
+ id: Unique project identifier
23
+ name: Human-readable project name
24
+ """
25
+
26
+ id: UUID = Field(description="Gets or sets the project identifier.")
27
+ name: str = Field(description="Gets or sets the project name.")
28
+
29
+
30
+ class DataSource(BaseModel):
31
+ """
32
+ Condensed version of the datasource DTO.
33
+
34
+ Represents basic data source information associated with deployments.
35
+
36
+ Attributes:
37
+ id: Optional unique identifier for the data source
38
+ name: Optional human-readable name of the data source
39
+ """
40
+
41
+ id: Optional[UUID] = Field(
42
+ None, description="Gets or Sets the datasource identifier."
43
+ )
44
+ name: Optional[str] = Field(None, description="Gets or Sets the datasource name.")
45
+
46
+
47
+ class UserPrompt(BaseModel):
48
+ """
49
+ Represents a user prompt entity in the system.
50
+
51
+ User prompts are reusable text templates that can be associated with deployments
52
+ to provide consistent interaction patterns.
53
+
54
+ Attributes:
55
+ user_prompt_id: Unique identifier for the user prompt
56
+ name: Human-readable name of the user prompt
57
+ message: The actual prompt message content
58
+ description: Detailed description of what the prompt does
59
+ updated_at: Timestamp of when the prompt was last modified
60
+ active_deployments: Number of active deployments using this prompt
61
+ project_id: Unique identifier of the project containing this prompt
62
+ project_name: Name of the project containing this prompt
63
+ project: Complete project information associated with this prompt
64
+ """
65
+
66
+ user_prompt_id: UUID = Field(
67
+ alias="userPromptId",
68
+ description="Gets or sets the unique identifier for the user prompt.",
69
+ )
70
+ name: str = Field(description="Gets or sets the name of the UserPrompt.")
71
+ message: str = Field(description="Gets or sets the UserPrompt Message.")
72
+ description: str = Field(description="Gets or sets the UserPrompt Description.")
73
+ updated_at: datetime = Field(
74
+ alias="updatedAt",
75
+ description="Gets or sets the last modified date of the UserPrompt.",
76
+ )
77
+ active_deployments: int = Field(
78
+ alias="activeDeployments",
79
+ description="Gets or sets the number of active deployments for the UserPrompt.",
80
+ )
81
+ project_id: UUID = Field(
82
+ alias="projectId",
83
+ description="Gets or sets the unique identifier of the project that the prompt belongs to.",
84
+ )
85
+ project_name: Optional[str] = Field(
86
+ None,
87
+ alias="projectName",
88
+ description="Gets or sets the name of the project that the prompt belongs to.",
89
+ )
90
+ project: Optional[Project] = Field(None, description="Gets or sets the project.")
91
+
92
+
93
+ class AboutDeploymentMetadata(BaseModel):
94
+ """
95
+ Represents metadata about a deployment for the About tab.
96
+
97
+ Contains additional information displayed in the deployment's About section,
98
+ including documentation and multimedia resources.
99
+
100
+ Attributes:
101
+ version: Version of the About Deployment metadata format
102
+ video_url: URL to an explanatory video for the deployment
103
+ """
104
+
105
+ version: int = Field(
106
+ description="Gets or sets the version of the About Deployment metadata."
107
+ )
108
+ video_url: str = Field(alias="videoUrl", description="Gets or sets the video url.")
109
+
110
+
111
+ class DeploymentItem(BaseModel):
112
+ """
113
+ Represents a deployment DTO.
114
+
115
+ A deployment is a configured and published AI agent that can be used for conversations.
116
+ It contains all the necessary information including the underlying pipeline,
117
+ associated data sources, user prompts, and configuration settings.
118
+
119
+ Attributes:
120
+ deployment_id: Unique identifier for the deployment
121
+ pipeline_id: Unique identifier of the pipeline powering this deployment
122
+ deployment_name: Human-readable name of the deployment
123
+ deployment_icon_url: Optional URL to the deployment's icon image
124
+ description: Detailed description of what the deployment does
125
+ project_id: Unique identifier of the project containing this deployment
126
+ project_name: Name of the project containing this deployment
127
+ user_prompts: List of user prompts associated with this deployment
128
+ data_sources: List of data sources that the deployment can access
129
+ is_recommended: Whether this deployment is marked as recommended
130
+ tags: List of tags for categorizing and filtering deployments
131
+ is_pinned: Whether this deployment is pinned for the current user
132
+ deployment_type: Type of deployment (Chat, AddinChat, etc.)
133
+ conversation_type: Type of conversation this deployment supports
134
+ created_at: Timestamp when the deployment was created
135
+ pipeline_user_id: ID of the user who created the underlying pipeline
136
+ pipeline_name: Name of the underlying pipeline/agent
137
+ deployment_prompt: Optional hardcoded prompt type for the deployment
138
+ about_deployment_metadata: Optional metadata for the About tab
139
+ """
140
+
141
+ deployment_id: UUID = Field(
142
+ alias="deploymentId", description="Gets the deployment ID."
143
+ )
144
+ pipeline_id: UUID = Field(
145
+ alias="pipelineId",
146
+ description="Gets the pipeline ID associated with this deployment.",
147
+ )
148
+ deployment_name: str = Field(
149
+ alias="deploymentName", description="Gets the deployment name."
150
+ )
151
+ deployment_icon_url: Optional[str] = Field(
152
+ None, alias="deploymentIconUrl", description="Gets the Deployment Icon URL."
153
+ )
154
+ description: str = Field(description="Gets the deployment description.")
155
+ project_id: UUID = Field(
156
+ alias="projectId",
157
+ description="Gets the projectId associated with this deployment.",
158
+ )
159
+ project_name: Optional[str] = Field(
160
+ None,
161
+ alias="projectName",
162
+ description="Gets the project name associated with this deployment.",
163
+ )
164
+ user_prompts: List[UserPrompt] = Field(
165
+ alias="userPrompts",
166
+ description="Gets the user prompts associated with this deployment.",
167
+ )
168
+ data_sources: List[DataSource] = Field(
169
+ alias="dataSources",
170
+ description="Gets the data sources associated with this deployment.",
171
+ )
172
+ is_recommended: bool = Field(
173
+ alias="isRecommended",
174
+ description="Gets a value indicating whether the deployment is recommended.",
175
+ )
176
+ tags: List[str] = Field(description="Gets the Tags.")
177
+ is_pinned: bool = Field(
178
+ alias="isPinned",
179
+ description="Gets a value indicating whether the deployment is pinned for this user.",
180
+ )
181
+ deployment_type: str = Field(
182
+ alias="deploymentType", description="Gets the deployment type."
183
+ )
184
+ conversation_type: str = Field(
185
+ alias="conversationType",
186
+ description="Gets or sets the conversation start type for this deployment.",
187
+ )
188
+ created_at: Optional[datetime] = Field(
189
+ None, alias="createdAt", description="Gets when the deployment was created."
190
+ )
191
+ pipeline_user_id: Optional[UUID] = Field(
192
+ None,
193
+ alias="pipelineUserId",
194
+ description="Gets the ID of the user who created deployed agent.",
195
+ )
196
+ pipeline_name: Optional[str] = Field(
197
+ None, alias="pipelineName", description="Gets the name of the agent."
198
+ )
199
+ deployment_prompt: Optional[str] = Field(
200
+ None, alias="deploymentPrompt", description="Gets the deployment prompt."
201
+ )
202
+ about_deployment_metadata: Optional[AboutDeploymentMetadata] = Field(
203
+ None,
204
+ alias="aboutDeploymentMetadata",
205
+ description="Gets the metadata about the deployment, such as the video link.",
206
+ )
207
+
208
+
209
+ class GetDeploymentsResponse(BaseModel):
210
+ """
211
+ Paged results for deployment entities.
212
+
213
+ Contains a paginated list of deployments along with the total count,
214
+ allowing for efficient retrieval of large deployment collections.
215
+
216
+ Attributes:
217
+ items: List of deployment items in the current page
218
+ total_count: Total number of deployments matching the query
219
+ """
220
+
221
+ items: List[DeploymentItem] = Field(description="Gets or sets a list of items.")
222
+ total_count: int = Field(
223
+ alias="totalCount", description="Gets or sets the total count of items."
224
+ )
@@ -1,3 +1,87 @@
1
- from .get_pipeline_config import GetPipelineConfigResponse
1
+ """Pipeline configuration API response types."""
2
2
 
3
- __all__ = ["GetPipelineConfigResponse"]
3
+ from .get_pipeline_config import (
4
+ AboutDeploymentMetadata,
5
+ AgentDetailsEntry,
6
+ AgentTrigger,
7
+ Deployment,
8
+ DeploymentAssignment,
9
+ DeploymentUserPrompt,
10
+ Pipeline,
11
+ PipelineConfigResponse,
12
+ PipelineExecutionStats,
13
+ PipelineStep,
14
+ PipelineStepDependency,
15
+ PipelineStepHandle,
16
+ PipelineStepPosition,
17
+ PipelineVersion,
18
+ )
19
+ from .export_pipeline_definition import (
20
+ AgentDetailItemDefinition,
21
+ ExportPipelineDefinitionResponse,
22
+ ExportChunkingConfig,
23
+ ExportCredentialDataList,
24
+ ExportCredentials,
25
+ ExportDataSource,
26
+ ExportDataSourceFile,
27
+ ExportDependency,
28
+ ExportDeployment,
29
+ ExportHandle,
30
+ ExportMemory,
31
+ ExportMetadata,
32
+ ExportModel,
33
+ ExportPipeline,
34
+ ExportPipelineStep,
35
+ ExportPosition,
36
+ ExportPrompt,
37
+ ExportPromptMessageList,
38
+ ExportPythonCodeBlock,
39
+ ExportRouter,
40
+ ExportRouterConfig,
41
+ ExportTool,
42
+ ExportToolHeaders,
43
+ ExportToolParameters,
44
+ ExportUserPrompt,
45
+ )
46
+
47
+ __all__ = [
48
+ "AboutDeploymentMetadata",
49
+ "AgentDetailsEntry",
50
+ "AgentTrigger",
51
+ "Deployment",
52
+ "DeploymentAssignment",
53
+ "DeploymentUserPrompt",
54
+ "ExportPipelineDefinitionResponse",
55
+ "Pipeline",
56
+ "PipelineConfigResponse",
57
+ "PipelineExecutionStats",
58
+ "PipelineStep",
59
+ "PipelineStepDependency",
60
+ "PipelineStepHandle",
61
+ "PipelineStepPosition",
62
+ "PipelineVersion",
63
+ "AgentDetailItemDefinition",
64
+ "ExportChunkingConfig",
65
+ "ExportCredentialDataList",
66
+ "ExportCredentials",
67
+ "ExportDataSource",
68
+ "ExportDataSourceFile",
69
+ "ExportDependency",
70
+ "ExportDeployment",
71
+ "ExportHandle",
72
+ "ExportMemory",
73
+ "ExportMetadata",
74
+ "ExportModel",
75
+ "ExportPipeline",
76
+ "ExportPipelineStep",
77
+ "ExportPosition",
78
+ "ExportPrompt",
79
+ "ExportPromptMessageList",
80
+ "ExportPythonCodeBlock",
81
+ "ExportRouter",
82
+ "ExportRouterConfig",
83
+ "ExportTool",
84
+ "ExportToolHeaders",
85
+ "ExportToolParameters",
86
+ "ExportUserPrompt",
87
+ ]