forked from phoenix-oss/llama-stack-mirror
Tools API with brave and MCP providers (#639)
This PR adds a new Tools api and adds two tool runtime providers: brave and MCP. Test plan: ``` curl -X POST 'http://localhost:5000/alpha/toolgroups/register' \ -H 'Content-Type: application/json' \ -d '{ "tool_group_id": "simple_tool", "tool_group": { "type": "model_context_protocol", "endpoint": {"uri": "http://localhost:56000/sse"} }, "provider_id": "model-context-protocol" }' curl -X POST 'http://localhost:5000/alpha/toolgroups/register' \ -H 'Content-Type: application/json' \ -d '{ "tool_group_id": "search", "provider_id": "brave-search", "tool_group": { "type": "user_defined", "tools": [ { "name": "brave_search", "description": "A web search tool", "parameters": [ { "name": "query", "parameter_type": "string", "description": "The query to search" } ], "metadata": {}, "tool_prompt_format": "json" } ] } }' curl -X GET http://localhost:5000/alpha/tools/list | jq . % Total % Received % Xferd Average Speed Time Time Time Current Dload Upload Total Spent Left Speed 100 662 100 662 0 0 333k 0 --:--:-- --:--:-- --:--:-- 646k [ { "identifier": "brave_search", "provider_resource_id": "brave_search", "provider_id": "brave-search", "type": "tool", "tool_group": "search", "description": "A web search tool", "parameters": [ { "name": "query", "parameter_type": "string", "description": "The query to search" } ], "metadata": {}, "tool_prompt_format": "json" }, { "identifier": "fetch", "provider_resource_id": "fetch", "provider_id": "model-context-protocol", "type": "tool", "tool_group": "simple_tool", "description": "Fetches a website and returns its content", "parameters": [ { "name": "url", "parameter_type": "string", "description": "URL to fetch" } ], "metadata": { "endpoint": "http://localhost:56000/sse" }, "tool_prompt_format": "json" } ] curl -X POST 'http://localhost:5000/alpha/tool-runtime/invoke' \ -H 'Content-Type: application/json' \ -d '{ "tool_name": "fetch", "args": { "url": "http://google.com/" } }' curl -X POST 'http://localhost:5000/alpha/tool-runtime/invoke' \ -H 'Content-Type: application/json' -H 'X-LlamaStack-ProviderData: {"api_key": "<KEY>"}' \ -d '{ "tool_name": "brave_search", "args": { "query": "who is meta ceo" } }' ```
This commit is contained in:
parent
17fdb47e5e
commit
c8be0bf1c9
17 changed files with 633 additions and 24 deletions
|
@ -18,6 +18,8 @@ class ResourceType(Enum):
|
||||||
dataset = "dataset"
|
dataset = "dataset"
|
||||||
scoring_function = "scoring_function"
|
scoring_function = "scoring_function"
|
||||||
eval_task = "eval_task"
|
eval_task = "eval_task"
|
||||||
|
tool = "tool"
|
||||||
|
tool_group = "tool_group"
|
||||||
|
|
||||||
|
|
||||||
class Resource(BaseModel):
|
class Resource(BaseModel):
|
||||||
|
|
7
llama_stack/apis/tools/__init__.py
Normal file
7
llama_stack/apis/tools/__init__.py
Normal file
|
@ -0,0 +1,7 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from .tools import * # noqa: F401 F403
|
141
llama_stack/apis/tools/tools.py
Normal file
141
llama_stack/apis/tools/tools.py
Normal file
|
@ -0,0 +1,141 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from typing import Annotated, Any, Dict, List, Literal, Optional, Union
|
||||||
|
|
||||||
|
from llama_models.llama3.api.datatypes import ToolPromptFormat
|
||||||
|
from llama_models.schema_utils import json_schema_type, register_schema, webmethod
|
||||||
|
from pydantic import BaseModel, Field
|
||||||
|
from typing_extensions import Protocol, runtime_checkable
|
||||||
|
|
||||||
|
from llama_stack.apis.common.content_types import InterleavedContent, URL
|
||||||
|
from llama_stack.apis.resource import Resource, ResourceType
|
||||||
|
from llama_stack.providers.utils.telemetry.trace_protocol import trace_protocol
|
||||||
|
|
||||||
|
|
||||||
|
@json_schema_type
|
||||||
|
class ToolParameter(BaseModel):
|
||||||
|
name: str
|
||||||
|
parameter_type: str
|
||||||
|
description: str
|
||||||
|
|
||||||
|
|
||||||
|
@json_schema_type
|
||||||
|
class Tool(Resource):
|
||||||
|
type: Literal[ResourceType.tool.value] = ResourceType.tool.value
|
||||||
|
tool_group: str
|
||||||
|
description: str
|
||||||
|
parameters: List[ToolParameter]
|
||||||
|
provider_id: Optional[str] = None
|
||||||
|
metadata: Optional[Dict[str, Any]] = None
|
||||||
|
tool_prompt_format: Optional[ToolPromptFormat] = Field(
|
||||||
|
default=ToolPromptFormat.json
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@json_schema_type
|
||||||
|
class ToolDef(BaseModel):
|
||||||
|
name: str
|
||||||
|
description: str
|
||||||
|
parameters: List[ToolParameter]
|
||||||
|
metadata: Dict[str, Any]
|
||||||
|
tool_prompt_format: Optional[ToolPromptFormat] = Field(
|
||||||
|
default=ToolPromptFormat.json
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@json_schema_type
|
||||||
|
class MCPToolGroupDef(BaseModel):
|
||||||
|
"""
|
||||||
|
A tool group that is defined by in a model context protocol server.
|
||||||
|
Refer to https://modelcontextprotocol.io/docs/concepts/tools for more information.
|
||||||
|
"""
|
||||||
|
|
||||||
|
type: Literal["model_context_protocol"] = "model_context_protocol"
|
||||||
|
endpoint: URL
|
||||||
|
|
||||||
|
|
||||||
|
@json_schema_type
|
||||||
|
class UserDefinedToolGroupDef(BaseModel):
|
||||||
|
type: Literal["user_defined"] = "user_defined"
|
||||||
|
tools: List[ToolDef]
|
||||||
|
|
||||||
|
|
||||||
|
ToolGroupDef = register_schema(
|
||||||
|
Annotated[
|
||||||
|
Union[MCPToolGroupDef, UserDefinedToolGroupDef], Field(discriminator="type")
|
||||||
|
],
|
||||||
|
name="ToolGroup",
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class ToolGroup(Resource):
|
||||||
|
type: Literal[ResourceType.tool_group.value] = ResourceType.tool_group.value
|
||||||
|
|
||||||
|
|
||||||
|
@json_schema_type
|
||||||
|
class ToolInvocationResult(BaseModel):
|
||||||
|
content: InterleavedContent
|
||||||
|
error_message: Optional[str] = None
|
||||||
|
error_code: Optional[int] = None
|
||||||
|
|
||||||
|
|
||||||
|
class ToolStore(Protocol):
|
||||||
|
def get_tool(self, tool_name: str) -> Tool: ...
|
||||||
|
|
||||||
|
|
||||||
|
@runtime_checkable
|
||||||
|
@trace_protocol
|
||||||
|
class ToolGroups(Protocol):
|
||||||
|
@webmethod(route="/toolgroups/register", method="POST")
|
||||||
|
async def register_tool_group(
|
||||||
|
self,
|
||||||
|
tool_group_id: str,
|
||||||
|
tool_group: ToolGroupDef,
|
||||||
|
provider_id: Optional[str] = None,
|
||||||
|
) -> None:
|
||||||
|
"""Register a tool group"""
|
||||||
|
...
|
||||||
|
|
||||||
|
@webmethod(route="/toolgroups/get", method="GET")
|
||||||
|
async def get_tool_group(
|
||||||
|
self,
|
||||||
|
tool_group_id: str,
|
||||||
|
) -> ToolGroup: ...
|
||||||
|
|
||||||
|
@webmethod(route="/toolgroups/list", method="GET")
|
||||||
|
async def list_tool_groups(self) -> List[ToolGroup]:
|
||||||
|
"""List tool groups with optional provider"""
|
||||||
|
...
|
||||||
|
|
||||||
|
@webmethod(route="/tools/list", method="GET")
|
||||||
|
async def list_tools(self, tool_group_id: Optional[str] = None) -> List[Tool]:
|
||||||
|
"""List tools with optional tool group"""
|
||||||
|
...
|
||||||
|
|
||||||
|
@webmethod(route="/tools/get", method="GET")
|
||||||
|
async def get_tool(self, tool_name: str) -> Tool: ...
|
||||||
|
|
||||||
|
@webmethod(route="/toolgroups/unregister", method="POST")
|
||||||
|
async def unregister_tool_group(self, tool_group_id: str) -> None:
|
||||||
|
"""Unregister a tool group"""
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
@runtime_checkable
|
||||||
|
@trace_protocol
|
||||||
|
class ToolRuntime(Protocol):
|
||||||
|
tool_store: ToolStore
|
||||||
|
|
||||||
|
@webmethod(route="/tool-runtime/discover", method="POST")
|
||||||
|
async def discover_tools(self, tool_group: ToolGroupDef) -> List[ToolDef]: ...
|
||||||
|
|
||||||
|
@webmethod(route="/tool-runtime/invoke", method="POST")
|
||||||
|
async def invoke_tool(
|
||||||
|
self, tool_name: str, args: Dict[str, Any]
|
||||||
|
) -> ToolInvocationResult:
|
||||||
|
"""Run a tool with the given arguments"""
|
||||||
|
...
|
|
@ -8,19 +8,20 @@ from typing import Dict, List, Optional, Union
|
||||||
|
|
||||||
from pydantic import BaseModel, Field
|
from pydantic import BaseModel, Field
|
||||||
|
|
||||||
from llama_stack.providers.datatypes import * # noqa: F403
|
|
||||||
from llama_stack.apis.models import * # noqa: F403
|
|
||||||
from llama_stack.apis.shields import * # noqa: F403
|
|
||||||
from llama_stack.apis.memory_banks import * # noqa: F403
|
|
||||||
from llama_stack.apis.datasets import * # noqa: F403
|
|
||||||
from llama_stack.apis.scoring_functions import * # noqa: F403
|
|
||||||
from llama_stack.apis.datasetio import DatasetIO
|
from llama_stack.apis.datasetio import DatasetIO
|
||||||
|
from llama_stack.apis.datasets import * # noqa: F403
|
||||||
from llama_stack.apis.eval import Eval
|
from llama_stack.apis.eval import Eval
|
||||||
from llama_stack.apis.eval_tasks import EvalTaskInput
|
from llama_stack.apis.eval_tasks import EvalTaskInput
|
||||||
from llama_stack.apis.inference import Inference
|
from llama_stack.apis.inference import Inference
|
||||||
from llama_stack.apis.memory import Memory
|
from llama_stack.apis.memory import Memory
|
||||||
|
from llama_stack.apis.memory_banks import * # noqa: F403
|
||||||
|
from llama_stack.apis.models import * # noqa: F403
|
||||||
from llama_stack.apis.safety import Safety
|
from llama_stack.apis.safety import Safety
|
||||||
from llama_stack.apis.scoring import Scoring
|
from llama_stack.apis.scoring import Scoring
|
||||||
|
from llama_stack.apis.scoring_functions import * # noqa: F403
|
||||||
|
from llama_stack.apis.shields import * # noqa: F403
|
||||||
|
from llama_stack.apis.tools import Tool, ToolGroup, ToolRuntime
|
||||||
|
from llama_stack.providers.datatypes import * # noqa: F403
|
||||||
from llama_stack.providers.utils.kvstore.config import KVStoreConfig
|
from llama_stack.providers.utils.kvstore.config import KVStoreConfig
|
||||||
|
|
||||||
LLAMA_STACK_BUILD_CONFIG_VERSION = "2"
|
LLAMA_STACK_BUILD_CONFIG_VERSION = "2"
|
||||||
|
@ -37,6 +38,8 @@ RoutableObject = Union[
|
||||||
Dataset,
|
Dataset,
|
||||||
ScoringFn,
|
ScoringFn,
|
||||||
EvalTask,
|
EvalTask,
|
||||||
|
Tool,
|
||||||
|
ToolGroup,
|
||||||
]
|
]
|
||||||
|
|
||||||
|
|
||||||
|
@ -48,6 +51,8 @@ RoutableObjectWithProvider = Annotated[
|
||||||
Dataset,
|
Dataset,
|
||||||
ScoringFn,
|
ScoringFn,
|
||||||
EvalTask,
|
EvalTask,
|
||||||
|
Tool,
|
||||||
|
ToolGroup,
|
||||||
],
|
],
|
||||||
Field(discriminator="type"),
|
Field(discriminator="type"),
|
||||||
]
|
]
|
||||||
|
@ -59,6 +64,7 @@ RoutedProtocol = Union[
|
||||||
DatasetIO,
|
DatasetIO,
|
||||||
Scoring,
|
Scoring,
|
||||||
Eval,
|
Eval,
|
||||||
|
ToolRuntime,
|
||||||
]
|
]
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -47,6 +47,10 @@ def builtin_automatically_routed_apis() -> List[AutoRoutedApiInfo]:
|
||||||
routing_table_api=Api.eval_tasks,
|
routing_table_api=Api.eval_tasks,
|
||||||
router_api=Api.eval,
|
router_api=Api.eval,
|
||||||
),
|
),
|
||||||
|
AutoRoutedApiInfo(
|
||||||
|
routing_table_api=Api.tool_groups,
|
||||||
|
router_api=Api.tool_runtime,
|
||||||
|
),
|
||||||
]
|
]
|
||||||
|
|
||||||
|
|
||||||
|
|
|
@ -30,6 +30,7 @@ from llama_stack.apis.scoring import Scoring
|
||||||
from llama_stack.apis.scoring_functions import ScoringFunctions
|
from llama_stack.apis.scoring_functions import ScoringFunctions
|
||||||
from llama_stack.apis.shields import Shields
|
from llama_stack.apis.shields import Shields
|
||||||
from llama_stack.apis.telemetry import Telemetry
|
from llama_stack.apis.telemetry import Telemetry
|
||||||
|
from llama_stack.apis.tools import ToolGroups, ToolRuntime
|
||||||
from llama_stack.distribution.client import get_client_impl
|
from llama_stack.distribution.client import get_client_impl
|
||||||
from llama_stack.distribution.distribution import builtin_automatically_routed_apis
|
from llama_stack.distribution.distribution import builtin_automatically_routed_apis
|
||||||
from llama_stack.distribution.store import DistributionRegistry
|
from llama_stack.distribution.store import DistributionRegistry
|
||||||
|
@ -60,12 +61,15 @@ def api_protocol_map() -> Dict[Api, Any]:
|
||||||
Api.eval: Eval,
|
Api.eval: Eval,
|
||||||
Api.eval_tasks: EvalTasks,
|
Api.eval_tasks: EvalTasks,
|
||||||
Api.post_training: PostTraining,
|
Api.post_training: PostTraining,
|
||||||
|
Api.tool_groups: ToolGroups,
|
||||||
|
Api.tool_runtime: ToolRuntime,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
def additional_protocols_map() -> Dict[Api, Any]:
|
def additional_protocols_map() -> Dict[Api, Any]:
|
||||||
return {
|
return {
|
||||||
Api.inference: (ModelsProtocolPrivate, Models, Api.models),
|
Api.inference: (ModelsProtocolPrivate, Models, Api.models),
|
||||||
|
Api.tool_groups: (ToolsProtocolPrivate, ToolGroups, Api.tool_groups),
|
||||||
Api.memory: (MemoryBanksProtocolPrivate, MemoryBanks, Api.memory_banks),
|
Api.memory: (MemoryBanksProtocolPrivate, MemoryBanks, Api.memory_banks),
|
||||||
Api.safety: (ShieldsProtocolPrivate, Shields, Api.shields),
|
Api.safety: (ShieldsProtocolPrivate, Shields, Api.shields),
|
||||||
Api.datasetio: (DatasetsProtocolPrivate, Datasets, Api.datasets),
|
Api.datasetio: (DatasetsProtocolPrivate, Datasets, Api.datasets),
|
||||||
|
|
|
@ -7,7 +7,6 @@
|
||||||
from typing import Any
|
from typing import Any
|
||||||
|
|
||||||
from llama_stack.distribution.datatypes import * # noqa: F403
|
from llama_stack.distribution.datatypes import * # noqa: F403
|
||||||
|
|
||||||
from llama_stack.distribution.store import DistributionRegistry
|
from llama_stack.distribution.store import DistributionRegistry
|
||||||
|
|
||||||
from .routing_tables import (
|
from .routing_tables import (
|
||||||
|
@ -17,6 +16,7 @@ from .routing_tables import (
|
||||||
ModelsRoutingTable,
|
ModelsRoutingTable,
|
||||||
ScoringFunctionsRoutingTable,
|
ScoringFunctionsRoutingTable,
|
||||||
ShieldsRoutingTable,
|
ShieldsRoutingTable,
|
||||||
|
ToolGroupsRoutingTable,
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
@ -33,6 +33,7 @@ async def get_routing_table_impl(
|
||||||
"datasets": DatasetsRoutingTable,
|
"datasets": DatasetsRoutingTable,
|
||||||
"scoring_functions": ScoringFunctionsRoutingTable,
|
"scoring_functions": ScoringFunctionsRoutingTable,
|
||||||
"eval_tasks": EvalTasksRoutingTable,
|
"eval_tasks": EvalTasksRoutingTable,
|
||||||
|
"tool_groups": ToolGroupsRoutingTable,
|
||||||
}
|
}
|
||||||
|
|
||||||
if api.value not in api_to_tables:
|
if api.value not in api_to_tables:
|
||||||
|
@ -51,6 +52,7 @@ async def get_auto_router_impl(api: Api, routing_table: RoutingTable, _deps) ->
|
||||||
MemoryRouter,
|
MemoryRouter,
|
||||||
SafetyRouter,
|
SafetyRouter,
|
||||||
ScoringRouter,
|
ScoringRouter,
|
||||||
|
ToolRuntimeRouter,
|
||||||
)
|
)
|
||||||
|
|
||||||
api_to_routers = {
|
api_to_routers = {
|
||||||
|
@ -60,6 +62,7 @@ async def get_auto_router_impl(api: Api, routing_table: RoutingTable, _deps) ->
|
||||||
"datasetio": DatasetIORouter,
|
"datasetio": DatasetIORouter,
|
||||||
"scoring": ScoringRouter,
|
"scoring": ScoringRouter,
|
||||||
"eval": EvalRouter,
|
"eval": EvalRouter,
|
||||||
|
"tool_runtime": ToolRuntimeRouter,
|
||||||
}
|
}
|
||||||
if api.value not in api_to_routers:
|
if api.value not in api_to_routers:
|
||||||
raise ValueError(f"API {api.value} not found in router map")
|
raise ValueError(f"API {api.value} not found in router map")
|
||||||
|
|
|
@ -6,15 +6,16 @@
|
||||||
|
|
||||||
from typing import Any, AsyncGenerator, Dict, List, Optional
|
from typing import Any, AsyncGenerator, Dict, List, Optional
|
||||||
|
|
||||||
from llama_stack.apis.datasetio.datasetio import DatasetIO
|
|
||||||
from llama_stack.apis.memory_banks.memory_banks import BankParams
|
|
||||||
from llama_stack.distribution.datatypes import RoutingTable
|
|
||||||
from llama_stack.apis.memory import * # noqa: F403
|
|
||||||
from llama_stack.apis.inference import * # noqa: F403
|
|
||||||
from llama_stack.apis.safety import * # noqa: F403
|
|
||||||
from llama_stack.apis.datasetio import * # noqa: F403
|
from llama_stack.apis.datasetio import * # noqa: F403
|
||||||
from llama_stack.apis.scoring import * # noqa: F403
|
from llama_stack.apis.datasetio.datasetio import DatasetIO
|
||||||
from llama_stack.apis.eval import * # noqa: F403
|
from llama_stack.apis.eval import * # noqa: F403
|
||||||
|
from llama_stack.apis.inference import * # noqa: F403
|
||||||
|
from llama_stack.apis.memory import * # noqa: F403
|
||||||
|
from llama_stack.apis.memory_banks.memory_banks import BankParams
|
||||||
|
from llama_stack.apis.safety import * # noqa: F403
|
||||||
|
from llama_stack.apis.scoring import * # noqa: F403
|
||||||
|
from llama_stack.apis.tools import * # noqa: F403
|
||||||
|
from llama_stack.distribution.datatypes import RoutingTable
|
||||||
|
|
||||||
|
|
||||||
class MemoryRouter(Memory):
|
class MemoryRouter(Memory):
|
||||||
|
@ -372,3 +373,28 @@ class EvalRouter(Eval):
|
||||||
task_id,
|
task_id,
|
||||||
job_id,
|
job_id,
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
|
class ToolRuntimeRouter(ToolRuntime):
|
||||||
|
def __init__(
|
||||||
|
self,
|
||||||
|
routing_table: RoutingTable,
|
||||||
|
) -> None:
|
||||||
|
self.routing_table = routing_table
|
||||||
|
|
||||||
|
async def initialize(self) -> None:
|
||||||
|
pass
|
||||||
|
|
||||||
|
async def shutdown(self) -> None:
|
||||||
|
pass
|
||||||
|
|
||||||
|
async def invoke_tool(self, tool_name: str, args: Dict[str, Any]) -> Any:
|
||||||
|
return await self.routing_table.get_provider_impl(tool_name).invoke_tool(
|
||||||
|
tool_name=tool_name,
|
||||||
|
args=args,
|
||||||
|
)
|
||||||
|
|
||||||
|
async def discover_tools(self, tool_group: ToolGroupDef) -> List[Tool]:
|
||||||
|
return await self.routing_table.get_provider_impl(
|
||||||
|
tool_group.name
|
||||||
|
).discover_tools(tool_group)
|
||||||
|
|
|
@ -6,21 +6,19 @@
|
||||||
|
|
||||||
from typing import Any, Dict, List, Optional
|
from typing import Any, Dict, List, Optional
|
||||||
|
|
||||||
|
from llama_models.llama3.api.datatypes import * # noqa: F403
|
||||||
from pydantic import parse_obj_as
|
from pydantic import parse_obj_as
|
||||||
|
|
||||||
from llama_models.llama3.api.datatypes import * # noqa: F403
|
from llama_stack.apis.common.content_types import URL
|
||||||
|
from llama_stack.apis.common.type_system import ParamType
|
||||||
from llama_stack.apis.models import * # noqa: F403
|
|
||||||
from llama_stack.apis.shields import * # noqa: F403
|
|
||||||
from llama_stack.apis.memory_banks import * # noqa: F403
|
|
||||||
from llama_stack.apis.datasets import * # noqa: F403
|
from llama_stack.apis.datasets import * # noqa: F403
|
||||||
from llama_stack.apis.eval_tasks import * # noqa: F403
|
from llama_stack.apis.eval_tasks import * # noqa: F403
|
||||||
|
from llama_stack.apis.memory_banks import * # noqa: F403
|
||||||
from llama_stack.apis.common.content_types import URL
|
from llama_stack.apis.models import * # noqa: F403
|
||||||
|
from llama_stack.apis.shields import * # noqa: F403
|
||||||
from llama_stack.apis.common.type_system import ParamType
|
from llama_stack.apis.tools import * # noqa: F403
|
||||||
from llama_stack.distribution.store import DistributionRegistry
|
|
||||||
from llama_stack.distribution.datatypes import * # noqa: F403
|
from llama_stack.distribution.datatypes import * # noqa: F403
|
||||||
|
from llama_stack.distribution.store import DistributionRegistry
|
||||||
|
|
||||||
|
|
||||||
def get_impl_api(p: Any) -> Api:
|
def get_impl_api(p: Any) -> Api:
|
||||||
|
@ -45,6 +43,8 @@ async def register_object_with_provider(obj: RoutableObject, p: Any) -> Routable
|
||||||
return await p.register_scoring_function(obj)
|
return await p.register_scoring_function(obj)
|
||||||
elif api == Api.eval:
|
elif api == Api.eval:
|
||||||
return await p.register_eval_task(obj)
|
return await p.register_eval_task(obj)
|
||||||
|
elif api == Api.tool_runtime:
|
||||||
|
return await p.register_tool(obj)
|
||||||
else:
|
else:
|
||||||
raise ValueError(f"Unknown API {api} for registering object with provider")
|
raise ValueError(f"Unknown API {api} for registering object with provider")
|
||||||
|
|
||||||
|
@ -57,6 +57,8 @@ async def unregister_object_from_provider(obj: RoutableObject, p: Any) -> None:
|
||||||
return await p.unregister_model(obj.identifier)
|
return await p.unregister_model(obj.identifier)
|
||||||
elif api == Api.datasetio:
|
elif api == Api.datasetio:
|
||||||
return await p.unregister_dataset(obj.identifier)
|
return await p.unregister_dataset(obj.identifier)
|
||||||
|
elif api == Api.tool_runtime:
|
||||||
|
return await p.unregister_tool(obj.identifier)
|
||||||
else:
|
else:
|
||||||
raise ValueError(f"Unregister not supported for {api}")
|
raise ValueError(f"Unregister not supported for {api}")
|
||||||
|
|
||||||
|
@ -104,6 +106,8 @@ class CommonRoutingTableImpl(RoutingTable):
|
||||||
await add_objects(scoring_functions, pid, ScoringFn)
|
await add_objects(scoring_functions, pid, ScoringFn)
|
||||||
elif api == Api.eval:
|
elif api == Api.eval:
|
||||||
p.eval_task_store = self
|
p.eval_task_store = self
|
||||||
|
elif api == Api.tool_runtime:
|
||||||
|
p.tool_store = self
|
||||||
|
|
||||||
async def shutdown(self) -> None:
|
async def shutdown(self) -> None:
|
||||||
for p in self.impls_by_provider_id.values():
|
for p in self.impls_by_provider_id.values():
|
||||||
|
@ -125,6 +129,8 @@ class CommonRoutingTableImpl(RoutingTable):
|
||||||
return ("Scoring", "scoring_function")
|
return ("Scoring", "scoring_function")
|
||||||
elif isinstance(self, EvalTasksRoutingTable):
|
elif isinstance(self, EvalTasksRoutingTable):
|
||||||
return ("Eval", "eval_task")
|
return ("Eval", "eval_task")
|
||||||
|
elif isinstance(self, ToolGroupsRoutingTable):
|
||||||
|
return ("Tools", "tool")
|
||||||
else:
|
else:
|
||||||
raise ValueError("Unknown routing table type")
|
raise ValueError("Unknown routing table type")
|
||||||
|
|
||||||
|
@ -461,3 +467,88 @@ class EvalTasksRoutingTable(CommonRoutingTableImpl, EvalTasks):
|
||||||
provider_resource_id=provider_eval_task_id,
|
provider_resource_id=provider_eval_task_id,
|
||||||
)
|
)
|
||||||
await self.register_object(eval_task)
|
await self.register_object(eval_task)
|
||||||
|
|
||||||
|
|
||||||
|
class ToolGroupsRoutingTable(CommonRoutingTableImpl, ToolGroups):
|
||||||
|
async def list_tools(self, tool_group_id: Optional[str] = None) -> List[Tool]:
|
||||||
|
tools = await self.get_all_with_type("tool")
|
||||||
|
if tool_group_id:
|
||||||
|
tools = [tool for tool in tools if tool.tool_group == tool_group_id]
|
||||||
|
return tools
|
||||||
|
|
||||||
|
async def list_tool_groups(self) -> List[ToolGroup]:
|
||||||
|
return await self.get_all_with_type("tool_group")
|
||||||
|
|
||||||
|
async def get_tool_group(self, tool_group_id: str) -> ToolGroup:
|
||||||
|
return await self.get_object_by_identifier("tool_group", tool_group_id)
|
||||||
|
|
||||||
|
async def get_tool(self, tool_name: str) -> Tool:
|
||||||
|
return await self.get_object_by_identifier("tool", tool_name)
|
||||||
|
|
||||||
|
async def register_tool_group(
|
||||||
|
self,
|
||||||
|
tool_group_id: str,
|
||||||
|
tool_group: ToolGroupDef,
|
||||||
|
provider_id: Optional[str] = None,
|
||||||
|
) -> None:
|
||||||
|
tools = []
|
||||||
|
tool_defs = []
|
||||||
|
if provider_id is None:
|
||||||
|
if len(self.impls_by_provider_id.keys()) > 1:
|
||||||
|
raise ValueError(
|
||||||
|
f"No provider_id specified and multiple providers available. Please specify a provider_id. Available providers: {', '.join(self.impls_by_provider_id.keys())}"
|
||||||
|
)
|
||||||
|
provider_id = list(self.impls_by_provider_id.keys())[0]
|
||||||
|
|
||||||
|
if isinstance(tool_group, MCPToolGroupDef):
|
||||||
|
tool_defs = await self.impls_by_provider_id[provider_id].discover_tools(
|
||||||
|
tool_group
|
||||||
|
)
|
||||||
|
|
||||||
|
elif isinstance(tool_group, UserDefinedToolGroupDef):
|
||||||
|
tool_defs = tool_group.tools
|
||||||
|
else:
|
||||||
|
raise ValueError(f"Unknown tool group: {tool_group}")
|
||||||
|
|
||||||
|
for tool_def in tool_defs:
|
||||||
|
tools.append(
|
||||||
|
Tool(
|
||||||
|
identifier=tool_def.name,
|
||||||
|
tool_group=tool_group_id,
|
||||||
|
description=tool_def.description,
|
||||||
|
parameters=tool_def.parameters,
|
||||||
|
provider_id=provider_id,
|
||||||
|
tool_prompt_format=tool_def.tool_prompt_format,
|
||||||
|
provider_resource_id=tool_def.name,
|
||||||
|
metadata=tool_def.metadata,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
for tool in tools:
|
||||||
|
existing_tool = await self.get_tool(tool.identifier)
|
||||||
|
# Compare existing and new object if one exists
|
||||||
|
if existing_tool:
|
||||||
|
existing_dict = existing_tool.model_dump()
|
||||||
|
new_dict = tool.model_dump()
|
||||||
|
|
||||||
|
if existing_dict != new_dict:
|
||||||
|
raise ValueError(
|
||||||
|
f"Object {tool.identifier} already exists in registry. Please use a different identifier."
|
||||||
|
)
|
||||||
|
await self.register_object(tool)
|
||||||
|
|
||||||
|
await self.dist_registry.register(
|
||||||
|
ToolGroup(
|
||||||
|
identifier=tool_group_id,
|
||||||
|
provider_id=provider_id,
|
||||||
|
provider_resource_id=tool_group_id,
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
async def unregister_tool_group(self, tool_group_id: str) -> None:
|
||||||
|
tool_group = await self.get_tool_group(tool_group_id)
|
||||||
|
if tool_group is None:
|
||||||
|
raise ValueError(f"Tool group {tool_group_id} not found")
|
||||||
|
tools = await self.list_tools(tool_group_id)
|
||||||
|
for tool in tools:
|
||||||
|
await self.unregister_object(tool)
|
||||||
|
await self.unregister_object(tool_group)
|
||||||
|
|
|
@ -17,6 +17,7 @@ from llama_stack.apis.memory_banks.memory_banks import MemoryBank
|
||||||
from llama_stack.apis.models import Model
|
from llama_stack.apis.models import Model
|
||||||
from llama_stack.apis.scoring_functions import ScoringFn
|
from llama_stack.apis.scoring_functions import ScoringFn
|
||||||
from llama_stack.apis.shields import Shield
|
from llama_stack.apis.shields import Shield
|
||||||
|
from llama_stack.apis.tools import Tool
|
||||||
|
|
||||||
|
|
||||||
@json_schema_type
|
@json_schema_type
|
||||||
|
@ -29,6 +30,7 @@ class Api(Enum):
|
||||||
scoring = "scoring"
|
scoring = "scoring"
|
||||||
eval = "eval"
|
eval = "eval"
|
||||||
post_training = "post_training"
|
post_training = "post_training"
|
||||||
|
tool_runtime = "tool_runtime"
|
||||||
|
|
||||||
telemetry = "telemetry"
|
telemetry = "telemetry"
|
||||||
|
|
||||||
|
@ -38,6 +40,7 @@ class Api(Enum):
|
||||||
datasets = "datasets"
|
datasets = "datasets"
|
||||||
scoring_functions = "scoring_functions"
|
scoring_functions = "scoring_functions"
|
||||||
eval_tasks = "eval_tasks"
|
eval_tasks = "eval_tasks"
|
||||||
|
tool_groups = "tool_groups"
|
||||||
|
|
||||||
# built-in API
|
# built-in API
|
||||||
inspect = "inspect"
|
inspect = "inspect"
|
||||||
|
@ -75,6 +78,12 @@ class EvalTasksProtocolPrivate(Protocol):
|
||||||
async def register_eval_task(self, eval_task: EvalTask) -> None: ...
|
async def register_eval_task(self, eval_task: EvalTask) -> None: ...
|
||||||
|
|
||||||
|
|
||||||
|
class ToolsProtocolPrivate(Protocol):
|
||||||
|
async def register_tool(self, tool: Tool) -> None: ...
|
||||||
|
|
||||||
|
async def unregister_tool(self, tool_id: str) -> None: ...
|
||||||
|
|
||||||
|
|
||||||
@json_schema_type
|
@json_schema_type
|
||||||
class ProviderSpec(BaseModel):
|
class ProviderSpec(BaseModel):
|
||||||
api: Api
|
api: Api
|
||||||
|
|
|
@ -0,0 +1,20 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from pydantic import BaseModel
|
||||||
|
|
||||||
|
from .brave_search import BraveSearchToolRuntimeImpl
|
||||||
|
from .config import BraveSearchToolConfig
|
||||||
|
|
||||||
|
|
||||||
|
class BraveSearchToolProviderDataValidator(BaseModel):
|
||||||
|
api_key: str
|
||||||
|
|
||||||
|
|
||||||
|
async def get_provider_impl(config: BraveSearchToolConfig, _deps):
|
||||||
|
impl = BraveSearchToolRuntimeImpl(config)
|
||||||
|
await impl.initialize()
|
||||||
|
return impl
|
|
@ -0,0 +1,123 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from typing import Any, Dict, List
|
||||||
|
|
||||||
|
import requests
|
||||||
|
|
||||||
|
from llama_stack.apis.tools import Tool, ToolGroupDef, ToolInvocationResult, ToolRuntime
|
||||||
|
from llama_stack.distribution.request_headers import NeedsRequestProviderData
|
||||||
|
from llama_stack.providers.datatypes import ToolsProtocolPrivate
|
||||||
|
|
||||||
|
from .config import BraveSearchToolConfig
|
||||||
|
|
||||||
|
|
||||||
|
class BraveSearchToolRuntimeImpl(
|
||||||
|
ToolsProtocolPrivate, ToolRuntime, NeedsRequestProviderData
|
||||||
|
):
|
||||||
|
def __init__(self, config: BraveSearchToolConfig):
|
||||||
|
self.config = config
|
||||||
|
|
||||||
|
async def initialize(self):
|
||||||
|
pass
|
||||||
|
|
||||||
|
async def register_tool(self, tool: Tool):
|
||||||
|
if tool.identifier != "brave_search":
|
||||||
|
raise ValueError(f"Tool identifier {tool.identifier} is not supported")
|
||||||
|
|
||||||
|
async def unregister_tool(self, tool_id: str) -> None:
|
||||||
|
return
|
||||||
|
|
||||||
|
def _get_api_key(self) -> str:
|
||||||
|
if self.config.api_key:
|
||||||
|
return self.config.api_key
|
||||||
|
|
||||||
|
provider_data = self.get_request_provider_data()
|
||||||
|
if provider_data is None or not provider_data.api_key:
|
||||||
|
raise ValueError(
|
||||||
|
'Pass Search provider\'s API Key in the header X-LlamaStack-ProviderData as { "api_key": <your api key>}'
|
||||||
|
)
|
||||||
|
return provider_data.api_key
|
||||||
|
|
||||||
|
async def discover_tools(self, tool_group: ToolGroupDef) -> List[Tool]:
|
||||||
|
raise NotImplementedError("Brave search tool group not supported")
|
||||||
|
|
||||||
|
async def invoke_tool(
|
||||||
|
self, tool_name: str, args: Dict[str, Any]
|
||||||
|
) -> ToolInvocationResult:
|
||||||
|
api_key = self._get_api_key()
|
||||||
|
url = "https://api.search.brave.com/res/v1/web/search"
|
||||||
|
headers = {
|
||||||
|
"X-Subscription-Token": api_key,
|
||||||
|
"Accept-Encoding": "gzip",
|
||||||
|
"Accept": "application/json",
|
||||||
|
}
|
||||||
|
payload = {"q": args["query"]}
|
||||||
|
response = requests.get(url=url, params=payload, headers=headers)
|
||||||
|
response.raise_for_status()
|
||||||
|
results = self._clean_brave_response(response.json())
|
||||||
|
content_items = "\n".join([str(result) for result in results])
|
||||||
|
return ToolInvocationResult(
|
||||||
|
content=content_items,
|
||||||
|
)
|
||||||
|
|
||||||
|
def _clean_brave_response(self, search_response):
|
||||||
|
clean_response = []
|
||||||
|
if "mixed" in search_response:
|
||||||
|
mixed_results = search_response["mixed"]
|
||||||
|
for m in mixed_results["main"][: self.config.max_results]:
|
||||||
|
r_type = m["type"]
|
||||||
|
results = search_response[r_type]["results"]
|
||||||
|
cleaned = self._clean_result_by_type(r_type, results, m.get("index"))
|
||||||
|
clean_response.append(cleaned)
|
||||||
|
|
||||||
|
return clean_response
|
||||||
|
|
||||||
|
def _clean_result_by_type(self, r_type, results, idx=None):
|
||||||
|
type_cleaners = {
|
||||||
|
"web": (
|
||||||
|
["type", "title", "url", "description", "date", "extra_snippets"],
|
||||||
|
lambda x: x[idx],
|
||||||
|
),
|
||||||
|
"faq": (["type", "question", "answer", "title", "url"], lambda x: x),
|
||||||
|
"infobox": (
|
||||||
|
["type", "title", "url", "description", "long_desc"],
|
||||||
|
lambda x: x[idx],
|
||||||
|
),
|
||||||
|
"videos": (["type", "url", "title", "description", "date"], lambda x: x),
|
||||||
|
"locations": (
|
||||||
|
[
|
||||||
|
"type",
|
||||||
|
"title",
|
||||||
|
"url",
|
||||||
|
"description",
|
||||||
|
"coordinates",
|
||||||
|
"postal_address",
|
||||||
|
"contact",
|
||||||
|
"rating",
|
||||||
|
"distance",
|
||||||
|
"zoom_level",
|
||||||
|
],
|
||||||
|
lambda x: x,
|
||||||
|
),
|
||||||
|
"news": (["type", "title", "url", "description"], lambda x: x),
|
||||||
|
}
|
||||||
|
|
||||||
|
if r_type not in type_cleaners:
|
||||||
|
return ""
|
||||||
|
|
||||||
|
selected_keys, result_selector = type_cleaners[r_type]
|
||||||
|
results = result_selector(results)
|
||||||
|
|
||||||
|
if isinstance(results, list):
|
||||||
|
cleaned = [
|
||||||
|
{k: v for k, v in item.items() if k in selected_keys}
|
||||||
|
for item in results
|
||||||
|
]
|
||||||
|
else:
|
||||||
|
cleaned = {k: v for k, v in results.items() if k in selected_keys}
|
||||||
|
|
||||||
|
return str(cleaned)
|
|
@ -0,0 +1,20 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from typing import Optional
|
||||||
|
|
||||||
|
from pydantic import BaseModel, Field
|
||||||
|
|
||||||
|
|
||||||
|
class BraveSearchToolConfig(BaseModel):
|
||||||
|
api_key: Optional[str] = Field(
|
||||||
|
default=None,
|
||||||
|
description="The Brave Search API Key",
|
||||||
|
)
|
||||||
|
max_results: int = Field(
|
||||||
|
default=3,
|
||||||
|
description="The maximum number of results to return",
|
||||||
|
)
|
37
llama_stack/providers/registry/tool_runtime.py
Normal file
37
llama_stack/providers/registry/tool_runtime.py
Normal file
|
@ -0,0 +1,37 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from typing import List
|
||||||
|
|
||||||
|
from llama_stack.distribution.datatypes import (
|
||||||
|
AdapterSpec,
|
||||||
|
Api,
|
||||||
|
InlineProviderSpec,
|
||||||
|
ProviderSpec,
|
||||||
|
remote_provider_spec,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
|
def available_providers() -> List[ProviderSpec]:
|
||||||
|
return [
|
||||||
|
InlineProviderSpec(
|
||||||
|
api=Api.tool_runtime,
|
||||||
|
provider_type="inline::brave-search",
|
||||||
|
pip_packages=[],
|
||||||
|
module="llama_stack.providers.inline.tool_runtime.brave_search",
|
||||||
|
config_class="llama_stack.providers.inline.tool_runtime.brave_search.config.BraveSearchToolConfig",
|
||||||
|
provider_data_validator="llama_stack.providers.inline.tool_runtime.brave_search.BraveSearchToolProviderDataValidator",
|
||||||
|
),
|
||||||
|
remote_provider_spec(
|
||||||
|
api=Api.tool_runtime,
|
||||||
|
adapter=AdapterSpec(
|
||||||
|
adapter_type="model-context-protocol",
|
||||||
|
module="llama_stack.providers.remote.tool_runtime.model_context_protocol",
|
||||||
|
config_class="llama_stack.providers.remote.tool_runtime.model_context_protocol.config.ModelContextProtocolConfig",
|
||||||
|
pip_packages=["mcp"],
|
||||||
|
),
|
||||||
|
),
|
||||||
|
]
|
|
@ -0,0 +1,21 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from pydantic import BaseModel
|
||||||
|
|
||||||
|
from .config import ModelContextProtocolConfig
|
||||||
|
|
||||||
|
from .model_context_protocol import ModelContextProtocolToolRuntimeImpl
|
||||||
|
|
||||||
|
|
||||||
|
class ModelContextProtocolToolProviderDataValidator(BaseModel):
|
||||||
|
api_key: str
|
||||||
|
|
||||||
|
|
||||||
|
async def get_adapter_impl(config: ModelContextProtocolConfig, _deps):
|
||||||
|
impl = ModelContextProtocolToolRuntimeImpl(config)
|
||||||
|
await impl.initialize()
|
||||||
|
return impl
|
|
@ -0,0 +1,11 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from pydantic import BaseModel
|
||||||
|
|
||||||
|
|
||||||
|
class ModelContextProtocolConfig(BaseModel):
|
||||||
|
pass
|
|
@ -0,0 +1,84 @@
|
||||||
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
|
||||||
|
# All rights reserved.
|
||||||
|
#
|
||||||
|
# This source code is licensed under the terms described in the LICENSE file in
|
||||||
|
# the root directory of this source tree.
|
||||||
|
|
||||||
|
from typing import Any, Dict, List
|
||||||
|
from urllib.parse import urlparse
|
||||||
|
|
||||||
|
from llama_stack.apis.tools import (
|
||||||
|
MCPToolGroupDef,
|
||||||
|
ToolDef,
|
||||||
|
ToolGroupDef,
|
||||||
|
ToolInvocationResult,
|
||||||
|
ToolParameter,
|
||||||
|
ToolRuntime,
|
||||||
|
)
|
||||||
|
from llama_stack.providers.datatypes import ToolsProtocolPrivate
|
||||||
|
|
||||||
|
from mcp import ClientSession
|
||||||
|
from mcp.client.sse import sse_client
|
||||||
|
|
||||||
|
from .config import ModelContextProtocolConfig
|
||||||
|
|
||||||
|
|
||||||
|
class ModelContextProtocolToolRuntimeImpl(ToolsProtocolPrivate, ToolRuntime):
|
||||||
|
def __init__(self, config: ModelContextProtocolConfig):
|
||||||
|
self.config = config
|
||||||
|
|
||||||
|
async def initialize(self):
|
||||||
|
pass
|
||||||
|
|
||||||
|
async def discover_tools(self, tool_group: ToolGroupDef) -> List[ToolDef]:
|
||||||
|
if not isinstance(tool_group, MCPToolGroupDef):
|
||||||
|
raise ValueError(f"Unsupported tool group type: {type(tool_group)}")
|
||||||
|
|
||||||
|
tools = []
|
||||||
|
async with sse_client(tool_group.endpoint.uri) as streams:
|
||||||
|
async with ClientSession(*streams) as session:
|
||||||
|
await session.initialize()
|
||||||
|
tools_result = await session.list_tools()
|
||||||
|
for tool in tools_result.tools:
|
||||||
|
parameters = []
|
||||||
|
for param_name, param_schema in tool.inputSchema.get(
|
||||||
|
"properties", {}
|
||||||
|
).items():
|
||||||
|
parameters.append(
|
||||||
|
ToolParameter(
|
||||||
|
name=param_name,
|
||||||
|
parameter_type=param_schema.get("type", "string"),
|
||||||
|
description=param_schema.get("description", ""),
|
||||||
|
)
|
||||||
|
)
|
||||||
|
tools.append(
|
||||||
|
ToolDef(
|
||||||
|
name=tool.name,
|
||||||
|
description=tool.description,
|
||||||
|
parameters=parameters,
|
||||||
|
metadata={
|
||||||
|
"endpoint": tool_group.endpoint.uri,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
)
|
||||||
|
return tools
|
||||||
|
|
||||||
|
async def invoke_tool(
|
||||||
|
self, tool_name: str, args: Dict[str, Any]
|
||||||
|
) -> ToolInvocationResult:
|
||||||
|
tool = await self.tool_store.get_tool(tool_name)
|
||||||
|
if tool.metadata is None or tool.metadata.get("endpoint") is None:
|
||||||
|
raise ValueError(f"Tool {tool_name} does not have metadata")
|
||||||
|
endpoint = tool.metadata.get("endpoint")
|
||||||
|
if urlparse(endpoint).scheme not in ("http", "https"):
|
||||||
|
raise ValueError(f"Endpoint {endpoint} is not a valid HTTP(S) URL")
|
||||||
|
|
||||||
|
async with sse_client(endpoint) as streams:
|
||||||
|
async with ClientSession(*streams) as session:
|
||||||
|
await session.initialize()
|
||||||
|
result = await session.call_tool(tool.identifier, args)
|
||||||
|
|
||||||
|
return ToolInvocationResult(
|
||||||
|
content="\n".join([result.model_dump_json() for result in result.content]),
|
||||||
|
error_code=1 if result.isError else 0,
|
||||||
|
)
|
Loading…
Add table
Add a link
Reference in a new issue