libchat/chat-cli/src/main.rs
2026-02-05 17:07:51 +08:00

97 lines
2.5 KiB
Rust

//! Chat CLI - A terminal chat application using logos-chat.
//!
//! This application demonstrates how to use the logos-chat library
//! with a file-based transport for local simulation.
//!
//! # Usage
//!
//! Run two instances with different usernames:
//!
//! ```bash
//! # Terminal 1
//! cargo run -p chat-cli -- alice
//!
//! # Terminal 2
//! cargo run -p chat-cli -- bob
//! ```
//!
//! Then in alice's terminal:
//! 1. Type `/intro` to get your introduction bundle
//! 2. Copy the bundle string
//!
//! In bob's terminal:
//! 1. Type `/connect alice <bundle>` (paste alice's bundle)
//!
//! Now bob can send messages to alice, and alice can reply.
mod app;
mod transport;
mod ui;
use std::path::PathBuf;
use anyhow::{Context, Result};
fn main() -> Result<()> {
// Parse arguments
let args: Vec<String> = std::env::args().collect();
if args.len() < 2 {
eprintln!("Usage: {} <username>", args[0]);
eprintln!("\nExample:");
eprintln!(" Terminal 1: {} alice", args[0]);
eprintln!(" Terminal 2: {} bob", args[0]);
std::process::exit(1);
}
let user_name = &args[1];
// Setup directories
let base_dir = dirs::data_local_dir()
.unwrap_or_else(|| PathBuf::from("."))
.join("chat-cli");
let data_dir = base_dir.join("data");
let transport_dir = base_dir.join("transport");
std::fs::create_dir_all(&data_dir).context("Failed to create data directory")?;
std::fs::create_dir_all(&transport_dir).context("Failed to create transport directory")?;
println!("Starting chat as '{}'...", user_name);
println!("Data dir: {:?}", data_dir);
println!("Transport dir: {:?}", transport_dir);
// Create app
let mut app = app::ChatApp::new(user_name, &data_dir, &transport_dir)
.context("Failed to create chat app")?;
// Process any existing messages
app.process_existing()?;
// Initialize terminal UI
let mut terminal = ui::init().context("Failed to initialize terminal")?;
// Main loop
let result = run_app(&mut terminal, &mut app);
// Restore terminal
ui::restore().context("Failed to restore terminal")?;
result
}
fn run_app(terminal: &mut ui::Tui, app: &mut app::ChatApp) -> Result<()> {
loop {
// Process incoming messages
app.process_incoming()?;
// Draw UI
terminal.draw(|frame| ui::draw(frame, app))?;
// Handle input
if !ui::handle_events(app)? {
break;
}
}
Ok(())
}