chore: initial clean commit
This commit is contained in:
247
src/models/mod.rs
Normal file
247
src/models/mod.rs
Normal file
@@ -0,0 +1,247 @@
|
||||
use serde::{Deserialize, Serialize};
|
||||
|
||||
pub mod registry;
|
||||
|
||||
// ========== OpenAI-compatible Request/Response Structs ==========
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatCompletionRequest {
|
||||
pub model: String,
|
||||
pub messages: Vec<ChatMessage>,
|
||||
#[serde(default)]
|
||||
pub temperature: Option<f64>,
|
||||
#[serde(default)]
|
||||
pub max_tokens: Option<u32>,
|
||||
#[serde(default)]
|
||||
pub stream: Option<bool>,
|
||||
// Add other OpenAI-compatible fields as needed
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatMessage {
|
||||
pub role: String, // "system", "user", "assistant"
|
||||
#[serde(flatten)]
|
||||
pub content: MessageContent,
|
||||
#[serde(skip_serializing_if = "Option::is_none")]
|
||||
pub reasoning_content: Option<String>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
#[serde(untagged)]
|
||||
pub enum MessageContent {
|
||||
Text { content: String },
|
||||
Parts { content: Vec<ContentPartValue> },
|
||||
None, // Handle cases where content might be null but reasoning is present
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
#[serde(tag = "type", rename_all = "snake_case")]
|
||||
pub enum ContentPartValue {
|
||||
Text { text: String },
|
||||
ImageUrl { image_url: ImageUrl },
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ImageUrl {
|
||||
pub url: String,
|
||||
#[serde(skip_serializing_if = "Option::is_none")]
|
||||
pub detail: Option<String>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatCompletionResponse {
|
||||
pub id: String,
|
||||
pub object: String,
|
||||
pub created: u64,
|
||||
pub model: String,
|
||||
pub choices: Vec<ChatChoice>,
|
||||
pub usage: Option<Usage>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatChoice {
|
||||
pub index: u32,
|
||||
pub message: ChatMessage,
|
||||
pub finish_reason: Option<String>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct Usage {
|
||||
pub prompt_tokens: u32,
|
||||
pub completion_tokens: u32,
|
||||
pub total_tokens: u32,
|
||||
}
|
||||
|
||||
// ========== Streaming Response Structs ==========
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatCompletionStreamResponse {
|
||||
pub id: String,
|
||||
pub object: String,
|
||||
pub created: u64,
|
||||
pub model: String,
|
||||
pub choices: Vec<ChatStreamChoice>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatStreamChoice {
|
||||
pub index: u32,
|
||||
pub delta: ChatStreamDelta,
|
||||
pub finish_reason: Option<String>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize, Deserialize)]
|
||||
pub struct ChatStreamDelta {
|
||||
pub role: Option<String>,
|
||||
pub content: Option<String>,
|
||||
#[serde(skip_serializing_if = "Option::is_none")]
|
||||
pub reasoning_content: Option<String>,
|
||||
}
|
||||
|
||||
// ========== Unified Request Format (for internal use) ==========
|
||||
|
||||
#[derive(Debug, Clone)]
|
||||
pub struct UnifiedRequest {
|
||||
pub client_id: String,
|
||||
pub model: String,
|
||||
pub messages: Vec<UnifiedMessage>,
|
||||
pub temperature: Option<f64>,
|
||||
pub max_tokens: Option<u32>,
|
||||
pub stream: bool,
|
||||
pub has_images: bool,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone)]
|
||||
pub struct UnifiedMessage {
|
||||
pub role: String,
|
||||
pub content: Vec<ContentPart>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone)]
|
||||
pub enum ContentPart {
|
||||
Text { text: String },
|
||||
Image(crate::multimodal::ImageInput),
|
||||
}
|
||||
|
||||
// ========== Provider-specific Structs ==========
|
||||
|
||||
#[derive(Debug, Clone, Serialize)]
|
||||
pub struct OpenAIRequest {
|
||||
pub model: String,
|
||||
pub messages: Vec<OpenAIMessage>,
|
||||
pub temperature: Option<f64>,
|
||||
pub max_tokens: Option<u32>,
|
||||
pub stream: Option<bool>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize)]
|
||||
pub struct OpenAIMessage {
|
||||
pub role: String,
|
||||
pub content: Vec<OpenAIContentPart>,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Serialize)]
|
||||
#[serde(tag = "type", rename_all = "snake_case")]
|
||||
pub enum OpenAIContentPart {
|
||||
Text { text: String },
|
||||
ImageUrl { image_url: ImageUrl },
|
||||
}
|
||||
|
||||
// Note: ImageUrl struct is defined earlier in the file
|
||||
|
||||
// ========== Conversion Traits ==========
|
||||
|
||||
pub trait ToOpenAI {
|
||||
fn to_openai(&self) -> Result<OpenAIRequest, anyhow::Error>;
|
||||
}
|
||||
|
||||
pub trait FromOpenAI {
|
||||
fn from_openai(request: &OpenAIRequest) -> Result<Self, anyhow::Error>
|
||||
where
|
||||
Self: Sized;
|
||||
}
|
||||
|
||||
impl UnifiedRequest {
|
||||
/// Hydrate all image content by fetching URLs and converting to base64/bytes
|
||||
pub async fn hydrate_images(&mut self) -> anyhow::Result<()> {
|
||||
if !self.has_images {
|
||||
return Ok(());
|
||||
}
|
||||
|
||||
for msg in &mut self.messages {
|
||||
for part in &mut msg.content {
|
||||
if let ContentPart::Image(image_input) = part {
|
||||
// Pre-fetch and validate if it's a URL
|
||||
if let crate::multimodal::ImageInput::Url(_url) = image_input {
|
||||
let (base64_data, mime_type) = image_input.to_base64().await?;
|
||||
*image_input = crate::multimodal::ImageInput::Base64 {
|
||||
data: base64_data,
|
||||
mime_type,
|
||||
};
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
||||
impl TryFrom<ChatCompletionRequest> for UnifiedRequest {
|
||||
type Error = anyhow::Error;
|
||||
|
||||
fn try_from(req: ChatCompletionRequest) -> Result<Self, Self::Error> {
|
||||
let mut has_images = false;
|
||||
|
||||
// Convert OpenAI-compatible request to unified format
|
||||
let messages = req
|
||||
.messages
|
||||
.into_iter()
|
||||
.map(|msg| {
|
||||
let (content, _images_in_message) = match msg.content {
|
||||
MessageContent::Text { content } => {
|
||||
(vec![ContentPart::Text { text: content }], false)
|
||||
}
|
||||
MessageContent::Parts { content } => {
|
||||
let mut unified_content = Vec::new();
|
||||
let mut has_images_in_msg = false;
|
||||
|
||||
for part in content {
|
||||
match part {
|
||||
ContentPartValue::Text { text } => {
|
||||
unified_content.push(ContentPart::Text { text });
|
||||
}
|
||||
ContentPartValue::ImageUrl { image_url } => {
|
||||
has_images_in_msg = true;
|
||||
has_images = true;
|
||||
unified_content.push(ContentPart::Image(
|
||||
crate::multimodal::ImageInput::from_url(image_url.url)
|
||||
));
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
(unified_content, has_images_in_msg)
|
||||
}
|
||||
MessageContent::None => {
|
||||
(vec![], false)
|
||||
}
|
||||
};
|
||||
|
||||
UnifiedMessage {
|
||||
role: msg.role,
|
||||
content,
|
||||
}
|
||||
})
|
||||
.collect();
|
||||
|
||||
Ok(UnifiedRequest {
|
||||
client_id: String::new(), // Will be populated by auth middleware
|
||||
model: req.model,
|
||||
messages,
|
||||
temperature: req.temperature,
|
||||
max_tokens: req.max_tokens,
|
||||
stream: req.stream.unwrap_or(false),
|
||||
has_images,
|
||||
})
|
||||
}
|
||||
}
|
||||
Reference in New Issue
Block a user