mirror of
https://github.com/hwchase17/langchain.git
synced 2025-06-18 12:58:59 +00:00
Move RunnableWithFallbacks to its own file
This commit is contained in:
parent
01dbfc2bc7
commit
a3b82d1831
@ -36,6 +36,9 @@ if TYPE_CHECKING:
|
|||||||
CallbackManagerForChainRun,
|
CallbackManagerForChainRun,
|
||||||
)
|
)
|
||||||
from langchain.callbacks.tracers.log_stream import RunLogPatch
|
from langchain.callbacks.tracers.log_stream import RunLogPatch
|
||||||
|
from langchain.schema.runnable.fallbacks import (
|
||||||
|
RunnableWithFallbacks as RunnableWithFallbacksT,
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
from langchain.load.dump import dumpd
|
from langchain.load.dump import dumpd
|
||||||
@ -455,7 +458,9 @@ class Runnable(Generic[Input, Output], ABC):
|
|||||||
fallbacks: Sequence[Runnable[Input, Output]],
|
fallbacks: Sequence[Runnable[Input, Output]],
|
||||||
*,
|
*,
|
||||||
exceptions_to_handle: Tuple[Type[BaseException], ...] = (Exception,),
|
exceptions_to_handle: Tuple[Type[BaseException], ...] = (Exception,),
|
||||||
) -> RunnableWithFallbacks[Input, Output]:
|
) -> RunnableWithFallbacksT[Input, Output]:
|
||||||
|
from langchain.schema.runnable.fallbacks import RunnableWithFallbacks
|
||||||
|
|
||||||
return RunnableWithFallbacks(
|
return RunnableWithFallbacks(
|
||||||
runnable=self,
|
runnable=self,
|
||||||
fallbacks=fallbacks,
|
fallbacks=fallbacks,
|
||||||
|
277
libs/langchain/langchain/schema/runnable/fallbacks.py
Normal file
277
libs/langchain/langchain/schema/runnable/fallbacks.py
Normal file
@ -0,0 +1,277 @@
|
|||||||
|
import asyncio
|
||||||
|
from ctypes import Union
|
||||||
|
from typing import TYPE_CHECKING, Any, Iterator, List, Optional, Sequence, Tuple, Type
|
||||||
|
from langchain.load.dump import dumpd
|
||||||
|
|
||||||
|
from langchain.pydantic_v1 import BaseModel
|
||||||
|
from langchain.schema.runnable.base import Runnable, RunnableSerializable
|
||||||
|
from langchain.schema.runnable.config import (
|
||||||
|
RunnableConfig,
|
||||||
|
ensure_config,
|
||||||
|
get_async_callback_manager_for_config,
|
||||||
|
get_callback_manager_for_config,
|
||||||
|
get_config_list,
|
||||||
|
patch_config,
|
||||||
|
)
|
||||||
|
from langchain.schema.runnable.utils import Input, Output
|
||||||
|
|
||||||
|
if TYPE_CHECKING:
|
||||||
|
from langchain.callbacks.manager import AsyncCallbackManagerForChainRun
|
||||||
|
|
||||||
|
|
||||||
|
class RunnableWithFallbacks(RunnableSerializable[Input, Output]):
|
||||||
|
"""
|
||||||
|
A Runnable that can fallback to other Runnables if it fails.
|
||||||
|
"""
|
||||||
|
|
||||||
|
runnable: Runnable[Input, Output]
|
||||||
|
fallbacks: Sequence[Runnable[Input, Output]]
|
||||||
|
exceptions_to_handle: Tuple[Type[BaseException], ...] = (Exception,)
|
||||||
|
|
||||||
|
class Config:
|
||||||
|
arbitrary_types_allowed = True
|
||||||
|
|
||||||
|
@property
|
||||||
|
def InputType(self) -> Type[Input]:
|
||||||
|
return self.runnable.InputType
|
||||||
|
|
||||||
|
@property
|
||||||
|
def OutputType(self) -> Type[Output]:
|
||||||
|
return self.runnable.OutputType
|
||||||
|
|
||||||
|
@property
|
||||||
|
def input_schema(self) -> Type[BaseModel]:
|
||||||
|
return self.runnable.input_schema
|
||||||
|
|
||||||
|
@property
|
||||||
|
def output_schema(self) -> Type[BaseModel]:
|
||||||
|
return self.runnable.output_schema
|
||||||
|
|
||||||
|
def config_schema(
|
||||||
|
self, *, include: Optional[Sequence[str]] = None
|
||||||
|
) -> Type[BaseModel]:
|
||||||
|
return self.runnable.config_schema(include=include)
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def is_lc_serializable(cls) -> bool:
|
||||||
|
return True
|
||||||
|
|
||||||
|
@classmethod
|
||||||
|
def get_lc_namespace(cls) -> List[str]:
|
||||||
|
return cls.__module__.split(".")[:-1]
|
||||||
|
|
||||||
|
@property
|
||||||
|
def runnables(self) -> Iterator[Runnable[Input, Output]]:
|
||||||
|
yield self.runnable
|
||||||
|
yield from self.fallbacks
|
||||||
|
|
||||||
|
def invoke(
|
||||||
|
self, input: Input, config: Optional[RunnableConfig] = None, **kwargs: Any
|
||||||
|
) -> Output:
|
||||||
|
# setup callbacks
|
||||||
|
config = ensure_config(config)
|
||||||
|
callback_manager = get_callback_manager_for_config(config)
|
||||||
|
# start the root run
|
||||||
|
run_manager = callback_manager.on_chain_start(
|
||||||
|
dumpd(self), input, name=config.get("run_name")
|
||||||
|
)
|
||||||
|
first_error = None
|
||||||
|
for runnable in self.runnables:
|
||||||
|
try:
|
||||||
|
output = runnable.invoke(
|
||||||
|
input,
|
||||||
|
patch_config(config, callbacks=run_manager.get_child()),
|
||||||
|
**kwargs,
|
||||||
|
)
|
||||||
|
except self.exceptions_to_handle as e:
|
||||||
|
if first_error is None:
|
||||||
|
first_error = e
|
||||||
|
except BaseException as e:
|
||||||
|
run_manager.on_chain_error(e)
|
||||||
|
raise e
|
||||||
|
else:
|
||||||
|
run_manager.on_chain_end(output)
|
||||||
|
return output
|
||||||
|
if first_error is None:
|
||||||
|
raise ValueError("No error stored at end of fallbacks.")
|
||||||
|
run_manager.on_chain_error(first_error)
|
||||||
|
raise first_error
|
||||||
|
|
||||||
|
async def ainvoke(
|
||||||
|
self,
|
||||||
|
input: Input,
|
||||||
|
config: Optional[RunnableConfig] = None,
|
||||||
|
**kwargs: Optional[Any],
|
||||||
|
) -> Output:
|
||||||
|
# setup callbacks
|
||||||
|
config = ensure_config(config)
|
||||||
|
callback_manager = get_async_callback_manager_for_config(config)
|
||||||
|
# start the root run
|
||||||
|
run_manager = await callback_manager.on_chain_start(
|
||||||
|
dumpd(self), input, name=config.get("run_name")
|
||||||
|
)
|
||||||
|
|
||||||
|
first_error = None
|
||||||
|
for runnable in self.runnables:
|
||||||
|
try:
|
||||||
|
output = await runnable.ainvoke(
|
||||||
|
input,
|
||||||
|
patch_config(config, callbacks=run_manager.get_child()),
|
||||||
|
**kwargs,
|
||||||
|
)
|
||||||
|
except self.exceptions_to_handle as e:
|
||||||
|
if first_error is None:
|
||||||
|
first_error = e
|
||||||
|
except BaseException as e:
|
||||||
|
await run_manager.on_chain_error(e)
|
||||||
|
raise e
|
||||||
|
else:
|
||||||
|
await run_manager.on_chain_end(output)
|
||||||
|
return output
|
||||||
|
if first_error is None:
|
||||||
|
raise ValueError("No error stored at end of fallbacks.")
|
||||||
|
await run_manager.on_chain_error(first_error)
|
||||||
|
raise first_error
|
||||||
|
|
||||||
|
def batch(
|
||||||
|
self,
|
||||||
|
inputs: List[Input],
|
||||||
|
config: Optional[Union[RunnableConfig, List[RunnableConfig]]] = None,
|
||||||
|
*,
|
||||||
|
return_exceptions: bool = False,
|
||||||
|
**kwargs: Optional[Any],
|
||||||
|
) -> List[Output]:
|
||||||
|
from langchain.callbacks.manager import CallbackManager
|
||||||
|
|
||||||
|
if return_exceptions:
|
||||||
|
raise NotImplementedError()
|
||||||
|
|
||||||
|
if not inputs:
|
||||||
|
return []
|
||||||
|
|
||||||
|
# setup callbacks
|
||||||
|
configs = get_config_list(config, len(inputs))
|
||||||
|
callback_managers = [
|
||||||
|
CallbackManager.configure(
|
||||||
|
inheritable_callbacks=config.get("callbacks"),
|
||||||
|
local_callbacks=None,
|
||||||
|
verbose=False,
|
||||||
|
inheritable_tags=config.get("tags"),
|
||||||
|
local_tags=None,
|
||||||
|
inheritable_metadata=config.get("metadata"),
|
||||||
|
local_metadata=None,
|
||||||
|
)
|
||||||
|
for config in configs
|
||||||
|
]
|
||||||
|
# start the root runs, one per input
|
||||||
|
run_managers = [
|
||||||
|
cm.on_chain_start(
|
||||||
|
dumpd(self),
|
||||||
|
input if isinstance(input, dict) else {"input": input},
|
||||||
|
name=config.get("run_name"),
|
||||||
|
)
|
||||||
|
for cm, input, config in zip(callback_managers, inputs, configs)
|
||||||
|
]
|
||||||
|
|
||||||
|
first_error = None
|
||||||
|
for runnable in self.runnables:
|
||||||
|
try:
|
||||||
|
outputs = runnable.batch(
|
||||||
|
inputs,
|
||||||
|
[
|
||||||
|
# each step a child run of the corresponding root run
|
||||||
|
patch_config(config, callbacks=rm.get_child())
|
||||||
|
for rm, config in zip(run_managers, configs)
|
||||||
|
],
|
||||||
|
return_exceptions=return_exceptions,
|
||||||
|
**kwargs,
|
||||||
|
)
|
||||||
|
except self.exceptions_to_handle as e:
|
||||||
|
if first_error is None:
|
||||||
|
first_error = e
|
||||||
|
except BaseException as e:
|
||||||
|
for rm in run_managers:
|
||||||
|
rm.on_chain_error(e)
|
||||||
|
raise e
|
||||||
|
else:
|
||||||
|
for rm, output in zip(run_managers, outputs):
|
||||||
|
rm.on_chain_end(output)
|
||||||
|
return outputs
|
||||||
|
if first_error is None:
|
||||||
|
raise ValueError("No error stored at end of fallbacks.")
|
||||||
|
for rm in run_managers:
|
||||||
|
rm.on_chain_error(first_error)
|
||||||
|
raise first_error
|
||||||
|
|
||||||
|
async def abatch(
|
||||||
|
self,
|
||||||
|
inputs: List[Input],
|
||||||
|
config: Optional[Union[RunnableConfig, List[RunnableConfig]]] = None,
|
||||||
|
*,
|
||||||
|
return_exceptions: bool = False,
|
||||||
|
**kwargs: Optional[Any],
|
||||||
|
) -> List[Output]:
|
||||||
|
from langchain.callbacks.manager import AsyncCallbackManager
|
||||||
|
|
||||||
|
if return_exceptions:
|
||||||
|
raise NotImplementedError()
|
||||||
|
|
||||||
|
if not inputs:
|
||||||
|
return []
|
||||||
|
|
||||||
|
# setup callbacks
|
||||||
|
configs = get_config_list(config, len(inputs))
|
||||||
|
callback_managers = [
|
||||||
|
AsyncCallbackManager.configure(
|
||||||
|
inheritable_callbacks=config.get("callbacks"),
|
||||||
|
local_callbacks=None,
|
||||||
|
verbose=False,
|
||||||
|
inheritable_tags=config.get("tags"),
|
||||||
|
local_tags=None,
|
||||||
|
inheritable_metadata=config.get("metadata"),
|
||||||
|
local_metadata=None,
|
||||||
|
)
|
||||||
|
for config in configs
|
||||||
|
]
|
||||||
|
# start the root runs, one per input
|
||||||
|
run_managers: List[AsyncCallbackManagerForChainRun] = await asyncio.gather(
|
||||||
|
*(
|
||||||
|
cm.on_chain_start(
|
||||||
|
dumpd(self),
|
||||||
|
input,
|
||||||
|
name=config.get("run_name"),
|
||||||
|
)
|
||||||
|
for cm, input, config in zip(callback_managers, inputs, configs)
|
||||||
|
)
|
||||||
|
)
|
||||||
|
|
||||||
|
first_error = None
|
||||||
|
for runnable in self.runnables:
|
||||||
|
try:
|
||||||
|
outputs = await runnable.abatch(
|
||||||
|
inputs,
|
||||||
|
[
|
||||||
|
# each step a child run of the corresponding root run
|
||||||
|
patch_config(config, callbacks=rm.get_child())
|
||||||
|
for rm, config in zip(run_managers, configs)
|
||||||
|
],
|
||||||
|
return_exceptions=return_exceptions,
|
||||||
|
**kwargs,
|
||||||
|
)
|
||||||
|
except self.exceptions_to_handle as e:
|
||||||
|
if first_error is None:
|
||||||
|
first_error = e
|
||||||
|
except BaseException as e:
|
||||||
|
await asyncio.gather(*(rm.on_chain_error(e) for rm in run_managers))
|
||||||
|
else:
|
||||||
|
await asyncio.gather(
|
||||||
|
*(
|
||||||
|
rm.on_chain_end(output)
|
||||||
|
for rm, output in zip(run_managers, outputs)
|
||||||
|
)
|
||||||
|
)
|
||||||
|
return outputs
|
||||||
|
if first_error is None:
|
||||||
|
raise ValueError("No error stored at end of fallbacks.")
|
||||||
|
await asyncio.gather(*(rm.on_chain_error(first_error) for rm in run_managers))
|
||||||
|
raise first_error
|
Loading…
Reference in New Issue
Block a user