| | |
| | |
| | |
| |
|
| | import json |
| | from collections import defaultdict |
| | from copy import copy |
| | from typing import Any, Dict, List, Optional, Union |
| |
|
| | from haystack import component, logging |
| | from haystack.dataclasses import ChatMessage, ChatRole |
| | from haystack.lazy_imports import LazyImport |
| |
|
| | logger = logging.getLogger(__name__) |
| |
|
| | with LazyImport("Run 'pip install openapi3'") as openapi_imports: |
| | from openapi3 import OpenAPI |
| |
|
| |
|
| | @component |
| | class OpenAPIServiceConnector: |
| | """ |
| | A component which connects the Haystack framework to OpenAPI services. |
| | |
| | The `OpenAPIServiceConnector` component connects the Haystack framework to OpenAPI services, enabling it to call |
| | operations as defined in the OpenAPI specification of the service. |
| | |
| | It integrates with `ChatMessage` dataclass, where the payload in messages is used to determine the method to be |
| | called and the parameters to be passed. The message payload should be an OpenAI JSON formatted function calling |
| | string consisting of the method name and the parameters to be passed to the method. The method name and parameters |
| | are then used to invoke the method on the OpenAPI service. The response from the service is returned as a |
| | `ChatMessage`. |
| | |
| | Before using this component, users usually resolve service endpoint parameters with a help of |
| | `OpenAPIServiceToFunctions` component. |
| | |
| | The example below demonstrates how to use the `OpenAPIServiceConnector` to invoke a method on a https://serper.dev/ |
| | service specified via OpenAPI specification. |
| | |
| | Note, however, that `OpenAPIServiceConnector` is usually not meant to be used directly, but rather as part of a |
| | pipeline that includes the `OpenAPIServiceToFunctions` component and an `OpenAIChatGenerator` component using LLM |
| | with the function calling capabilities. In the example below we use the function calling payload directly, but in a |
| | real-world scenario, the function calling payload would usually be generated by the `OpenAIChatGenerator` component. |
| | |
| | Usage example: |
| | |
| | ```python |
| | import json |
| | import requests |
| | |
| | from haystack.components.connectors import OpenAPIServiceConnector |
| | from haystack.dataclasses import ChatMessage |
| | |
| | |
| | fc_payload = [{'function': {'arguments': '{"q": "Why was Sam Altman ousted from OpenAI?"}', 'name': 'search'}, |
| | 'id': 'call_PmEBYvZ7mGrQP5PUASA5m9wO', 'type': 'function'}] |
| | |
| | serper_token = <your_serper_dev_token> |
| | serperdev_openapi_spec = json.loads(requests.get("https://bit.ly/serper_dev_spec").text) |
| | service_connector = OpenAPIServiceConnector() |
| | result = service_connector.run(messages=[ChatMessage.from_assistant(json.dumps(fc_payload))], |
| | service_openapi_spec=serperdev_openapi_spec, service_credentials=serper_token) |
| | print(result) |
| | |
| | >> {'service_response': [ChatMessage(content='{"searchParameters": {"q": "Why was Sam Altman ousted from OpenAI?", |
| | >> "type": "search", "engine": "google"}, "answerBox": {"snippet": "Concerns over AI safety and OpenAI\'s role |
| | >> in protecting were at the center of Altman\'s brief ouster from the company."... |
| | ``` |
| | |
| | """ |
| |
|
| | def __init__(self): |
| | """ |
| | Initializes the OpenAPIServiceConnector instance |
| | """ |
| | openapi_imports.check() |
| |
|
| | @component.output_types(service_response=Dict[str, Any]) |
| | def run( |
| | self, |
| | messages: List[ChatMessage], |
| | service_openapi_spec: Dict[str, Any], |
| | service_credentials: Optional[Union[dict, str]] = None, |
| | ) -> Dict[str, List[ChatMessage]]: |
| | """ |
| | Processes a list of chat messages to invoke a method on an OpenAPI service. |
| | |
| | It parses the last message in the list, expecting it to contain an OpenAI function calling descriptor |
| | (name & parameters) in JSON format. |
| | |
| | :param messages: A list of `ChatMessage` objects containing the messages to be processed. The last message |
| | should contain the function invocation payload in OpenAI function calling format. See the example in the class |
| | docstring for the expected format. |
| | :param service_openapi_spec: The OpenAPI JSON specification object of the service to be invoked. All the refs |
| | should already be resolved. |
| | :param service_credentials: The credentials to be used for authentication with the service. |
| | Currently, only the http and apiKey OpenAPI security schemes are supported. |
| | |
| | :return: A dictionary with the following keys: |
| | - `service_response`: a list of `ChatMessage` objects, each containing the response from the service. The |
| | response is in JSON format, and the `content` attribute of the `ChatMessage` contains |
| | the JSON string. |
| | |
| | :raises ValueError: If the last message is not from the assistant or if it does not contain the correct payload |
| | to invoke a method on the service. |
| | """ |
| |
|
| | last_message = messages[-1] |
| | if not last_message.is_from(ChatRole.ASSISTANT): |
| | raise ValueError(f"{last_message} is not from the assistant.") |
| |
|
| | function_invocation_payloads = self._parse_message(last_message) |
| |
|
| | |
| | openapi_service = OpenAPI(service_openapi_spec) |
| | self._authenticate_service(openapi_service, service_credentials) |
| |
|
| | response_messages = [] |
| | for method_invocation_descriptor in function_invocation_payloads: |
| | service_response = self._invoke_method(openapi_service, method_invocation_descriptor) |
| | |
| | |
| | |
| | |
| | |
| | response_messages.append(ChatMessage.from_user(json.dumps(service_response._raw_data))) |
| |
|
| | return {"service_response": response_messages} |
| |
|
| | def _parse_message(self, message: ChatMessage) -> List[Dict[str, Any]]: |
| | """ |
| | Parses the message to extract the method invocation descriptor. |
| | |
| | :param message: ChatMessage containing the tools calls |
| | :return: A list of function invocation payloads |
| | :raises ValueError: If the content is not valid JSON or lacks required fields. |
| | """ |
| | function_payloads = [] |
| | try: |
| | tool_calls = json.loads(message.content) |
| | except json.JSONDecodeError: |
| | raise ValueError("Invalid JSON content, expected OpenAI tools message.", message.content) |
| |
|
| | for tool_call in tool_calls: |
| | |
| | if "type" not in tool_call: |
| | raise ValueError("Message payload doesn't seem to be a tool invocation descriptor", message.content) |
| |
|
| | |
| | if tool_call["type"] == "function": |
| | function_call = tool_call["function"] |
| | function_payloads.append( |
| | {"arguments": json.loads(function_call["arguments"]), "name": function_call["name"]} |
| | ) |
| | return function_payloads |
| |
|
| | def _authenticate_service(self, openapi_service: OpenAPI, credentials: Optional[Union[dict, str]] = None): |
| | """ |
| | Authentication with an OpenAPI service. |
| | |
| | Authenticates with the OpenAPI service if required, supporting both single (str) and multiple |
| | authentication methods (dict). |
| | |
| | OpenAPI spec v3 supports the following security schemes: |
| | http – for Basic, Bearer and other HTTP authentications schemes |
| | apiKey – for API keys and cookie authentication |
| | oauth2 – for OAuth 2 |
| | openIdConnect – for OpenID Connect Discovery |
| | |
| | Currently, only the http and apiKey schemes are supported. Multiple security schemes can be defined in the |
| | OpenAPI spec, and the credentials should be provided as a dictionary with keys matching the security scheme |
| | names. If only one security scheme is defined, the credentials can be provided as a simple string. |
| | |
| | :param openapi_service: The OpenAPI service instance. |
| | :param credentials: Credentials for authentication, which can be either a string (e.g. token) or a dictionary |
| | with keys matching the authentication method names. |
| | :raises ValueError: If authentication fails, is not found, or if appropriate credentials are missing. |
| | """ |
| | if openapi_service.raw_element.get("components", {}).get("securitySchemes"): |
| | service_name = openapi_service.info.title |
| | if not credentials: |
| | raise ValueError(f"Service {service_name} requires authentication but no credentials were provided.") |
| |
|
| | |
| | |
| | security_schemes = openapi_service.components.securitySchemes.raw_element |
| | supported_schemes = ["http", "apiKey"] |
| |
|
| | authenticated = False |
| | for scheme_name, scheme in security_schemes.items(): |
| | if scheme["type"] in supported_schemes: |
| | auth_credentials = None |
| | if isinstance(credentials, str): |
| | auth_credentials = credentials |
| | elif isinstance(credentials, dict) and scheme_name in credentials: |
| | auth_credentials = credentials[scheme_name] |
| | if auth_credentials: |
| | openapi_service.authenticate(scheme_name, auth_credentials) |
| | authenticated = True |
| | break |
| |
|
| | raise ValueError( |
| | f"Service {service_name} requires {scheme_name} security scheme but no " |
| | f"credentials were provided for it. Check the service configuration and credentials." |
| | ) |
| | if not authenticated: |
| | raise ValueError( |
| | f"Service {service_name} requires authentication but no credentials were provided " |
| | f"for it. Check the service configuration and credentials." |
| | ) |
| |
|
| | def _invoke_method(self, openapi_service: OpenAPI, method_invocation_descriptor: Dict[str, Any]) -> Any: |
| | """ |
| | Invokes the specified method on the OpenAPI service. |
| | |
| | The method name and arguments are passed in the method_invocation_descriptor. |
| | |
| | :param openapi_service: The OpenAPI service instance. |
| | :param method_invocation_descriptor: The method name and arguments to be passed to the method. The payload |
| | should contain the method name (key: "name") and the arguments (key: "arguments"). The name is a string, and |
| | the arguments are a dictionary of key-value pairs. |
| | :return: A service JSON response. |
| | :raises RuntimeError: If the method is not found or invocation fails. |
| | """ |
| | name = method_invocation_descriptor.get("name") |
| | invocation_arguments = copy(method_invocation_descriptor.get("arguments", {})) |
| | if not name or not invocation_arguments: |
| | raise ValueError( |
| | f"Invalid function calling descriptor: {method_invocation_descriptor} . It should contain " |
| | f"a method name and arguments." |
| | ) |
| |
|
| | |
| | method_to_call = getattr(openapi_service, f"call_{name}", None) |
| | if not callable(method_to_call): |
| | raise RuntimeError(f"Operation {name} not found in OpenAPI specification {openapi_service.info.title}") |
| |
|
| | |
| | operation = method_to_call.operation.__self__ |
| | operation_dict = operation.raw_element |
| |
|
| | |
| | method_call_params: Dict[str, Dict[str, Any]] = defaultdict(dict) |
| | parameters = operation_dict.get("parameters", []) |
| | request_body = operation_dict.get("requestBody", {}) |
| |
|
| | for param in parameters: |
| | param_name = param["name"] |
| | param_value = invocation_arguments.get(param_name) |
| | if param_value: |
| | method_call_params["parameters"][param_name] = param_value |
| | else: |
| | if param.get("required", False): |
| | raise ValueError(f"Missing parameter: '{param_name}' required for the '{name}' operation.") |
| |
|
| | |
| | if request_body: |
| | schema = request_body.get("content", {}).get("application/json", {}).get("schema", {}) |
| | required_params = schema.get("required", []) |
| | for param_name in schema.get("properties", {}): |
| | param_value = invocation_arguments.get(param_name) |
| | if param_value: |
| | method_call_params["data"][param_name] = param_value |
| | else: |
| | if param_name in required_params: |
| | raise ValueError( |
| | f"Missing requestBody parameter: '{param_name}' required for the '{name}' operation." |
| | ) |
| | |
| | return method_to_call(**method_call_params) |
| |
|