kalosm_language_model/chat/mod.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385
use crate::GenerationParameters;
use crate::ModelConstraints;
use futures_util::Future;
use serde::{Deserialize, Serialize};
use std::fmt::Display;
mod ext;
pub use ext::*;
mod task;
pub use task::*;
mod chat_builder;
pub use chat_builder::*;
mod boxed;
pub use boxed::*;
/// A trait for creating a chat session. While it the core trait
/// every chat session implementation implements, most methods to use models that implement
/// this trait are implemented in the [`ChatModelExt`] trait.
///
/// # Example
/// ```rust, no_run
/// use kalosm::language::*;
///
/// #[tokio::main]
/// async fn main() {
/// // Create a new model which implements the CreateChatSession trait
/// let llm = Llama::new_chat().await.unwrap();
/// // Create a new chat for the model
/// let mut chat = llm.chat();
/// // Add a message to the chat session
/// chat("Hello, world!").to_std_out().await.unwrap();
/// }
/// ```
pub trait CreateChatSession {
/// The type of error the chat session may return during operations.
type Error: Send + Sync + 'static;
/// The type of chat session.
type ChatSession: ChatSession;
/// Create a new chat session for this model.
///
/// # Example
/// ```rust, no_run
/// use kalosm::language::*;
///
/// #[tokio::main]
/// async fn main() {
/// // Create a new model which implements the CreateChatSession trait
/// let llm = Llama::new_chat().await.unwrap();
/// // Create a new chat session for the model
/// let mut chat_session = llm.new_chat_session().unwrap();
/// }
/// ```
fn new_chat_session(&self) -> Result<Self::ChatSession, Self::Error>;
}
/// A trait for unstructured chat models. This trait is required for any chat models
/// even if they do not support structured generation. While this trait is implemented for
/// all chat models, most methods to use models that implement this trait are implemented
/// in the [`ChatModelExt`] trait.
///
/// # Example
/// ```rust, no_run
/// use kalosm::language::*;
///
/// #[tokio::main]
/// async fn main() {
/// // Create a new model which implements the CreateChatSession trait
/// let llm = Llama::new_chat().await.unwrap();
/// // Create a new chat session for the model
/// let mut chat_session = llm.new_chat_session().unwrap();
/// // Add a message to the chat session
/// llm.add_messages_with_callback(
/// &mut chat_session,
/// &[ChatMessage::new(MessageType::UserMessage, "Hello, world!")],
/// GenerationParameters::new(),
/// |token| {
/// println!("{token}");
/// Ok(())
/// },
/// )
/// .await
/// .unwrap();
/// }
/// ```
pub trait ChatModel<Sampler = GenerationParameters>: CreateChatSession {
/// Add messages to the chat session with a callback that is called for each token.
///
/// See [`Chat::add_message`] for nicer API with examples
fn add_messages_with_callback<'a>(
&'a self,
session: &'a mut Self::ChatSession,
messages: &[ChatMessage],
sampler: Sampler,
on_token: impl FnMut(String) -> Result<(), Self::Error> + Send + Sync + 'static,
) -> impl Future<Output = Result<(), Self::Error>> + Send + 'a;
}
/// A trait for unstructured chat models that support structured generation. While this trait is implemented for
/// all structured chat models, most methods to use models that implement this trait are implemented
/// in the [`ChatModelExt`] trait.
///
/// # Example
/// ```rust, no_run
/// use kalosm::language::*;
///
/// #[tokio::main]
/// async fn main() {
/// // Create a new model which implements the CreateChatSession trait
/// let llm = Llama::new_chat().await.unwrap();
/// // Create a new chat session for the model
/// let mut chat_session = llm.new_chat_session().unwrap();
/// // Create a parser for your data. Any type that implements the `Parse` trait has the `new_parser` method
/// let parser = i32::new_parser();
/// // Add a message to the chat session with the given constraints
/// let mut result: i32 = llm.add_message_with_callback_and_constraints(&mut chat_session, &[ChatMessage::new(MessageType::UserMessage, "5 + 5")], GenerationParameters::new(), parser, |token| {
/// println!("{token}");
/// Ok(())
/// }).await.unwrap();
/// println!("{result}");
/// }
/// ```
pub trait StructuredChatModel<Constraints: ModelConstraints, Sampler = GenerationParameters>:
ChatModel<Sampler>
{
/// Add messages to the chat session with a callback that is called for each token and a constraints the response must follow.
///
/// See [`ChatResponseBuilder::with_constraints`] for nicer API with examples
fn add_message_with_callback_and_constraints<'a>(
&'a self,
session: &'a mut Self::ChatSession,
messages: &[ChatMessage],
sampler: Sampler,
constraints: Constraints,
on_token: impl FnMut(String) -> Result<(), Self::Error> + Send + Sync + 'static,
) -> impl Future<Output = Result<Constraints::Output, Self::Error>> + Send + 'a;
}
/// A trait that defines the default constraints for a type with this chat model.
pub trait CreateDefaultChatConstraintsForType<T>:
StructuredChatModel<Self::DefaultConstraints>
{
/// The default constraints for this type that work with this chat model.
type DefaultConstraints: ModelConstraints<Output = T>;
/// Create [`Self::DefaultConstraints`] which parse the type `T` for this chat model.
fn create_default_constraints() -> Self::DefaultConstraints;
}
#[doc = include_str!("../../docs/chat_session.md")]
pub trait ChatSession {
/// The type of error the chat session may return during operations.
type Error: Send + Sync + 'static;
/// Serialize the session into bytes.
fn write_to(&self, into: &mut Vec<u8>) -> Result<(), Self::Error>;
/// # Loading sessions
///
/// Sessions can be deserialized to and from bytes using the [`ChatSession::from_bytes`] method.
/// Caching a session avoids re-processing the text again when the session is resumed.
///
/// ```rust, no_run
/// use kalosm::language::*;
///
/// #[tokio::main]
/// async fn main() {
/// let mut llm = Llama::new_chat().await.unwrap();
/// let mut chat = llm.chat();
///
/// // Feed some text into the session
/// chat("What is the capital of France?").await.unwrap();
///
/// // Save the session to bytes
/// let session = chat.session().unwrap();
/// let session_as_bytes = session.to_bytes().unwrap();
///
/// // And write those bytes to a file
/// std::fs::write("session.bin", session_as_bytes).unwrap();
/// }
/// ```
fn to_bytes(&self) -> Result<Vec<u8>, Self::Error> {
let mut bytes = Vec::new();
self.write_to(&mut bytes)?;
Ok(bytes)
}
/// # Loading sessions
///
/// Sessions can be deserialized to and from bytes using the [`ChatSession::from_bytes`] method.
/// Caching a session avoids re-processing the text again when the session is resumed.
///
/// ```rust, no_run
/// use kalosm::language::*;
///
/// #[tokio::main]
/// async fn main() {
/// let mut llm = Llama::new_chat().await.unwrap();
/// // Load a chat session from a file
/// let session =
/// LlamaChatSession::from_bytes(std::fs::read("session.bin").unwrap().as_slice()).unwrap();
/// let mut chat = llm.chat().with_session(session);
///
/// // Feed some more text into the session
/// chat("What was my first question?")
/// .to_std_out()
/// .await
/// .unwrap();
/// }
/// ```
fn from_bytes(bytes: &[u8]) -> Result<Self, Self::Error>
where
Self: std::marker::Sized;
/// # Session History
///
/// Get the history of the session. The history is a list of messages that have been sent to the model.
///
/// ## Example
/// ```rust, no_run
/// # use kalosm::language::*;
/// # #[tokio::main]
/// # async fn main() {
/// let mut llm = Llama::new_chat().await.unwrap();
/// let mut chat = llm.chat();
/// // Add a message to the session
/// chat("Hello, world!");
/// // Get the history of the session
/// let history = chat.session().unwrap().history();
/// assert_eq!(history.len(), 1);
/// assert_eq!(history[0].role(), MessageType::UserMessage);
/// assert_eq!(history[0].content(), "Hello, world!");
/// # }
/// ```
fn history(&self) -> Vec<ChatMessage>;
/// # Cloning Sessions
///
/// Not all chat models support cloning sessions, but if a model does support
/// cloning sessions, you can clone a session using the [`ChatSession::try_clone`] method
/// to clone a session state while retaining the original session.
///
/// ```rust, no_run
/// use kalosm::language::*;
/// use std::io::Write;
///
/// #[tokio::main]
/// async fn main() {
/// let mut llm = Llama::new_chat().await.unwrap();
/// let mut chat = llm.chat();
///
/// // Feed some text into the session
/// chat("What is the capital of France?").await.unwrap();
/// let mut session = chat.session().unwrap();
///
/// // Clone the session
/// let cloned_session = session.try_clone().unwrap();
///
/// // Feed some more text into the cloned session
/// let mut chat = llm.chat().with_session(cloned_session);
/// chat("What was my first question?").await.unwrap();
/// }
/// ```
fn try_clone(&self) -> Result<Self, Self::Error>
where
Self: std::marker::Sized;
}
/// A simple helper function for prompting the user for input.
pub fn prompt_input(prompt: impl Display) -> Result<String, std::io::Error> {
use std::io::Write;
print!("{}", prompt);
std::io::stdout().flush()?;
let mut input = String::new();
std::io::stdin().read_line(&mut input)?;
input.pop();
Ok(input)
}
/// The type of a chat message
#[derive(Clone, Copy, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub enum MessageType {
/// A system prompt message. System prompts should always be the first message in a chat session.
#[serde(rename = "developer")]
SystemPrompt,
/// A user message.
#[serde(rename = "user")]
UserMessage,
/// A model answer.
#[serde(rename = "assistant")]
ModelAnswer,
}
/// A single item in the chat history.
#[derive(Clone, Debug, PartialEq, Eq, Serialize, Deserialize)]
pub struct ChatMessage {
role: MessageType,
content: String,
}
impl ChatMessage {
/// Creates a new chat history item.
///
/// # Example
/// ```rust, no_run
/// # use kalosm::language::*;
/// # #[tokio::main]
/// # async fn main() {
/// let llm = Llama::new_chat().await.unwrap();
/// let mut chat = llm.chat();
/// chat.add_message(ChatMessage::new(MessageType::UserMessage, "Hello, world!"));
/// # }
/// ```
pub fn new(role: MessageType, contents: impl ToString) -> Self {
Self {
role,
content: contents.to_string(),
}
}
/// Returns the type of the chat message.
///
/// # Example
/// ```rust, no_run
/// # use kalosm::language::*;
/// # #[tokio::main]
/// # async fn main() {
/// let message = ChatMessage::new(MessageType::UserMessage, "Hello, world!");
/// assert_eq!(message.role(), MessageType::UserMessage);
/// # }
/// ```
pub fn role(&self) -> MessageType {
self.role
}
/// Returns the content of the item.
///
/// # Example
/// ```rust, no_run
/// # use kalosm::language::*;
/// # #[tokio::main]
/// # async fn main() {
/// let message = ChatMessage::new(MessageType::UserMessage, "Hello, world!");
/// assert_eq!(message.content(), "Hello, world!");
/// # }
/// ```
pub fn content(&self) -> &str {
&self.content
}
}
/// A trait for types that can be converted into a chat message.
///
/// # Example
/// ```rust, no_run
/// # use kalosm::language::*;
/// # #[tokio::main]
/// # async fn main() {
/// // Displayable types are converted into a user chat message
/// let user_message = "Hello, world!";
/// let chat_message = user_message.into_chat_message();
/// assert_eq!(chat_message.role(), MessageType::UserMessage);
///
/// // Or you can create a chat message manually
/// let chat_message = ChatMessage::new(MessageType::ModelAnswer, "Hello, world!".to_string());
/// assert_eq!(chat_message.role(), MessageType::ModelAnswer);
/// # }
/// ```
pub trait IntoChatMessage {
/// Convert the type into a chat message.
fn into_chat_message(self) -> ChatMessage;
}
impl<S: ToString> IntoChatMessage for S {
fn into_chat_message(self) -> ChatMessage {
ChatMessage::new(MessageType::UserMessage, self.to_string())
}
}
impl IntoChatMessage for ChatMessage {
fn into_chat_message(self) -> ChatMessage {
self
}
}