2026-02-05 14:12:21 +08:00
|
|
|
//! ChatManager with integrated SQLite persistence.
|
|
|
|
|
//!
|
|
|
|
|
//! This is the main entry point for the conversations API. It handles all
|
|
|
|
|
//! storage operations internally - users don't need to interact with storage directly.
|
|
|
|
|
|
2026-02-05 12:12:08 +08:00
|
|
|
use std::rc::Rc;
|
|
|
|
|
|
|
|
|
|
use crate::{
|
|
|
|
|
common::{Chat, ChatStore, HasChatId},
|
|
|
|
|
errors::ChatError,
|
|
|
|
|
identity::Identity,
|
|
|
|
|
inbox::{Inbox, Introduction},
|
2026-02-05 14:12:21 +08:00
|
|
|
storage::{ChatRecord, ChatStorage, StorageError},
|
2026-02-05 12:12:08 +08:00
|
|
|
types::{AddressedEnvelope, ContentData},
|
|
|
|
|
};
|
|
|
|
|
|
2026-02-05 14:12:21 +08:00
|
|
|
/// Configuration for ChatManager storage.
|
|
|
|
|
pub enum StorageConfig {
|
|
|
|
|
/// In-memory storage (data lost on restart, useful for testing).
|
|
|
|
|
InMemory,
|
|
|
|
|
/// Unencrypted file storage (for development).
|
|
|
|
|
File(String),
|
|
|
|
|
/// Encrypted file storage (for production).
|
|
|
|
|
Encrypted { path: String, key: String },
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Error type for ChatManager operations.
|
|
|
|
|
#[derive(Debug, thiserror::Error)]
|
|
|
|
|
pub enum ChatManagerError {
|
|
|
|
|
#[error("chat error: {0}")]
|
|
|
|
|
Chat(#[from] ChatError),
|
|
|
|
|
|
|
|
|
|
#[error("storage error: {0}")]
|
|
|
|
|
Storage(#[from] StorageError),
|
|
|
|
|
}
|
|
|
|
|
|
2026-02-05 12:12:08 +08:00
|
|
|
/// ChatManager is the main entry point for the conversations API.
|
|
|
|
|
///
|
2026-02-05 14:12:21 +08:00
|
|
|
/// It manages identity, inbox, active chats, and automatically persists
|
|
|
|
|
/// all state changes to SQLite storage.
|
|
|
|
|
///
|
|
|
|
|
/// # Example
|
|
|
|
|
///
|
|
|
|
|
/// ```ignore
|
|
|
|
|
/// // Create a new chat manager with encrypted storage
|
|
|
|
|
/// let mut chat = ChatManager::open(StorageConfig::Encrypted {
|
|
|
|
|
/// path: "chat.db".into(),
|
|
|
|
|
/// key: "my_secret_key".into(),
|
|
|
|
|
/// })?;
|
|
|
|
|
///
|
|
|
|
|
/// // Get your address to share with others
|
|
|
|
|
/// println!("My address: {}", chat.local_address());
|
|
|
|
|
///
|
|
|
|
|
/// // Create an intro bundle to share
|
|
|
|
|
/// let intro = chat.create_intro_bundle()?;
|
|
|
|
|
///
|
|
|
|
|
/// // Start a chat with someone
|
|
|
|
|
/// let (chat_id, envelopes) = chat.start_private_chat(&their_intro, "Hello!")?;
|
|
|
|
|
/// // Send envelopes over the network...
|
|
|
|
|
///
|
|
|
|
|
/// // Send more messages
|
|
|
|
|
/// let envelopes = chat.send_message(&chat_id, b"How are you?")?;
|
|
|
|
|
/// ```
|
2026-02-05 12:12:08 +08:00
|
|
|
pub struct ChatManager {
|
|
|
|
|
identity: Rc<Identity>,
|
|
|
|
|
store: ChatStore,
|
|
|
|
|
inbox: Inbox,
|
2026-02-05 14:12:21 +08:00
|
|
|
storage: ChatStorage,
|
2026-02-05 12:12:08 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
|
|
impl ChatManager {
|
2026-02-05 14:12:21 +08:00
|
|
|
/// Opens or creates a ChatManager with the given storage configuration.
|
|
|
|
|
///
|
|
|
|
|
/// If an identity exists in storage, it will be restored.
|
|
|
|
|
/// Otherwise, a new identity will be created and saved.
|
|
|
|
|
pub fn open(config: StorageConfig) -> Result<Self, ChatManagerError> {
|
|
|
|
|
let mut storage = match config {
|
|
|
|
|
StorageConfig::InMemory => ChatStorage::in_memory()?,
|
|
|
|
|
StorageConfig::File(path) => ChatStorage::open(&path)?,
|
|
|
|
|
StorageConfig::Encrypted { path, key } => ChatStorage::new(&path, &key)?,
|
|
|
|
|
};
|
|
|
|
|
|
|
|
|
|
// Load or create identity
|
|
|
|
|
let identity = if let Some(identity) = storage.load_identity()? {
|
|
|
|
|
identity
|
|
|
|
|
} else {
|
|
|
|
|
let identity = Identity::new();
|
|
|
|
|
storage.save_identity(&identity)?;
|
|
|
|
|
identity
|
|
|
|
|
};
|
2026-02-05 12:12:08 +08:00
|
|
|
|
|
|
|
|
let identity = Rc::new(identity);
|
|
|
|
|
let inbox = Inbox::new(Rc::clone(&identity));
|
2026-02-05 14:12:21 +08:00
|
|
|
|
|
|
|
|
// TODO: Restore inbox ephemeral keys from storage
|
|
|
|
|
// TODO: Restore active chats from storage
|
|
|
|
|
|
|
|
|
|
Ok(Self {
|
2026-02-05 12:12:08 +08:00
|
|
|
identity,
|
|
|
|
|
store: ChatStore::new(),
|
|
|
|
|
inbox,
|
2026-02-05 14:12:21 +08:00
|
|
|
storage,
|
|
|
|
|
})
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Creates a new in-memory ChatManager (for testing).
|
|
|
|
|
pub fn in_memory() -> Result<Self, ChatManagerError> {
|
|
|
|
|
Self::open(StorageConfig::InMemory)
|
2026-02-05 12:12:08 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Get the local identity's public address.
|
2026-02-05 14:12:21 +08:00
|
|
|
///
|
|
|
|
|
/// This address can be shared with others so they can identify you.
|
2026-02-05 12:12:08 +08:00
|
|
|
pub fn local_address(&self) -> String {
|
|
|
|
|
self.identity.address()
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Create an introduction bundle that can be shared with others.
|
2026-02-05 14:12:21 +08:00
|
|
|
///
|
|
|
|
|
/// Others can use this bundle to initiate a chat with you.
|
|
|
|
|
/// Share it via QR code, link, or any other out-of-band method.
|
|
|
|
|
pub fn create_intro_bundle(&mut self) -> Result<Introduction, ChatManagerError> {
|
2026-02-05 12:12:08 +08:00
|
|
|
let pkb = self.inbox.create_bundle();
|
2026-02-05 14:12:21 +08:00
|
|
|
let intro = Introduction::from(pkb);
|
|
|
|
|
|
|
|
|
|
// Persist the ephemeral key
|
|
|
|
|
let public_key_hex = hex::encode(intro.ephemeral_key.as_bytes());
|
|
|
|
|
// TODO: Get the secret key from inbox and persist it
|
|
|
|
|
// self.storage.save_inbox_key(&public_key_hex, &secret)?;
|
|
|
|
|
let _ = public_key_hex; // Suppress unused warning for now
|
|
|
|
|
|
|
|
|
|
Ok(intro)
|
2026-02-05 12:12:08 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Start a new private conversation with someone using their introduction bundle.
|
|
|
|
|
///
|
|
|
|
|
/// Returns the chat ID and envelopes that must be delivered to the remote party.
|
2026-02-05 14:12:21 +08:00
|
|
|
/// The chat state is automatically persisted.
|
2026-02-05 12:12:08 +08:00
|
|
|
pub fn start_private_chat(
|
|
|
|
|
&mut self,
|
|
|
|
|
remote_bundle: &Introduction,
|
|
|
|
|
initial_message: &str,
|
2026-02-05 14:12:21 +08:00
|
|
|
) -> Result<(String, Vec<AddressedEnvelope>), ChatManagerError> {
|
2026-02-05 12:12:08 +08:00
|
|
|
let (convo, payloads) = self
|
|
|
|
|
.inbox
|
|
|
|
|
.invite_to_private_convo(remote_bundle, initial_message.to_string())?;
|
|
|
|
|
|
|
|
|
|
let chat_id = convo.id().to_string();
|
|
|
|
|
|
|
|
|
|
let envelopes: Vec<AddressedEnvelope> = payloads
|
|
|
|
|
.into_iter()
|
|
|
|
|
.map(|p| p.to_envelope(chat_id.clone()))
|
|
|
|
|
.collect();
|
|
|
|
|
|
2026-02-05 14:12:21 +08:00
|
|
|
// Persist chat metadata
|
|
|
|
|
let chat_record = ChatRecord::new_private(
|
|
|
|
|
chat_id.clone(),
|
|
|
|
|
remote_bundle.installation_key,
|
|
|
|
|
"delivery_address".to_string(), // TODO: Get actual delivery address
|
|
|
|
|
);
|
|
|
|
|
self.storage.save_chat(&chat_record)?;
|
|
|
|
|
|
|
|
|
|
// Store in memory
|
2026-02-05 12:12:08 +08:00
|
|
|
self.store.insert_chat(convo);
|
|
|
|
|
|
|
|
|
|
Ok((chat_id, envelopes))
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Send a message to an existing chat.
|
|
|
|
|
///
|
|
|
|
|
/// Returns envelopes that must be delivered to chat participants.
|
2026-02-05 14:12:21 +08:00
|
|
|
/// The updated chat state is automatically persisted.
|
2026-02-05 12:12:08 +08:00
|
|
|
pub fn send_message(
|
|
|
|
|
&mut self,
|
|
|
|
|
chat_id: &str,
|
|
|
|
|
content: &[u8],
|
2026-02-05 14:12:21 +08:00
|
|
|
) -> Result<Vec<AddressedEnvelope>, ChatManagerError> {
|
2026-02-05 12:12:08 +08:00
|
|
|
let chat = self
|
|
|
|
|
.store
|
|
|
|
|
.get_mut_chat(chat_id)
|
|
|
|
|
.ok_or_else(|| ChatError::NoChatId(chat_id.to_string()))?;
|
|
|
|
|
|
|
|
|
|
let payloads = chat.send_message(content)?;
|
|
|
|
|
|
2026-02-05 14:12:21 +08:00
|
|
|
// TODO: Persist updated ratchet state
|
|
|
|
|
|
2026-02-05 12:12:08 +08:00
|
|
|
Ok(payloads
|
|
|
|
|
.into_iter()
|
|
|
|
|
.map(|p| p.to_envelope(chat.remote_id()))
|
|
|
|
|
.collect())
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Handle an incoming payload from the network.
|
|
|
|
|
///
|
|
|
|
|
/// Returns the decrypted content if successful.
|
2026-02-05 14:12:21 +08:00
|
|
|
/// Any new chats or state changes are automatically persisted.
|
|
|
|
|
pub fn handle_incoming(&mut self, _payload: &[u8]) -> Result<ContentData, ChatManagerError> {
|
2026-02-05 12:12:08 +08:00
|
|
|
// TODO: Implement proper payload handling
|
|
|
|
|
// 1. Determine if this is an inbox message or a chat message
|
|
|
|
|
// 2. Route to appropriate handler
|
2026-02-05 14:12:21 +08:00
|
|
|
// 3. Persist any state changes
|
|
|
|
|
// 4. Return decrypted content
|
2026-02-05 12:12:08 +08:00
|
|
|
Ok(ContentData {
|
|
|
|
|
conversation_id: "convo_id".into(),
|
|
|
|
|
data: vec![1, 2, 3, 4, 5, 6],
|
|
|
|
|
})
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// Get a reference to an active chat.
|
|
|
|
|
pub fn get_chat(&self, chat_id: &str) -> Option<&dyn Chat> {
|
|
|
|
|
self.store.get_chat(chat_id)
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
/// List all active chat IDs.
|
|
|
|
|
pub fn list_chats(&self) -> Vec<String> {
|
|
|
|
|
self.store.chat_ids().map(|id| id.to_string()).collect()
|
|
|
|
|
}
|
|
|
|
|
|
2026-02-05 14:12:21 +08:00
|
|
|
/// List all chat IDs from storage (includes chats not yet loaded into memory).
|
|
|
|
|
pub fn list_stored_chats(&self) -> Result<Vec<String>, ChatManagerError> {
|
|
|
|
|
Ok(self.storage.list_chat_ids()?)
|
2026-02-05 12:12:08 +08:00
|
|
|
}
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[cfg(test)]
|
|
|
|
|
mod tests {
|
|
|
|
|
use super::*;
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_create_chat_manager() {
|
2026-02-05 14:12:21 +08:00
|
|
|
let manager = ChatManager::in_memory().unwrap();
|
2026-02-05 12:12:08 +08:00
|
|
|
assert!(!manager.local_address().is_empty());
|
|
|
|
|
}
|
|
|
|
|
|
2026-02-05 14:12:21 +08:00
|
|
|
#[test]
|
|
|
|
|
fn test_identity_persistence() {
|
|
|
|
|
let manager = ChatManager::in_memory().unwrap();
|
|
|
|
|
let address = manager.local_address();
|
|
|
|
|
|
|
|
|
|
// Identity should be persisted
|
|
|
|
|
let loaded = manager.storage.load_identity().unwrap();
|
|
|
|
|
assert!(loaded.is_some());
|
|
|
|
|
assert_eq!(loaded.unwrap().address(), address);
|
|
|
|
|
}
|
|
|
|
|
|
2026-02-05 12:12:08 +08:00
|
|
|
#[test]
|
|
|
|
|
fn test_create_intro_bundle() {
|
2026-02-05 14:12:21 +08:00
|
|
|
let mut manager = ChatManager::in_memory().unwrap();
|
2026-02-05 12:12:08 +08:00
|
|
|
let bundle = manager.create_intro_bundle();
|
|
|
|
|
assert!(bundle.is_ok());
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
|
fn test_start_private_chat() {
|
2026-02-05 14:12:21 +08:00
|
|
|
let mut alice = ChatManager::in_memory().unwrap();
|
|
|
|
|
let mut bob = ChatManager::in_memory().unwrap();
|
2026-02-05 12:12:08 +08:00
|
|
|
|
|
|
|
|
// Bob creates an intro bundle
|
|
|
|
|
let bob_intro = bob.create_intro_bundle().unwrap();
|
|
|
|
|
|
|
|
|
|
// Alice starts a chat with Bob
|
|
|
|
|
let result = alice.start_private_chat(&bob_intro, "Hello Bob!");
|
|
|
|
|
assert!(result.is_ok());
|
|
|
|
|
|
|
|
|
|
let (chat_id, envelopes) = result.unwrap();
|
|
|
|
|
assert!(!chat_id.is_empty());
|
|
|
|
|
assert!(!envelopes.is_empty());
|
2026-02-05 14:12:21 +08:00
|
|
|
|
|
|
|
|
// Chat should be persisted
|
|
|
|
|
let stored = alice.list_stored_chats().unwrap();
|
|
|
|
|
assert!(stored.contains(&chat_id));
|
2026-02-05 12:12:08 +08:00
|
|
|
}
|
|
|
|
|
}
|