| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225 | from decimal import Decimalfrom enum import Enumfrom typing import Any, Optionalfrom pydantic import BaseModel, ConfigDictfrom core.model_runtime.entities.common_entities import I18nObjectclass ModelType(Enum):    """    Enum class for model type.    """    LLM = "llm"    TEXT_EMBEDDING = "text-embedding"    RERANK = "rerank"    SPEECH2TEXT = "speech2text"    MODERATION = "moderation"    TTS = "tts"    TEXT2IMG = "text2img"    @classmethod    def value_of(cls, origin_model_type: str) -> "ModelType":        """        Get model type from origin model type.        :return: model type        """        if origin_model_type in {"text-generation", cls.LLM.value}:            return cls.LLM        elif origin_model_type in {"embeddings", cls.TEXT_EMBEDDING.value}:            return cls.TEXT_EMBEDDING        elif origin_model_type in {"reranking", cls.RERANK.value}:            return cls.RERANK        elif origin_model_type in {"speech2text", cls.SPEECH2TEXT.value}:            return cls.SPEECH2TEXT        elif origin_model_type in {"tts", cls.TTS.value}:            return cls.TTS        elif origin_model_type in {"text2img", cls.TEXT2IMG.value}:            return cls.TEXT2IMG        elif origin_model_type == cls.MODERATION.value:            return cls.MODERATION        else:            raise ValueError(f"invalid origin model type {origin_model_type}")    def to_origin_model_type(self) -> str:        """        Get origin model type from model type.        :return: origin model type        """        if self == self.LLM:            return "text-generation"        elif self == self.TEXT_EMBEDDING:            return "embeddings"        elif self == self.RERANK:            return "reranking"        elif self == self.SPEECH2TEXT:            return "speech2text"        elif self == self.TTS:            return "tts"        elif self == self.MODERATION:            return "moderation"        elif self == self.TEXT2IMG:            return "text2img"        else:            raise ValueError(f"invalid model type {self}")class FetchFrom(Enum):    """    Enum class for fetch from.    """    PREDEFINED_MODEL = "predefined-model"    CUSTOMIZABLE_MODEL = "customizable-model"class ModelFeature(Enum):    """    Enum class for llm feature.    """    TOOL_CALL = "tool-call"    MULTI_TOOL_CALL = "multi-tool-call"    AGENT_THOUGHT = "agent-thought"    VISION = "vision"    STREAM_TOOL_CALL = "stream-tool-call"class DefaultParameterName(str, Enum):    """    Enum class for parameter template variable.    """    TEMPERATURE = "temperature"    TOP_P = "top_p"    TOP_K = "top_k"    PRESENCE_PENALTY = "presence_penalty"    FREQUENCY_PENALTY = "frequency_penalty"    MAX_TOKENS = "max_tokens"    RESPONSE_FORMAT = "response_format"    JSON_SCHEMA = "json_schema"    @classmethod    def value_of(cls, value: Any) -> "DefaultParameterName":        """        Get parameter name from value.        :param value: parameter value        :return: parameter name        """        for name in cls:            if name.value == value:                return name        raise ValueError(f"invalid parameter name {value}")class ParameterType(Enum):    """    Enum class for parameter type.    """    FLOAT = "float"    INT = "int"    STRING = "string"    BOOLEAN = "boolean"    TEXT = "text"class ModelPropertyKey(Enum):    """    Enum class for model property key.    """    MODE = "mode"    CONTEXT_SIZE = "context_size"    MAX_CHUNKS = "max_chunks"    FILE_UPLOAD_LIMIT = "file_upload_limit"    SUPPORTED_FILE_EXTENSIONS = "supported_file_extensions"    MAX_CHARACTERS_PER_CHUNK = "max_characters_per_chunk"    DEFAULT_VOICE = "default_voice"    VOICES = "voices"    WORD_LIMIT = "word_limit"    AUDIO_TYPE = "audio_type"    MAX_WORKERS = "max_workers"class ProviderModel(BaseModel):    """    Model class for provider model.    """    model: str    label: I18nObject    model_type: ModelType    features: Optional[list[ModelFeature]] = None    fetch_from: FetchFrom    model_properties: dict[ModelPropertyKey, Any]    deprecated: bool = False    model_config = ConfigDict(protected_namespaces=())class ParameterRule(BaseModel):    """    Model class for parameter rule.    """    name: str    use_template: Optional[str] = None    label: I18nObject    type: ParameterType    help: Optional[I18nObject] = None    required: bool = False    default: Optional[Any] = None    min: Optional[float] = None    max: Optional[float] = None    precision: Optional[int] = None    options: list[str] = []class PriceConfig(BaseModel):    """    Model class for pricing info.    """    input: Decimal    output: Optional[Decimal] = None    unit: Decimal    currency: strclass AIModelEntity(ProviderModel):    """    Model class for AI model.    """    parameter_rules: list[ParameterRule] = []    pricing: Optional[PriceConfig] = Noneclass ModelUsage(BaseModel):    passclass PriceType(Enum):    """    Enum class for price type.    """    INPUT = "input"    OUTPUT = "output"class PriceInfo(BaseModel):    """    Model class for price info.    """    unit_price: Decimal    unit: Decimal    total_amount: Decimal    currency: str
 |