tool.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322
  1. import json
  2. from collections.abc import Generator
  3. from os import getenv
  4. from typing import Any, Optional
  5. from urllib.parse import urlencode
  6. import httpx
  7. from core.file.file_manager import download
  8. from core.helper import ssrf_proxy
  9. from core.tools.__base.tool import Tool
  10. from core.tools.__base.tool_runtime import ToolRuntime
  11. from core.tools.entities.tool_bundle import ApiToolBundle
  12. from core.tools.entities.tool_entities import ToolEntity, ToolInvokeMessage, ToolProviderType
  13. from core.tools.errors import ToolInvokeError, ToolParameterValidationError, ToolProviderCredentialValidationError
  14. API_TOOL_DEFAULT_TIMEOUT = (
  15. int(getenv("API_TOOL_DEFAULT_CONNECT_TIMEOUT", "10")),
  16. int(getenv("API_TOOL_DEFAULT_READ_TIMEOUT", "60")),
  17. )
  18. class ApiTool(Tool):
  19. api_bundle: ApiToolBundle
  20. provider_id: str
  21. """
  22. Api tool
  23. """
  24. def __init__(self, entity: ToolEntity, api_bundle: ApiToolBundle, runtime: ToolRuntime, provider_id: str):
  25. super().__init__(entity, runtime)
  26. self.api_bundle = api_bundle
  27. self.provider_id = provider_id
  28. def fork_tool_runtime(self, runtime: ToolRuntime):
  29. """
  30. fork a new tool with meta data
  31. :param meta: the meta data of a tool call processing, tenant_id is required
  32. :return: the new tool
  33. """
  34. return self.__class__(
  35. entity=self.entity,
  36. api_bundle=self.api_bundle.model_copy(),
  37. runtime=runtime,
  38. provider_id=self.provider_id,
  39. )
  40. def validate_credentials(
  41. self, credentials: dict[str, Any], parameters: dict[str, Any], format_only: bool = False
  42. ) -> str:
  43. """
  44. validate the credentials for Api tool
  45. """
  46. # assemble validate request and request parameters
  47. headers = self.assembling_request(parameters)
  48. if format_only:
  49. return ""
  50. response = self.do_http_request(self.api_bundle.server_url, self.api_bundle.method, headers, parameters)
  51. # validate response
  52. return self.validate_and_parse_response(response)
  53. def tool_provider_type(self) -> ToolProviderType:
  54. return ToolProviderType.API
  55. def assembling_request(self, parameters: dict[str, Any]) -> dict[str, Any]:
  56. if self.runtime == None:
  57. raise ToolProviderCredentialValidationError("runtime not initialized")
  58. headers = {}
  59. credentials = self.runtime.credentials or {}
  60. if "auth_type" not in credentials:
  61. raise ToolProviderCredentialValidationError("Missing auth_type")
  62. if credentials["auth_type"] == "api_key":
  63. api_key_header = "api_key"
  64. if "api_key_header" in credentials:
  65. api_key_header = credentials["api_key_header"]
  66. if "api_key_value" not in credentials:
  67. raise ToolProviderCredentialValidationError("Missing api_key_value")
  68. elif not isinstance(credentials["api_key_value"], str):
  69. raise ToolProviderCredentialValidationError("api_key_value must be a string")
  70. if "api_key_header_prefix" in credentials:
  71. api_key_header_prefix = credentials["api_key_header_prefix"]
  72. if api_key_header_prefix == "basic" and credentials["api_key_value"]:
  73. credentials["api_key_value"] = f'Basic {credentials["api_key_value"]}'
  74. elif api_key_header_prefix == "bearer" and credentials["api_key_value"]:
  75. credentials["api_key_value"] = f'Bearer {credentials["api_key_value"]}'
  76. elif api_key_header_prefix == "custom":
  77. pass
  78. headers[api_key_header] = credentials["api_key_value"]
  79. needed_parameters = [parameter for parameter in (self.api_bundle.parameters or []) if parameter.required]
  80. for parameter in needed_parameters:
  81. if parameter.required and parameter.name not in parameters:
  82. raise ToolParameterValidationError(f"Missing required parameter {parameter.name}")
  83. if parameter.default is not None and parameter.name not in parameters:
  84. parameters[parameter.name] = parameter.default
  85. return headers
  86. def validate_and_parse_response(self, response: httpx.Response) -> str:
  87. """
  88. validate the response
  89. """
  90. if isinstance(response, httpx.Response):
  91. if response.status_code >= 400:
  92. raise ToolInvokeError(f"Request failed with status code {response.status_code} and {response.text}")
  93. if not response.content:
  94. return "Empty response from the tool, please check your parameters and try again."
  95. try:
  96. response = response.json()
  97. try:
  98. return json.dumps(response, ensure_ascii=False)
  99. except Exception as e:
  100. return json.dumps(response)
  101. except Exception as e:
  102. return response.text
  103. else:
  104. raise ValueError(f"Invalid response type {type(response)}")
  105. @staticmethod
  106. def get_parameter_value(parameter, parameters):
  107. if parameter["name"] in parameters:
  108. return parameters[parameter["name"]]
  109. elif parameter.get("required", False):
  110. raise ToolParameterValidationError(f"Missing required parameter {parameter['name']}")
  111. else:
  112. return (parameter.get("schema", {}) or {}).get("default", "")
  113. def do_http_request(
  114. self, url: str, method: str, headers: dict[str, Any], parameters: dict[str, Any]
  115. ) -> httpx.Response:
  116. """
  117. do http request depending on api bundle
  118. """
  119. method = method.lower()
  120. params = {}
  121. path_params = {}
  122. body = {}
  123. cookies = {}
  124. files = []
  125. # check parameters
  126. for parameter in self.api_bundle.openapi.get("parameters", []):
  127. value = self.get_parameter_value(parameter, parameters)
  128. if parameter["in"] == "path":
  129. path_params[parameter["name"]] = value
  130. elif parameter["in"] == "query":
  131. if value != "":
  132. params[parameter["name"]] = value
  133. elif parameter["in"] == "cookie":
  134. cookies[parameter["name"]] = value
  135. elif parameter["in"] == "header":
  136. headers[parameter["name"]] = value
  137. # check if there is a request body and handle it
  138. if "requestBody" in self.api_bundle.openapi and self.api_bundle.openapi["requestBody"] is not None:
  139. # handle json request body
  140. if "content" in self.api_bundle.openapi["requestBody"]:
  141. for content_type in self.api_bundle.openapi["requestBody"]["content"]:
  142. headers["Content-Type"] = content_type
  143. body_schema = self.api_bundle.openapi["requestBody"]["content"][content_type]["schema"]
  144. required = body_schema.get("required", [])
  145. properties = body_schema.get("properties", {})
  146. for name, property in properties.items():
  147. if name in parameters:
  148. if property.get("format") == "binary":
  149. f = parameters[name]
  150. files.append((name, (f.filename, download(f), f.mime_type)))
  151. else:
  152. # convert type
  153. body[name] = self._convert_body_property_type(property, parameters[name])
  154. elif name in required:
  155. raise ToolParameterValidationError(
  156. f"Missing required parameter {name} in operation {self.api_bundle.operation_id}"
  157. )
  158. elif "default" in property:
  159. body[name] = property["default"]
  160. else:
  161. body[name] = None
  162. break
  163. # replace path parameters
  164. for name, value in path_params.items():
  165. url = url.replace(f"{{{name}}}", f"{value}")
  166. # parse http body data if needed
  167. if "Content-Type" in headers:
  168. if headers["Content-Type"] == "application/json":
  169. body = json.dumps(body)
  170. elif headers["Content-Type"] == "application/x-www-form-urlencoded":
  171. body = urlencode(body)
  172. else:
  173. body = body
  174. if method in {"get", "head", "post", "put", "delete", "patch"}:
  175. response = getattr(ssrf_proxy, method)(
  176. url,
  177. params=params,
  178. headers=headers,
  179. cookies=cookies,
  180. data=body,
  181. files=files,
  182. timeout=API_TOOL_DEFAULT_TIMEOUT,
  183. follow_redirects=True,
  184. )
  185. return response
  186. else:
  187. raise ValueError(f"Invalid http method {method}")
  188. def _convert_body_property_any_of(
  189. self, property: dict[str, Any], value: Any, any_of: list[dict[str, Any]], max_recursive=10
  190. ) -> Any:
  191. if max_recursive <= 0:
  192. raise Exception("Max recursion depth reached")
  193. for option in any_of or []:
  194. try:
  195. if "type" in option:
  196. # Attempt to convert the value based on the type.
  197. if option["type"] == "integer" or option["type"] == "int":
  198. return int(value)
  199. elif option["type"] == "number":
  200. if "." in str(value):
  201. return float(value)
  202. else:
  203. return int(value)
  204. elif option["type"] == "string":
  205. return str(value)
  206. elif option["type"] == "boolean":
  207. if str(value).lower() in {"true", "1"}:
  208. return True
  209. elif str(value).lower() in {"false", "0"}:
  210. return False
  211. else:
  212. continue # Not a boolean, try next option
  213. elif option["type"] == "null" and not value:
  214. return None
  215. else:
  216. continue # Unsupported type, try next option
  217. elif "anyOf" in option and isinstance(option["anyOf"], list):
  218. # Recursive call to handle nested anyOf
  219. return self._convert_body_property_any_of(property, value, option["anyOf"], max_recursive - 1)
  220. except ValueError:
  221. continue # Conversion failed, try next option
  222. # If no option succeeded, you might want to return the value as is or raise an error
  223. return value # or raise ValueError(f"Cannot convert value '{value}' to any specified type in anyOf")
  224. def _convert_body_property_type(self, property: dict[str, Any], value: Any) -> Any:
  225. try:
  226. if "type" in property:
  227. if property["type"] == "integer" or property["type"] == "int":
  228. return int(value)
  229. elif property["type"] == "number":
  230. # check if it is a float
  231. if "." in str(value):
  232. return float(value)
  233. else:
  234. return int(value)
  235. elif property["type"] == "string":
  236. return str(value)
  237. elif property["type"] == "boolean":
  238. return bool(value)
  239. elif property["type"] == "null":
  240. if value is None:
  241. return None
  242. elif property["type"] == "object" or property["type"] == "array":
  243. if isinstance(value, str):
  244. try:
  245. # an array str like '[1,2]' also can convert to list [1,2] through json.loads
  246. # json not support single quote, but we can support it
  247. value = value.replace("'", '"')
  248. return json.loads(value)
  249. except ValueError:
  250. return value
  251. elif isinstance(value, dict):
  252. return value
  253. else:
  254. return value
  255. else:
  256. raise ValueError(f"Invalid type {property['type']} for property {property}")
  257. elif "anyOf" in property and isinstance(property["anyOf"], list):
  258. return self._convert_body_property_any_of(property, value, property["anyOf"])
  259. except ValueError as e:
  260. return value
  261. def _invoke(
  262. self,
  263. user_id: str,
  264. tool_parameters: dict[str, Any],
  265. conversation_id: Optional[str] = None,
  266. app_id: Optional[str] = None,
  267. message_id: Optional[str] = None,
  268. ) -> Generator[ToolInvokeMessage, None, None]:
  269. """
  270. invoke http request
  271. """
  272. # assemble request
  273. headers = self.assembling_request(tool_parameters)
  274. # do http request
  275. response = self.do_http_request(self.api_bundle.server_url, self.api_bundle.method, headers, tool_parameters)
  276. # validate response
  277. response = self.validate_and_parse_response(response)
  278. # assemble invoke message
  279. yield self.create_text_message(response)