builtin_tool_provider.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286
  1. from abc import abstractmethod
  2. from typing import List, Dict, Any
  3. from os import path, listdir
  4. from yaml import load, FullLoader
  5. from core.tools.entities.tool_entities import ToolProviderType, \
  6. ToolParamter, ToolProviderCredentials
  7. from core.tools.tool.tool import Tool
  8. from core.tools.tool.builtin_tool import BuiltinTool
  9. from core.tools.provider.tool_provider import ToolProviderController
  10. from core.tools.entities.user_entities import UserToolProviderCredentials
  11. from core.tools.errors import ToolNotFoundError, ToolProviderNotFoundError, \
  12. ToolParamterValidationError, ToolProviderCredentialValidationError
  13. import importlib
  14. class BuiltinToolProviderController(ToolProviderController):
  15. def __init__(self, **data: Any) -> None:
  16. if self.app_type == ToolProviderType.API_BASED or self.app_type == ToolProviderType.APP_BASED:
  17. super().__init__(**data)
  18. return
  19. # load provider yaml
  20. provider = self.__class__.__module__.split('.')[-1]
  21. yaml_path = path.join(path.dirname(path.realpath(__file__)), 'builtin', provider, f'{provider}.yaml')
  22. try:
  23. with open(yaml_path, 'r') as f:
  24. provider_yaml = load(f.read(), FullLoader)
  25. except:
  26. raise ToolProviderNotFoundError(f'can not load provider yaml for {provider}')
  27. if 'credentials_for_provider' in provider_yaml and provider_yaml['credentials_for_provider'] is not None:
  28. # set credentials name
  29. for credential_name in provider_yaml['credentials_for_provider']:
  30. provider_yaml['credentials_for_provider'][credential_name]['name'] = credential_name
  31. super().__init__(**{
  32. 'identity': provider_yaml['identity'],
  33. 'credentials_schema': provider_yaml['credentials_for_provider'] if 'credentials_for_provider' in provider_yaml else None,
  34. })
  35. def _get_builtin_tools(self) -> List[Tool]:
  36. """
  37. returns a list of tools that the provider can provide
  38. :return: list of tools
  39. """
  40. if self.tools:
  41. return self.tools
  42. provider = self.identity.name
  43. tool_path = path.join(path.dirname(path.realpath(__file__)), "builtin", provider, "tools")
  44. # get all the yaml files in the tool path
  45. tool_files = list(filter(lambda x: x.endswith(".yaml") and not x.startswith("__"), listdir(tool_path)))
  46. tools = []
  47. for tool_file in tool_files:
  48. with open(path.join(tool_path, tool_file), "r") as f:
  49. # get tool name
  50. tool_name = tool_file.split(".")[0]
  51. tool = load(f.read(), FullLoader)
  52. # get tool class, import the module
  53. py_path = path.join(path.dirname(path.realpath(__file__)), 'builtin', provider, 'tools', f'{tool_name}.py')
  54. spec = importlib.util.spec_from_file_location(f'core.tools.provider.builtin.{provider}.tools.{tool_name}', py_path)
  55. mod = importlib.util.module_from_spec(spec)
  56. spec.loader.exec_module(mod)
  57. # get all the classes in the module
  58. classes = [x for _, x in vars(mod).items()
  59. if isinstance(x, type) and x not in [BuiltinTool, Tool] and issubclass(x, BuiltinTool)
  60. ]
  61. assistant_tool_class = classes[0]
  62. tools.append(assistant_tool_class(**tool))
  63. self.tools = tools
  64. return tools
  65. def get_credentials_schema(self) -> Dict[str, ToolProviderCredentials]:
  66. """
  67. returns the credentials schema of the provider
  68. :return: the credentials schema
  69. """
  70. if not self.credentials_schema:
  71. return {}
  72. return self.credentials_schema.copy()
  73. def user_get_credentials_schema(self) -> UserToolProviderCredentials:
  74. """
  75. returns the credentials schema of the provider, this method is used for user
  76. :return: the credentials schema
  77. """
  78. credentials = self.credentials_schema.copy()
  79. return UserToolProviderCredentials(credentials=credentials)
  80. def get_tools(self) -> List[Tool]:
  81. """
  82. returns a list of tools that the provider can provide
  83. :return: list of tools
  84. """
  85. return self._get_builtin_tools()
  86. def get_tool(self, tool_name: str) -> Tool:
  87. """
  88. returns the tool that the provider can provide
  89. """
  90. return next(filter(lambda x: x.identity.name == tool_name, self.get_tools()), None)
  91. def get_parameters(self, tool_name: str) -> List[ToolParamter]:
  92. """
  93. returns the parameters of the tool
  94. :param tool_name: the name of the tool, defined in `get_tools`
  95. :return: list of parameters
  96. """
  97. tool = next(filter(lambda x: x.identity.name == tool_name, self.get_tools()), None)
  98. if tool is None:
  99. raise ToolNotFoundError(f'tool {tool_name} not found')
  100. return tool.parameters
  101. @property
  102. def need_credentials(self) -> bool:
  103. """
  104. returns whether the provider needs credentials
  105. :return: whether the provider needs credentials
  106. """
  107. return self.credentials_schema is not None and len(self.credentials_schema) != 0
  108. @property
  109. def app_type(self) -> ToolProviderType:
  110. """
  111. returns the type of the provider
  112. :return: type of the provider
  113. """
  114. return ToolProviderType.BUILT_IN
  115. def validate_parameters(self, tool_id: int, tool_name: str, tool_parameters: Dict[str, Any]) -> None:
  116. """
  117. validate the parameters of the tool and set the default value if needed
  118. :param tool_name: the name of the tool, defined in `get_tools`
  119. :param tool_parameters: the parameters of the tool
  120. """
  121. tool_parameters_schema = self.get_parameters(tool_name)
  122. tool_parameters_need_to_validate: Dict[str, ToolParamter] = {}
  123. for parameter in tool_parameters_schema:
  124. tool_parameters_need_to_validate[parameter.name] = parameter
  125. for parameter in tool_parameters:
  126. if parameter not in tool_parameters_need_to_validate:
  127. raise ToolParamterValidationError(f'parameter {parameter} not found in tool {tool_name}')
  128. # check type
  129. parameter_schema = tool_parameters_need_to_validate[parameter]
  130. if parameter_schema.type == ToolParamter.ToolParameterType.STRING:
  131. if not isinstance(tool_parameters[parameter], str):
  132. raise ToolParamterValidationError(f'parameter {parameter} should be string')
  133. elif parameter_schema.type == ToolParamter.ToolParameterType.NUMBER:
  134. if not isinstance(tool_parameters[parameter], (int, float)):
  135. raise ToolParamterValidationError(f'parameter {parameter} should be number')
  136. if parameter_schema.min is not None and tool_parameters[parameter] < parameter_schema.min:
  137. raise ToolParamterValidationError(f'parameter {parameter} should be greater than {parameter_schema.min}')
  138. if parameter_schema.max is not None and tool_parameters[parameter] > parameter_schema.max:
  139. raise ToolParamterValidationError(f'parameter {parameter} should be less than {parameter_schema.max}')
  140. elif parameter_schema.type == ToolParamter.ToolParameterType.BOOLEAN:
  141. if not isinstance(tool_parameters[parameter], bool):
  142. raise ToolParamterValidationError(f'parameter {parameter} should be boolean')
  143. elif parameter_schema.type == ToolParamter.ToolParameterType.SELECT:
  144. if not isinstance(tool_parameters[parameter], str):
  145. raise ToolParamterValidationError(f'parameter {parameter} should be string')
  146. options = parameter_schema.options
  147. if not isinstance(options, list):
  148. raise ToolParamterValidationError(f'parameter {parameter} options should be list')
  149. if tool_parameters[parameter] not in [x.value for x in options]:
  150. raise ToolParamterValidationError(f'parameter {parameter} should be one of {options}')
  151. tool_parameters_need_to_validate.pop(parameter)
  152. for parameter in tool_parameters_need_to_validate:
  153. parameter_schema = tool_parameters_need_to_validate[parameter]
  154. if parameter_schema.required:
  155. raise ToolParamterValidationError(f'parameter {parameter} is required')
  156. # the parameter is not set currently, set the default value if needed
  157. if parameter_schema.default is not None:
  158. default_value = parameter_schema.default
  159. # parse default value into the correct type
  160. if parameter_schema.type == ToolParamter.ToolParameterType.STRING or \
  161. parameter_schema.type == ToolParamter.ToolParameterType.SELECT:
  162. default_value = str(default_value)
  163. elif parameter_schema.type == ToolParamter.ToolParameterType.NUMBER:
  164. default_value = float(default_value)
  165. elif parameter_schema.type == ToolParamter.ToolParameterType.BOOLEAN:
  166. default_value = bool(default_value)
  167. tool_parameters[parameter] = default_value
  168. def validate_credentials_format(self, credentials: Dict[str, Any]) -> None:
  169. """
  170. validate the format of the credentials of the provider and set the default value if needed
  171. :param credentials: the credentials of the tool
  172. """
  173. credentials_schema = self.credentials_schema
  174. if credentials_schema is None:
  175. return
  176. credentials_need_to_validate: Dict[str, ToolProviderCredentials] = {}
  177. for credential_name in credentials_schema:
  178. credentials_need_to_validate[credential_name] = credentials_schema[credential_name]
  179. for credential_name in credentials:
  180. if credential_name not in credentials_need_to_validate:
  181. raise ToolProviderCredentialValidationError(f'credential {credential_name} not found in provider {self.identity.name}')
  182. # check type
  183. credential_schema = credentials_need_to_validate[credential_name]
  184. if credential_schema == ToolProviderCredentials.CredentialsType.SECRET_INPUT or \
  185. credential_schema == ToolProviderCredentials.CredentialsType.TEXT_INPUT:
  186. if not isinstance(credentials[credential_name], str):
  187. raise ToolProviderCredentialValidationError(f'credential {credential_name} should be string')
  188. elif credential_schema.type == ToolProviderCredentials.CredentialsType.SELECT:
  189. if not isinstance(credentials[credential_name], str):
  190. raise ToolProviderCredentialValidationError(f'credential {credential_name} should be string')
  191. options = credential_schema.options
  192. if not isinstance(options, list):
  193. raise ToolProviderCredentialValidationError(f'credential {credential_name} options should be list')
  194. if credentials[credential_name] not in [x.value for x in options]:
  195. raise ToolProviderCredentialValidationError(f'credential {credential_name} should be one of {options}')
  196. credentials_need_to_validate.pop(credential_name)
  197. for credential_name in credentials_need_to_validate:
  198. credential_schema = credentials_need_to_validate[credential_name]
  199. if credential_schema.required:
  200. raise ToolProviderCredentialValidationError(f'credential {credential_name} is required')
  201. # the credential is not set currently, set the default value if needed
  202. if credential_schema.default is not None:
  203. default_value = credential_schema.default
  204. # parse default value into the correct type
  205. if credential_schema.type == ToolProviderCredentials.CredentialsType.SECRET_INPUT or \
  206. credential_schema.type == ToolProviderCredentials.CredentialsType.TEXT_INPUT or \
  207. credential_schema.type == ToolProviderCredentials.CredentialsType.SELECT:
  208. default_value = str(default_value)
  209. credentials[credential_name] = default_value
  210. def validate_credentials(self, credentials: Dict[str, Any]) -> None:
  211. """
  212. validate the credentials of the provider
  213. :param tool_name: the name of the tool, defined in `get_tools`
  214. :param credentials: the credentials of the tool
  215. """
  216. # validate credentials format
  217. self.validate_credentials_format(credentials)
  218. # validate credentials
  219. self._validate_credentials(credentials)
  220. @abstractmethod
  221. def _validate_credentials(self, credentials: Dict[str, Any]) -> None:
  222. """
  223. validate the credentials of the provider
  224. :param tool_name: the name of the tool, defined in `get_tools`
  225. :param credentials: the credentials of the tool
  226. """
  227. pass