use crate::event::Key;
use crossterm::event::{self, KeyEventKind};
use std::{sync::mpsc, thread, time::Duration};
#[derive(Debug, Clone, Copy)]
pub struct EventConfig {
#[allow(dead_code)]
pub exit_key: Key,
pub tick_rate: Duration,
}
impl Default for EventConfig {
fn default() -> EventConfig {
EventConfig {
exit_key: Key::Ctrl('c'),
tick_rate: Duration::from_millis(250),
}
}
}
pub enum Event<I> {
Input(I),
Tick,
}
pub struct Events {
rx: mpsc::Receiver<Event<Key>>,
_tx: mpsc::Sender<Event<Key>>,
}
impl Events {
pub fn new(tick_rate: u64) -> Events {
Events::with_config(EventConfig {
tick_rate: Duration::from_millis(tick_rate),
..Default::default()
})
}
pub fn with_config(config: EventConfig) -> Events {
let (tx, rx) = mpsc::channel();
let event_tx = tx.clone();
thread::spawn(move || {
loop {
if event::poll(config.tick_rate).unwrap() {
if let event::Event::Key(key) = event::read().unwrap() {
if key.kind == KeyEventKind::Press {
let key = Key::from(key);
if event_tx.send(Event::Input(key)).is_err() {
break;
}
}
}
}
if event_tx.send(Event::Tick).is_err() {
break;
}
}
});
Events { rx, _tx: tx }
}
pub fn next(&self) -> Result<Event<Key>, mpsc::RecvError> {
self.rx.recv()
}
}