Skip to content

Commit 9014061

Browse files
thiago-aixplainThiago Castro Ferreiralucas-aixplain
authored
M 6656407247 agentification (#197)
* Agent CRUD * Fixes in the structure * Delete agent method * Add input/output to PipelineFactory and use api_key from parameter (#182) * Enabling pipeline tools * M 6875703542 agentification deployment (#195) * First changes for agent integration with backend * Official creation and deletion services * Running agent method --------- Co-authored-by: Thiago Castro Ferreira <thiago@aixplain.com> * Fix bug when supplier and tools are not given * Add agents functional tests (#204) --------- Co-authored-by: Thiago Castro Ferreira <thiagocastroferreira@ip-192-168-0-4.ec2.internal> Co-authored-by: Lucas Pavanelli <86805709+lucas-aixplain@users.noreply.github.com> Co-authored-by: Thiago Castro Ferreira <thiago@aixplain.com> Co-authored-by: Lucas Pavanelli <lucas.pavanelli@aixplain.com>
1 parent 3695686 commit 9014061

17 files changed

+752
-17
lines changed

aixplain/factories/__init__.py

+1
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,7 @@
2020
limitations under the License.
2121
"""
2222
from .asset_factory import AssetFactory
23+
from .agent_factory import AgentFactory
2324
from .benchmark_factory import BenchmarkFactory
2425
from .corpus_factory import CorpusFactory
2526
from .data_factory import DataFactory
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,166 @@
1+
__author__ = "lucaspavanelli"
2+
3+
"""
4+
Copyright 2024 The aiXplain SDK authors
5+
6+
Licensed under the Apache License, Version 2.0 (the "License");
7+
you may not use this file except in compliance with the License.
8+
You may obtain a copy of the License at
9+
10+
http://www.apache.org/licenses/LICENSE-2.0
11+
12+
Unless required by applicable law or agreed to in writing, software
13+
distributed under the License is distributed on an "AS IS" BASIS,
14+
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
15+
See the License for the specific language governing permissions and
16+
limitations under the License.
17+
18+
Author: Thiago Castro Ferreira and Lucas Pavanelli
19+
Date: May 16th 2024
20+
Description:
21+
Agent Factory Class
22+
"""
23+
24+
import json
25+
import logging
26+
27+
from aixplain.enums.supplier import Supplier
28+
from aixplain.modules.agent import Agent, Tool
29+
from aixplain.modules.agent.tool.model_tool import ModelTool
30+
from aixplain.modules.agent.tool.pipeline_tool import PipelineTool
31+
from aixplain.utils import config
32+
from typing import Dict, List, Optional, Text, Union
33+
34+
from aixplain.factories.agent_factory.utils import build_agent
35+
from aixplain.utils.file_utils import _request_with_retry
36+
from urllib.parse import urljoin
37+
38+
39+
class AgentFactory:
40+
@classmethod
41+
def create(
42+
cls,
43+
name: Text,
44+
llm_id: Text,
45+
tools: List[Tool] = [],
46+
description: Text = "",
47+
api_key: Text = config.TEAM_API_KEY,
48+
supplier: Union[Dict, Text, Supplier, int] = "aiXplain",
49+
version: Optional[Text] = None,
50+
) -> Agent:
51+
"""Create a new agent in the platform."""
52+
try:
53+
agent = None
54+
url = urljoin(config.BACKEND_URL, "sdk/agents")
55+
headers = {"x-api-key": api_key}
56+
57+
if isinstance(supplier, dict):
58+
supplier = supplier["code"]
59+
elif isinstance(supplier, Supplier):
60+
supplier = supplier.value["code"]
61+
62+
tool_payload = []
63+
for tool in tools:
64+
if isinstance(tool, ModelTool):
65+
tool_payload.append(
66+
{
67+
"function": tool.function.value,
68+
"type": "model",
69+
"description": tool.description,
70+
"supplier": tool.supplier.value["code"] if tool.supplier else None,
71+
"version": tool.version if tool.version else None,
72+
}
73+
)
74+
elif isinstance(tool, PipelineTool):
75+
tool_payload.append(
76+
{
77+
"assetId": tool.pipeline,
78+
"description": tool.description,
79+
"type": "pipeline",
80+
}
81+
)
82+
else:
83+
raise Exception("Agent Creation Error: Tool type not supported.")
84+
85+
payload = {
86+
"name": name,
87+
"assets": tool_payload,
88+
"description": description,
89+
"supplier": supplier,
90+
"version": version,
91+
}
92+
if llm_id is not None:
93+
payload["llmId"] = llm_id
94+
95+
logging.info(f"Start service for POST Create Agent - {url} - {headers} - {json.dumps(payload)}")
96+
r = _request_with_retry("post", url, headers=headers, json=payload)
97+
if 200 <= r.status_code < 300:
98+
response = r.json()
99+
agent = build_agent(payload=response, api_key=api_key)
100+
else:
101+
error = r.json()
102+
error_msg = "Agent Onboarding Error: Please contant the administrators."
103+
if "message" in error:
104+
msg = error["message"]
105+
if error["message"] == "err.name_already_exists":
106+
msg = "Agent name already exists."
107+
elif error["message"] == "err.asset_is_not_available":
108+
msg = "Some the tools are not available."
109+
error_msg = f"Agent Onboarding Error (HTTP {r.status_code}): {msg}"
110+
logging.exception(error_msg)
111+
raise Exception(error_msg)
112+
except Exception as e:
113+
raise Exception(e)
114+
return agent
115+
116+
@classmethod
117+
def list(cls) -> Dict:
118+
"""List all agents available in the platform."""
119+
url = urljoin(config.BACKEND_URL, "sdk/agents")
120+
headers = {"x-api-key": config.TEAM_API_KEY, "Content-Type": "application/json"}
121+
122+
payload = {}
123+
logging.info(f"Start service for GET List Agents - {url} - {headers} - {json.dumps(payload)}")
124+
try:
125+
r = _request_with_retry("get", url, headers=headers)
126+
resp = r.json()
127+
128+
if 200 <= r.status_code < 300:
129+
agents, page_total, total = [], 0, 0
130+
results = resp
131+
page_total = len(results)
132+
total = len(results)
133+
logging.info(f"Response for GET List Agents - Page Total: {page_total} / Total: {total}")
134+
for agent in results:
135+
agents.append(build_agent(agent))
136+
return {"results": agents, "page_total": page_total, "page_number": 0, "total": total}
137+
else:
138+
error_msg = "Agent Listing Error: Please contant the administrators."
139+
if "message" in resp:
140+
msg = resp["message"]
141+
error_msg = f"Agent Listing Error (HTTP {r.status_code}): {msg}"
142+
logging.exception(error_msg)
143+
raise Exception(error_msg)
144+
except Exception as e:
145+
raise Exception(e)
146+
147+
@classmethod
148+
def get(cls, agent_id: Text, api_key: Optional[Text] = None) -> Agent:
149+
"""Get agent by id."""
150+
url = urljoin(config.BACKEND_URL, f"sdk/agents/{agent_id}")
151+
if config.AIXPLAIN_API_KEY != "":
152+
headers = {"x-aixplain-key": f"{config.AIXPLAIN_API_KEY}", "Content-Type": "application/json"}
153+
else:
154+
api_key = api_key if api_key is not None else config.TEAM_API_KEY
155+
headers = {"x-api-key": api_key, "Content-Type": "application/json"}
156+
logging.info(f"Start service for GET Agent - {url} - {headers}")
157+
r = _request_with_retry("get", url, headers=headers)
158+
resp = r.json()
159+
if 200 <= r.status_code < 300:
160+
return build_agent(resp)
161+
else:
162+
msg = "Please contant the administrators."
163+
if "message" in resp:
164+
msg = resp["message"]
165+
error_msg = f"Agent Get Error (HTTP {r.status_code}): {msg}"
166+
raise Exception(error_msg)
+48
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,48 @@
1+
__author__ = "thiagocastroferreira"
2+
3+
import aixplain.utils.config as config
4+
from aixplain.enums import Function, Supplier
5+
from aixplain.enums.asset_status import AssetStatus
6+
from aixplain.modules.agent import Agent, ModelTool, PipelineTool
7+
from typing import Dict, Text
8+
from urllib.parse import urljoin
9+
10+
11+
def build_agent(payload: Dict, api_key: Text = config.TEAM_API_KEY) -> Agent:
12+
"""Instantiate a new agent in the platform."""
13+
tools = payload["assets"]
14+
for i, tool in enumerate(tools):
15+
if tool["type"] == "model":
16+
for supplier in Supplier:
17+
if tool["supplier"] is not None and tool["supplier"].lower() in [
18+
supplier.value["code"].lower(),
19+
supplier.value["name"].lower(),
20+
]:
21+
tool["supplier"] = supplier
22+
break
23+
24+
tool = ModelTool(
25+
function=Function(tool["function"]),
26+
supplier=tool["supplier"],
27+
version=tool["version"],
28+
)
29+
elif tool["type"] == "pipeline":
30+
tool = PipelineTool(description=tool["description"], pipeline=tool["assetId"])
31+
else:
32+
raise Exception("Agent Creation Error: Tool type not supported.")
33+
tools[i] = tool
34+
35+
agent = Agent(
36+
id=payload["id"],
37+
name=payload["name"] if "name" in payload else "",
38+
tools=tools,
39+
description=payload["description"] if "description" in payload else "",
40+
supplier=payload["teamId"] if "teamId" in payload else None,
41+
version=payload["version"] if "version" in payload else None,
42+
cost=payload["cost"] if "cost" in payload else None,
43+
llm_id=payload["llmId"] if "llmId" in payload else "6646261c6eb563165658bbb1",
44+
api_key=api_key,
45+
status=AssetStatus(payload["status"]),
46+
)
47+
agent.url = urljoin(config.BACKEND_URL, f"sdk/agents/{agent.id}/run")
48+
return agent

aixplain/factories/pipeline_factory.py

+8-1
Original file line numberDiff line numberDiff line change
@@ -45,6 +45,11 @@ class PipelineFactory:
4545
aixplain_key = config.AIXPLAIN_API_KEY
4646
backend_url = config.BACKEND_URL
4747

48+
@classmethod
49+
def __get_typed_nodes(cls, response: Dict, type: str) -> List[Dict]:
50+
# read "nodes" field from response and return the nodes that are marked by "type": type
51+
return [node for node in response["nodes"] if node["type"].lower() == type.lower()]
52+
4853
@classmethod
4954
def __from_response(cls, response: Dict) -> Pipeline:
5055
"""Converts response Json to 'Pipeline' object
@@ -57,7 +62,9 @@ def __from_response(cls, response: Dict) -> Pipeline:
5762
"""
5863
if "api_key" not in response:
5964
response["api_key"] = config.TEAM_API_KEY
60-
return Pipeline(response["id"], response["name"], response["api_key"])
65+
input = cls.__get_typed_nodes(response, "input")
66+
output = cls.__get_typed_nodes(response, "output")
67+
return Pipeline(response["id"], response["name"], response["api_key"], input=input, output=output)
6168

6269
@classmethod
6370
def get(cls, pipeline_id: Text, api_key: Optional[Text] = None) -> Pipeline:

aixplain/modules/__init__.py

+2
Original file line numberDiff line numberDiff line change
@@ -33,3 +33,5 @@
3333
from .finetune.status import FinetuneStatus
3434
from .benchmark import Benchmark
3535
from .benchmark_job import BenchmarkJob
36+
from .agent import Agent
37+
from .agent.tool import Tool

0 commit comments

Comments
 (0)