#[allow(dead_code)] mod demo; #[allow(dead_code)] mod util; use crate::demo::{ui, App}; use argh::FromArgs; use crossterm::{ event::{self, DisableMouseCapture, EnableMouseCapture, Event as CEvent, KeyCode}, execute, terminal::{disable_raw_mode, enable_raw_mode, EnterAlternateScreen, LeaveAlternateScreen}, }; use std::{ error::Error, io::{stdout, Write}, sync::mpsc, thread, time::{Duration, Instant}, }; use tui::{backend::CrosstermBackend, Terminal}; enum Event { Input(I), Tick, } /// Crossterm demo #[derive(Debug, FromArgs)] struct Cli { /// time in ms between two ticks. #[argh(option, default = "250")] tick_rate: u64, /// whether unicode symbols are used to improve the overall look of the app #[argh(option, default = "true")] enhanced_graphics: bool, } fn main() -> Result<(), Box> { let cli: Cli = argh::from_env(); enable_raw_mode()?; let mut stdout = stdout(); execute!(stdout, EnterAlternateScreen, EnableMouseCapture)?; let backend = CrosstermBackend::new(stdout); let mut terminal = Terminal::new(backend)?; // Setup input handling let (tx, rx) = mpsc::channel(); let tick_rate = Duration::from_millis(cli.tick_rate); thread::spawn(move || { let mut last_tick = Instant::now(); loop { // poll for tick rate duration, if no events, sent tick event. let timeout = tick_rate .checked_sub(last_tick.elapsed()) .unwrap_or_else(|| Duration::from_secs(0)); if event::poll(timeout).unwrap() { if let CEvent::Key(key) = event::read().unwrap() { tx.send(Event::Input(key)).unwrap(); } } if last_tick.elapsed() >= tick_rate { tx.send(Event::Tick).unwrap(); last_tick = Instant::now(); } } }); let mut app = App::new("Crossterm Demo", cli.enhanced_graphics); terminal.clear()?; loop { terminal.draw(|f| ui::draw(f, &mut app))?; match rx.recv()? { Event::Input(event) => match event.code { KeyCode::Char('q') => { disable_raw_mode()?; execute!( terminal.backend_mut(), LeaveAlternateScreen, DisableMouseCapture )?; terminal.show_cursor()?; break; } KeyCode::Char(c) => app.on_key(c), KeyCode::Left => app.on_left(), KeyCode::Up => app.on_up(), KeyCode::Right => app.on_right(), KeyCode::Down => app.on_down(), _ => {} }, Event::Tick => { app.on_tick(); } } if app.should_quit { break; } } Ok(()) }