| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261 |
- import copy
- import warnings
- from functools import partial
- from opendevin.core.config import LLMConfig
- with warnings.catch_warnings():
- warnings.simplefilter('ignore')
- import litellm
- from litellm import completion as litellm_completion
- from litellm import completion_cost as litellm_completion_cost
- from litellm.exceptions import (
- APIConnectionError,
- ContentPolicyViolationError,
- InternalServerError,
- RateLimitError,
- ServiceUnavailableError,
- )
- from litellm.types.utils import CostPerToken
- from tenacity import (
- retry,
- retry_if_exception_type,
- stop_after_attempt,
- wait_random_exponential,
- )
- from opendevin.core.logger import llm_prompt_logger, llm_response_logger
- from opendevin.core.logger import opendevin_logger as logger
- from opendevin.core.metrics import Metrics
- __all__ = ['LLM']
- message_separator = '\n\n----------\n\n'
- class LLM:
- """The LLM class represents a Language Model instance.
- Attributes:
- config: an LLMConfig object specifying the configuration of the LLM.
- """
- def __init__(
- self,
- config: LLMConfig,
- metrics: Metrics | None = None,
- ):
- """Initializes the LLM. If LLMConfig is passed, its values will be the fallback.
- Passing simple parameters always overrides config.
- Args:
- config: The LLM configuration
- """
- self.config = copy.deepcopy(config)
- self.metrics = metrics if metrics is not None else Metrics()
- self.cost_metric_supported = True
- # litellm actually uses base Exception here for unknown model
- self.model_info = None
- try:
- if self.config.model.startswith('openrouter'):
- self.model_info = litellm.get_model_info(self.config.model)
- else:
- self.model_info = litellm.get_model_info(
- self.config.model.split(':')[0]
- )
- # noinspection PyBroadException
- except Exception:
- logger.warning(f'Could not get model info for {config.model}')
- # Set the max tokens in an LM-specific way if not set
- if config.max_input_tokens is None:
- if (
- self.model_info is not None
- and 'max_input_tokens' in self.model_info
- and isinstance(self.model_info['max_input_tokens'], int)
- ):
- self.config.max_input_tokens = self.model_info['max_input_tokens']
- else:
- # Max input tokens for gpt3.5, so this is a safe fallback for any potentially viable model
- self.config.max_input_tokens = 4096
- if config.max_output_tokens is None:
- if (
- self.model_info is not None
- and 'max_output_tokens' in self.model_info
- and isinstance(self.model_info['max_output_tokens'], int)
- ):
- self.config.max_output_tokens = self.model_info['max_output_tokens']
- else:
- # Max output tokens for gpt3.5, so this is a safe fallback for any potentially viable model
- self.config.max_output_tokens = 1024
- if self.config.drop_params:
- litellm.drop_params = self.config.drop_params
- self._completion = partial(
- litellm_completion,
- model=self.config.model,
- api_key=self.config.api_key,
- base_url=self.config.base_url,
- api_version=self.config.api_version,
- custom_llm_provider=self.config.custom_llm_provider,
- max_tokens=self.config.max_output_tokens,
- timeout=self.config.timeout,
- temperature=self.config.temperature,
- top_p=self.config.top_p,
- )
- completion_unwrapped = self._completion
- def attempt_on_error(retry_state):
- logger.error(
- f'{retry_state.outcome.exception()}. Attempt #{retry_state.attempt_number} | You can customize these settings in the configuration.',
- exc_info=False,
- )
- return None
- @retry(
- reraise=True,
- stop=stop_after_attempt(config.num_retries),
- wait=wait_random_exponential(
- multiplier=config.retry_multiplier,
- min=config.retry_min_wait,
- max=config.retry_max_wait,
- ),
- retry=retry_if_exception_type(
- (
- RateLimitError,
- APIConnectionError,
- ServiceUnavailableError,
- InternalServerError,
- ContentPolicyViolationError,
- )
- ),
- after=attempt_on_error,
- )
- def wrapper(*args, **kwargs):
- """Wrapper for the litellm completion function. Logs the input and output of the completion function."""
- # some callers might just send the messages directly
- if 'messages' in kwargs:
- messages = kwargs['messages']
- else:
- messages = args[1]
- # log the prompt
- debug_message = ''
- for message in messages:
- debug_message += message_separator + message['content']
- llm_prompt_logger.debug(debug_message)
- # call the completion function
- resp = completion_unwrapped(*args, **kwargs)
- # log the response
- message_back = resp['choices'][0]['message']['content']
- llm_response_logger.debug(message_back)
- # post-process to log costs
- self._post_completion(resp)
- return resp
- self._completion = wrapper # type: ignore
- @property
- def completion(self):
- """Decorator for the litellm completion function.
- Check the complete documentation at https://litellm.vercel.app/docs/completion
- """
- return self._completion
- def _post_completion(self, response: str) -> None:
- """Post-process the completion response."""
- try:
- cur_cost = self.completion_cost(response)
- except Exception:
- cur_cost = 0
- if self.cost_metric_supported:
- logger.info(
- 'Cost: %.2f USD | Accumulated Cost: %.2f USD',
- cur_cost,
- self.metrics.accumulated_cost,
- )
- def get_token_count(self, messages):
- """Get the number of tokens in a list of messages.
- Args:
- messages (list): A list of messages.
- Returns:
- int: The number of tokens.
- """
- return litellm.token_counter(model=self.config.model, messages=messages)
- def is_local(self):
- """Determines if the system is using a locally running LLM.
- Returns:
- boolean: True if executing a local model.
- """
- if self.config.base_url is not None:
- for substring in ['localhost', '127.0.0.1' '0.0.0.0']:
- if substring in self.config.base_url:
- return True
- elif self.config.model is not None:
- if self.config.model.startswith('ollama'):
- return True
- return False
- def completion_cost(self, response):
- """Calculate the cost of a completion response based on the model. Local models are treated as free.
- Add the current cost into total cost in metrics.
- Args:
- response: A response from a model invocation.
- Returns:
- number: The cost of the response.
- """
- if not self.cost_metric_supported:
- return 0.0
- extra_kwargs = {}
- if (
- self.config.input_cost_per_token is not None
- and self.config.output_cost_per_token is not None
- ):
- cost_per_token = CostPerToken(
- input_cost_per_token=self.config.input_cost_per_token,
- output_cost_per_token=self.config.output_cost_per_token,
- )
- logger.info(f'Using custom cost per token: {cost_per_token}')
- extra_kwargs['custom_cost_per_token'] = cost_per_token
- if not self.is_local():
- try:
- cost = litellm_completion_cost(
- completion_response=response, **extra_kwargs
- )
- self.metrics.add_cost(cost)
- return cost
- except Exception:
- self.cost_metric_supported = False
- logger.warning('Cost calculation not supported for this model.')
- return 0.0
- def __str__(self):
- if self.config.api_version:
- return f'LLM(model={self.config.model}, api_version={self.config.api_version}, base_url={self.config.base_url})'
- elif self.config.base_url:
- return f'LLM(model={self.config.model}, base_url={self.config.base_url})'
- return f'LLM(model={self.config.model})'
- def __repr__(self):
- return str(self)
- def reset(self):
- self.metrics = Metrics()
|