Source code for langchain_community.chat_models.mlflow_ai_gateway
importloggingimportwarningsfromtypingimportAny,Dict,List,Mapping,Optionalfromlangchain_core.callbacksimport(CallbackManagerForLLMRun,)fromlangchain_core.language_models.chat_modelsimportBaseChatModelfromlangchain_core.messagesimport(AIMessage,BaseMessage,ChatMessage,FunctionMessage,HumanMessage,SystemMessage,)fromlangchain_core.outputsimport(ChatGeneration,ChatResult,)fromlangchain_core.pydantic_v1importBaseModellogger=logging.getLogger(__name__)# Ignoring type because below is valid pydantic code# Unexpected keyword argument "extra" for "__init_subclass__" of "object" [call-arg]
[docs]classChatParams(BaseModel,extra="allow"):"""Parameters for the `MLflow AI Gateway` LLM."""temperature:float=0.0candidate_count:int=1"""The number of candidates to return."""stop:Optional[List[str]]=Nonemax_tokens:Optional[int]=None
[docs]classChatMLflowAIGateway(BaseChatModel):"""`MLflow AI Gateway` chat models API. To use, you should have the ``mlflow[gateway]`` python package installed. For more information, see https://mlflow.org/docs/latest/gateway/index.html. Example: .. code-block:: python from langchain_community.chat_models import ChatMLflowAIGateway chat = ChatMLflowAIGateway( gateway_uri="<your-mlflow-ai-gateway-uri>", route="<your-mlflow-ai-gateway-chat-route>", params={ "temperature": 0.1 } ) """def__init__(self,**kwargs:Any):warnings.warn("`ChatMLflowAIGateway` is deprecated. Use `ChatMlflow` or ""`ChatDatabricks` instead.",DeprecationWarning,)try:importmlflow.gatewayexceptImportErrorase:raiseImportError("Could not import `mlflow.gateway` module. ""Please install it with `pip install mlflow[gateway]`.")fromesuper().__init__(**kwargs)ifself.gateway_uri:mlflow.gateway.set_gateway_uri(self.gateway_uri)route:strgateway_uri:Optional[str]=Noneparams:Optional[ChatParams]=None@propertydef_default_params(self)->Dict[str,Any]:params:Dict[str,Any]={"gateway_uri":self.gateway_uri,"route":self.route,**(self.params.dict()ifself.paramselse{}),}returnparamsdef_generate(self,messages:List[BaseMessage],stop:Optional[List[str]]=None,run_manager:Optional[CallbackManagerForLLMRun]=None,**kwargs:Any,)->ChatResult:try:importmlflow.gatewayexceptImportErrorase:raiseImportError("Could not import `mlflow.gateway` module. ""Please install it with `pip install mlflow[gateway]`.")fromemessage_dicts=[ChatMLflowAIGateway._convert_message_to_dict(message)formessageinmessages]data:Dict[str,Any]={"messages":message_dicts,**(self.params.dict()ifself.paramselse{}),}resp=mlflow.gateway.query(self.route,data=data)returnChatMLflowAIGateway._create_chat_result(resp)@propertydef_identifying_params(self)->Dict[str,Any]:returnself._default_paramsdef_get_invocation_params(self,stop:Optional[List[str]]=None,**kwargs:Any)->Dict[str,Any]:"""Get the parameters used to invoke the model FOR THE CALLBACKS."""return{**self._default_params,**super()._get_invocation_params(stop=stop,**kwargs),}@propertydef_llm_type(self)->str:"""Return type of chat model."""return"mlflow-ai-gateway-chat"@staticmethoddef_convert_dict_to_message(_dict:Mapping[str,Any])->BaseMessage:role=_dict["role"]content=_dict["content"]ifrole=="user":returnHumanMessage(content=content)elifrole=="assistant":returnAIMessage(content=content)elifrole=="system":returnSystemMessage(content=content)else:returnChatMessage(content=content,role=role)@staticmethoddef_raise_functions_not_supported()->None:raiseValueError("Function messages are not supported by the MLflow AI Gateway. Please"" create a feature request at https://github.com/mlflow/mlflow/issues.")@staticmethoddef_convert_message_to_dict(message:BaseMessage)->dict:ifisinstance(message,ChatMessage):message_dict={"role":message.role,"content":message.content}elifisinstance(message,HumanMessage):message_dict={"role":"user","content":message.content}elifisinstance(message,AIMessage):message_dict={"role":"assistant","content":message.content}elifisinstance(message,SystemMessage):message_dict={"role":"system","content":message.content}elifisinstance(message,FunctionMessage):raiseValueError("Function messages are not supported by the MLflow AI Gateway. Please"" create a feature request at https://github.com/mlflow/mlflow/issues.")else:raiseValueError(f"Got unknown message type: {message}")if"function_call"inmessage.additional_kwargs:ChatMLflowAIGateway._raise_functions_not_supported()ifmessage.additional_kwargs:logger.warning("Additional message arguments are unsupported by MLflow AI Gateway "" and will be ignored: %s",message.additional_kwargs,)returnmessage_dict@staticmethoddef_create_chat_result(response:Mapping[str,Any])->ChatResult:generations=[]forcandidateinresponse["candidates"]:message=ChatMLflowAIGateway._convert_dict_to_message(candidate["message"])message_metadata=candidate.get("metadata",{})gen=ChatGeneration(message=message,generation_info=dict(message_metadata),)generations.append(gen)response_metadata=response.get("metadata",{})returnChatResult(generations=generations,llm_output=response_metadata)