Spaces:
Sleeping
Sleeping
#### What this does #### | |
# identifies lowest tpm deployment | |
import random | |
from typing import TYPE_CHECKING, Any, Dict, List, Optional, Union | |
import httpx | |
import litellm | |
from litellm import token_counter | |
from litellm._logging import verbose_logger, verbose_router_logger | |
from litellm.caching.caching import DualCache | |
from litellm.integrations.custom_logger import CustomLogger | |
from litellm.litellm_core_utils.core_helpers import _get_parent_otel_span_from_kwargs | |
from litellm.types.router import RouterErrors | |
from litellm.types.utils import LiteLLMPydanticObjectBase, StandardLoggingPayload | |
from litellm.utils import get_utc_datetime, print_verbose | |
from .base_routing_strategy import BaseRoutingStrategy | |
if TYPE_CHECKING: | |
from opentelemetry.trace import Span as _Span | |
Span = Union[_Span, Any] | |
else: | |
Span = Any | |
class RoutingArgs(LiteLLMPydanticObjectBase): | |
ttl: int = 1 * 60 # 1min (RPM/TPM expire key) | |
class LowestTPMLoggingHandler_v2(BaseRoutingStrategy, CustomLogger): | |
""" | |
Updated version of TPM/RPM Logging. | |
Meant to work across instances. | |
Caches individual models, not model_groups | |
Uses batch get (redis.mget) | |
Increments tpm/rpm limit using redis.incr | |
""" | |
test_flag: bool = False | |
logged_success: int = 0 | |
logged_failure: int = 0 | |
default_cache_time_seconds: int = 1 * 60 * 60 # 1 hour | |
def __init__( | |
self, router_cache: DualCache, model_list: list, routing_args: dict = {} | |
): | |
self.router_cache = router_cache | |
self.model_list = model_list | |
self.routing_args = RoutingArgs(**routing_args) | |
BaseRoutingStrategy.__init__( | |
self, | |
dual_cache=router_cache, | |
should_batch_redis_writes=True, | |
default_sync_interval=0.1, | |
) | |
def pre_call_check(self, deployment: Dict) -> Optional[Dict]: | |
""" | |
Pre-call check + update model rpm | |
Returns - deployment | |
Raises - RateLimitError if deployment over defined RPM limit | |
""" | |
try: | |
# ------------ | |
# Setup values | |
# ------------ | |
dt = get_utc_datetime() | |
current_minute = dt.strftime("%H-%M") | |
model_id = deployment.get("model_info", {}).get("id") | |
deployment_name = deployment.get("litellm_params", {}).get("model") | |
rpm_key = f"{model_id}:{deployment_name}:rpm:{current_minute}" | |
local_result = self.router_cache.get_cache( | |
key=rpm_key, local_only=True | |
) # check local result first | |
deployment_rpm = None | |
if deployment_rpm is None: | |
deployment_rpm = deployment.get("rpm") | |
if deployment_rpm is None: | |
deployment_rpm = deployment.get("litellm_params", {}).get("rpm") | |
if deployment_rpm is None: | |
deployment_rpm = deployment.get("model_info", {}).get("rpm") | |
if deployment_rpm is None: | |
deployment_rpm = float("inf") | |
if local_result is not None and local_result >= deployment_rpm: | |
raise litellm.RateLimitError( | |
message="Deployment over defined rpm limit={}. current usage={}".format( | |
deployment_rpm, local_result | |
), | |
llm_provider="", | |
model=deployment.get("litellm_params", {}).get("model"), | |
response=httpx.Response( | |
status_code=429, | |
content="{} rpm limit={}. current usage={}. id={}, model_group={}. Get the model info by calling 'router.get_model_info(id)".format( | |
RouterErrors.user_defined_ratelimit_error.value, | |
deployment_rpm, | |
local_result, | |
model_id, | |
deployment.get("model_name", ""), | |
), | |
request=httpx.Request(method="tpm_rpm_limits", url="https://github.com/BerriAI/litellm"), # type: ignore | |
), | |
) | |
else: | |
# if local result below limit, check redis ## prevent unnecessary redis checks | |
result = self.router_cache.increment_cache( | |
key=rpm_key, value=1, ttl=self.routing_args.ttl | |
) | |
if result is not None and result > deployment_rpm: | |
raise litellm.RateLimitError( | |
message="Deployment over defined rpm limit={}. current usage={}".format( | |
deployment_rpm, result | |
), | |
llm_provider="", | |
model=deployment.get("litellm_params", {}).get("model"), | |
response=httpx.Response( | |
status_code=429, | |
content="{} rpm limit={}. current usage={}".format( | |
RouterErrors.user_defined_ratelimit_error.value, | |
deployment_rpm, | |
result, | |
), | |
request=httpx.Request(method="tpm_rpm_limits", url="https://github.com/BerriAI/litellm"), # type: ignore | |
), | |
) | |
return deployment | |
except Exception as e: | |
if isinstance(e, litellm.RateLimitError): | |
raise e | |
return deployment # don't fail calls if eg. redis fails to connect | |
async def async_pre_call_check( | |
self, deployment: Dict, parent_otel_span: Optional[Span] | |
) -> Optional[Dict]: | |
""" | |
Pre-call check + update model rpm | |
- Used inside semaphore | |
- raise rate limit error if deployment over limit | |
Why? solves concurrency issue - https://github.com/BerriAI/litellm/issues/2994 | |
Returns - deployment | |
Raises - RateLimitError if deployment over defined RPM limit | |
""" | |
try: | |
# ------------ | |
# Setup values | |
# ------------ | |
dt = get_utc_datetime() | |
current_minute = dt.strftime("%H-%M") | |
model_id = deployment.get("model_info", {}).get("id") | |
deployment_name = deployment.get("litellm_params", {}).get("model") | |
rpm_key = f"{model_id}:{deployment_name}:rpm:{current_minute}" | |
local_result = await self.router_cache.async_get_cache( | |
key=rpm_key, local_only=True | |
) # check local result first | |
deployment_rpm = None | |
if deployment_rpm is None: | |
deployment_rpm = deployment.get("rpm") | |
if deployment_rpm is None: | |
deployment_rpm = deployment.get("litellm_params", {}).get("rpm") | |
if deployment_rpm is None: | |
deployment_rpm = deployment.get("model_info", {}).get("rpm") | |
if deployment_rpm is None: | |
deployment_rpm = float("inf") | |
if local_result is not None and local_result >= deployment_rpm: | |
raise litellm.RateLimitError( | |
message="Deployment over defined rpm limit={}. current usage={}".format( | |
deployment_rpm, local_result | |
), | |
llm_provider="", | |
model=deployment.get("litellm_params", {}).get("model"), | |
response=httpx.Response( | |
status_code=429, | |
content="{} rpm limit={}. current usage={}".format( | |
RouterErrors.user_defined_ratelimit_error.value, | |
deployment_rpm, | |
local_result, | |
), | |
headers={"retry-after": str(60)}, # type: ignore | |
request=httpx.Request(method="tpm_rpm_limits", url="https://github.com/BerriAI/litellm"), # type: ignore | |
), | |
num_retries=deployment.get("num_retries"), | |
) | |
else: | |
# if local result below limit, check redis ## prevent unnecessary redis checks | |
result = await self._increment_value_in_current_window( | |
key=rpm_key, value=1, ttl=self.routing_args.ttl | |
) | |
if result is not None and result > deployment_rpm: | |
raise litellm.RateLimitError( | |
message="Deployment over defined rpm limit={}. current usage={}".format( | |
deployment_rpm, result | |
), | |
llm_provider="", | |
model=deployment.get("litellm_params", {}).get("model"), | |
response=httpx.Response( | |
status_code=429, | |
content="{} rpm limit={}. current usage={}".format( | |
RouterErrors.user_defined_ratelimit_error.value, | |
deployment_rpm, | |
result, | |
), | |
headers={"retry-after": str(60)}, # type: ignore | |
request=httpx.Request(method="tpm_rpm_limits", url="https://github.com/BerriAI/litellm"), # type: ignore | |
), | |
num_retries=deployment.get("num_retries"), | |
) | |
return deployment | |
except Exception as e: | |
if isinstance(e, litellm.RateLimitError): | |
raise e | |
return deployment # don't fail calls if eg. redis fails to connect | |
def log_success_event(self, kwargs, response_obj, start_time, end_time): | |
try: | |
""" | |
Update TPM/RPM usage on success | |
""" | |
standard_logging_object: Optional[StandardLoggingPayload] = kwargs.get( | |
"standard_logging_object" | |
) | |
if standard_logging_object is None: | |
raise ValueError("standard_logging_object not passed in.") | |
model_group = standard_logging_object.get("model_group") | |
model = standard_logging_object["hidden_params"].get("litellm_model_name") | |
id = standard_logging_object.get("model_id") | |
if model_group is None or id is None or model is None: | |
return | |
elif isinstance(id, int): | |
id = str(id) | |
total_tokens = standard_logging_object.get("total_tokens") | |
# ------------ | |
# Setup values | |
# ------------ | |
dt = get_utc_datetime() | |
current_minute = dt.strftime( | |
"%H-%M" | |
) # use the same timezone regardless of system clock | |
tpm_key = f"{id}:{model}:tpm:{current_minute}" | |
# ------------ | |
# Update usage | |
# ------------ | |
# update cache | |
## TPM | |
self.router_cache.increment_cache( | |
key=tpm_key, value=total_tokens, ttl=self.routing_args.ttl | |
) | |
### TESTING ### | |
if self.test_flag: | |
self.logged_success += 1 | |
except Exception as e: | |
verbose_logger.exception( | |
"litellm.proxy.hooks.lowest_tpm_rpm_v2.py::log_success_event(): Exception occured - {}".format( | |
str(e) | |
) | |
) | |
pass | |
async def async_log_success_event(self, kwargs, response_obj, start_time, end_time): | |
try: | |
""" | |
Update TPM usage on success | |
""" | |
standard_logging_object: Optional[StandardLoggingPayload] = kwargs.get( | |
"standard_logging_object" | |
) | |
if standard_logging_object is None: | |
raise ValueError("standard_logging_object not passed in.") | |
model_group = standard_logging_object.get("model_group") | |
model = standard_logging_object["hidden_params"]["litellm_model_name"] | |
id = standard_logging_object.get("model_id") | |
if model_group is None or id is None: | |
return | |
elif isinstance(id, int): | |
id = str(id) | |
total_tokens = standard_logging_object.get("total_tokens") | |
# ------------ | |
# Setup values | |
# ------------ | |
dt = get_utc_datetime() | |
current_minute = dt.strftime( | |
"%H-%M" | |
) # use the same timezone regardless of system clock | |
tpm_key = f"{id}:{model}:tpm:{current_minute}" | |
# ------------ | |
# Update usage | |
# ------------ | |
# update cache | |
parent_otel_span = _get_parent_otel_span_from_kwargs(kwargs) | |
## TPM | |
await self.router_cache.async_increment_cache( | |
key=tpm_key, | |
value=total_tokens, | |
ttl=self.routing_args.ttl, | |
parent_otel_span=parent_otel_span, | |
) | |
### TESTING ### | |
if self.test_flag: | |
self.logged_success += 1 | |
except Exception as e: | |
verbose_logger.exception( | |
"litellm.proxy.hooks.lowest_tpm_rpm_v2.py::async_log_success_event(): Exception occured - {}".format( | |
str(e) | |
) | |
) | |
pass | |
def _return_potential_deployments( | |
self, | |
healthy_deployments: List[Dict], | |
all_deployments: Dict, | |
input_tokens: int, | |
rpm_dict: Dict, | |
): | |
lowest_tpm = float("inf") | |
potential_deployments = [] # if multiple deployments have the same low value | |
for item, item_tpm in all_deployments.items(): | |
## get the item from model list | |
_deployment = None | |
item = item.split(":")[0] | |
for m in healthy_deployments: | |
if item == m["model_info"]["id"]: | |
_deployment = m | |
if _deployment is None: | |
continue # skip to next one | |
elif item_tpm is None: | |
continue # skip if unhealthy deployment | |
_deployment_tpm = None | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("tpm") | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("litellm_params", {}).get("tpm") | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("model_info", {}).get("tpm") | |
if _deployment_tpm is None: | |
_deployment_tpm = float("inf") | |
_deployment_rpm = None | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("rpm") | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("litellm_params", {}).get("rpm") | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("model_info", {}).get("rpm") | |
if _deployment_rpm is None: | |
_deployment_rpm = float("inf") | |
if item_tpm + input_tokens > _deployment_tpm: | |
continue | |
elif ( | |
(rpm_dict is not None and item in rpm_dict) | |
and rpm_dict[item] is not None | |
and (rpm_dict[item] + 1 >= _deployment_rpm) | |
): | |
continue | |
elif item_tpm == lowest_tpm: | |
potential_deployments.append(_deployment) | |
elif item_tpm < lowest_tpm: | |
lowest_tpm = item_tpm | |
potential_deployments = [_deployment] | |
return potential_deployments | |
def _common_checks_available_deployment( # noqa: PLR0915 | |
self, | |
model_group: str, | |
healthy_deployments: list, | |
tpm_keys: list, | |
tpm_values: Optional[list], | |
rpm_keys: list, | |
rpm_values: Optional[list], | |
messages: Optional[List[Dict[str, str]]] = None, | |
input: Optional[Union[str, List]] = None, | |
) -> Optional[dict]: | |
""" | |
Common checks for get available deployment, across sync + async implementations | |
""" | |
if tpm_values is None or rpm_values is None: | |
return None | |
tpm_dict = {} # {model_id: 1, ..} | |
for idx, key in enumerate(tpm_keys): | |
tpm_dict[tpm_keys[idx].split(":")[0]] = tpm_values[idx] | |
rpm_dict = {} # {model_id: 1, ..} | |
for idx, key in enumerate(rpm_keys): | |
rpm_dict[rpm_keys[idx].split(":")[0]] = rpm_values[idx] | |
try: | |
input_tokens = token_counter(messages=messages, text=input) | |
except Exception: | |
input_tokens = 0 | |
verbose_router_logger.debug(f"input_tokens={input_tokens}") | |
# ----------------------- | |
# Find lowest used model | |
# ---------------------- | |
if tpm_dict is None: # base case - none of the deployments have been used | |
# initialize a tpm dict with {model_id: 0} | |
tpm_dict = {} | |
for deployment in healthy_deployments: | |
tpm_dict[deployment["model_info"]["id"]] = 0 | |
else: | |
for d in healthy_deployments: | |
## if healthy deployment not yet used | |
tpm_key = d["model_info"]["id"] | |
if tpm_key not in tpm_dict or tpm_dict[tpm_key] is None: | |
tpm_dict[tpm_key] = 0 | |
all_deployments = tpm_dict | |
potential_deployments = self._return_potential_deployments( | |
healthy_deployments=healthy_deployments, | |
all_deployments=all_deployments, | |
input_tokens=input_tokens, | |
rpm_dict=rpm_dict, | |
) | |
print_verbose("returning picked lowest tpm/rpm deployment.") | |
if len(potential_deployments) > 0: | |
return random.choice(potential_deployments) | |
else: | |
return None | |
async def async_get_available_deployments( | |
self, | |
model_group: str, | |
healthy_deployments: list, | |
messages: Optional[List[Dict[str, str]]] = None, | |
input: Optional[Union[str, List]] = None, | |
): | |
""" | |
Async implementation of get deployments. | |
Reduces time to retrieve the tpm/rpm values from cache | |
""" | |
# get list of potential deployments | |
verbose_router_logger.debug( | |
f"get_available_deployments - Usage Based. model_group: {model_group}, healthy_deployments: {healthy_deployments}" | |
) | |
dt = get_utc_datetime() | |
current_minute = dt.strftime("%H-%M") | |
tpm_keys = [] | |
rpm_keys = [] | |
for m in healthy_deployments: | |
if isinstance(m, dict): | |
id = m.get("model_info", {}).get( | |
"id" | |
) # a deployment should always have an 'id'. this is set in router.py | |
deployment_name = m.get("litellm_params", {}).get("model") | |
tpm_key = "{}:{}:tpm:{}".format(id, deployment_name, current_minute) | |
rpm_key = "{}:{}:rpm:{}".format(id, deployment_name, current_minute) | |
tpm_keys.append(tpm_key) | |
rpm_keys.append(rpm_key) | |
combined_tpm_rpm_keys = tpm_keys + rpm_keys | |
combined_tpm_rpm_values = await self.router_cache.async_batch_get_cache( | |
keys=combined_tpm_rpm_keys | |
) # [1, 2, None, ..] | |
if combined_tpm_rpm_values is not None: | |
tpm_values = combined_tpm_rpm_values[: len(tpm_keys)] | |
rpm_values = combined_tpm_rpm_values[len(tpm_keys) :] | |
else: | |
tpm_values = None | |
rpm_values = None | |
deployment = self._common_checks_available_deployment( | |
model_group=model_group, | |
healthy_deployments=healthy_deployments, | |
tpm_keys=tpm_keys, | |
tpm_values=tpm_values, | |
rpm_keys=rpm_keys, | |
rpm_values=rpm_values, | |
messages=messages, | |
input=input, | |
) | |
try: | |
assert deployment is not None | |
return deployment | |
except Exception: | |
### GET THE DICT OF TPM / RPM + LIMITS PER DEPLOYMENT ### | |
deployment_dict = {} | |
for index, _deployment in enumerate(healthy_deployments): | |
if isinstance(_deployment, dict): | |
id = _deployment.get("model_info", {}).get("id") | |
### GET DEPLOYMENT TPM LIMIT ### | |
_deployment_tpm = None | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("tpm", None) | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("litellm_params", {}).get( | |
"tpm", None | |
) | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("model_info", {}).get( | |
"tpm", None | |
) | |
if _deployment_tpm is None: | |
_deployment_tpm = float("inf") | |
### GET CURRENT TPM ### | |
current_tpm = tpm_values[index] if tpm_values else 0 | |
### GET DEPLOYMENT TPM LIMIT ### | |
_deployment_rpm = None | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("rpm", None) | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("litellm_params", {}).get( | |
"rpm", None | |
) | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("model_info", {}).get( | |
"rpm", None | |
) | |
if _deployment_rpm is None: | |
_deployment_rpm = float("inf") | |
### GET CURRENT RPM ### | |
current_rpm = rpm_values[index] if rpm_values else 0 | |
deployment_dict[id] = { | |
"current_tpm": current_tpm, | |
"tpm_limit": _deployment_tpm, | |
"current_rpm": current_rpm, | |
"rpm_limit": _deployment_rpm, | |
} | |
raise litellm.RateLimitError( | |
message=f"{RouterErrors.no_deployments_available.value}. Passed model={model_group}. Deployments={deployment_dict}", | |
llm_provider="", | |
model=model_group, | |
response=httpx.Response( | |
status_code=429, | |
content="", | |
headers={"retry-after": str(60)}, # type: ignore | |
request=httpx.Request(method="tpm_rpm_limits", url="https://github.com/BerriAI/litellm"), # type: ignore | |
), | |
) | |
def get_available_deployments( | |
self, | |
model_group: str, | |
healthy_deployments: list, | |
messages: Optional[List[Dict[str, str]]] = None, | |
input: Optional[Union[str, List]] = None, | |
parent_otel_span: Optional[Span] = None, | |
): | |
""" | |
Returns a deployment with the lowest TPM/RPM usage. | |
""" | |
# get list of potential deployments | |
verbose_router_logger.debug( | |
f"get_available_deployments - Usage Based. model_group: {model_group}, healthy_deployments: {healthy_deployments}" | |
) | |
dt = get_utc_datetime() | |
current_minute = dt.strftime("%H-%M") | |
tpm_keys = [] | |
rpm_keys = [] | |
for m in healthy_deployments: | |
if isinstance(m, dict): | |
id = m.get("model_info", {}).get( | |
"id" | |
) # a deployment should always have an 'id'. this is set in router.py | |
deployment_name = m.get("litellm_params", {}).get("model") | |
tpm_key = "{}:{}:tpm:{}".format(id, deployment_name, current_minute) | |
rpm_key = "{}:{}:rpm:{}".format(id, deployment_name, current_minute) | |
tpm_keys.append(tpm_key) | |
rpm_keys.append(rpm_key) | |
tpm_values = self.router_cache.batch_get_cache( | |
keys=tpm_keys, parent_otel_span=parent_otel_span | |
) # [1, 2, None, ..] | |
rpm_values = self.router_cache.batch_get_cache( | |
keys=rpm_keys, parent_otel_span=parent_otel_span | |
) # [1, 2, None, ..] | |
deployment = self._common_checks_available_deployment( | |
model_group=model_group, | |
healthy_deployments=healthy_deployments, | |
tpm_keys=tpm_keys, | |
tpm_values=tpm_values, | |
rpm_keys=rpm_keys, | |
rpm_values=rpm_values, | |
messages=messages, | |
input=input, | |
) | |
try: | |
assert deployment is not None | |
return deployment | |
except Exception: | |
### GET THE DICT OF TPM / RPM + LIMITS PER DEPLOYMENT ### | |
deployment_dict = {} | |
for index, _deployment in enumerate(healthy_deployments): | |
if isinstance(_deployment, dict): | |
id = _deployment.get("model_info", {}).get("id") | |
### GET DEPLOYMENT TPM LIMIT ### | |
_deployment_tpm = None | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("tpm", None) | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("litellm_params", {}).get( | |
"tpm", None | |
) | |
if _deployment_tpm is None: | |
_deployment_tpm = _deployment.get("model_info", {}).get( | |
"tpm", None | |
) | |
if _deployment_tpm is None: | |
_deployment_tpm = float("inf") | |
### GET CURRENT TPM ### | |
current_tpm = tpm_values[index] if tpm_values else 0 | |
### GET DEPLOYMENT TPM LIMIT ### | |
_deployment_rpm = None | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("rpm", None) | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("litellm_params", {}).get( | |
"rpm", None | |
) | |
if _deployment_rpm is None: | |
_deployment_rpm = _deployment.get("model_info", {}).get( | |
"rpm", None | |
) | |
if _deployment_rpm is None: | |
_deployment_rpm = float("inf") | |
### GET CURRENT RPM ### | |
current_rpm = rpm_values[index] if rpm_values else 0 | |
deployment_dict[id] = { | |
"current_tpm": current_tpm, | |
"tpm_limit": _deployment_tpm, | |
"current_rpm": current_rpm, | |
"rpm_limit": _deployment_rpm, | |
} | |
raise ValueError( | |
f"{RouterErrors.no_deployments_available.value}. Passed model={model_group}. Deployments={deployment_dict}" | |
) | |