cursive/examples/key_codes.rs

54 lines
1.4 KiB
Rust
Raw Normal View History

use cursive::event::{Event, EventResult};
2017-10-12 23:38:55 +00:00
use cursive::traits::*;
2018-04-17 05:42:42 +00:00
use cursive::{Cursive, Printer};
2018-01-16 02:55:27 +00:00
// This example define a custom view that prints any event it receives.
// This is a handy way to check the input received by cursive.
fn main() {
2018-04-17 05:54:54 +00:00
let mut siv = Cursive::default();
2018-06-16 20:23:09 +00:00
siv.add_layer(KeyCodeView::new(10).full_width().fixed_height(10));
siv.run();
}
2018-01-16 02:55:27 +00:00
// Our view will have a small history of the last events.
struct KeyCodeView {
history: Vec<String>,
size: usize,
}
impl KeyCodeView {
fn new(size: usize) -> Self {
KeyCodeView {
history: Vec::new(),
size,
}
}
}
2018-06-20 17:28:44 +00:00
// Let's implement the `View` trait.
// `View` contains many methods, but only a few are required.
impl View for KeyCodeView {
2016-07-16 18:20:40 +00:00
fn draw(&self, printer: &Printer) {
2018-01-16 02:55:27 +00:00
// We simply draw every event from the history.
2016-06-26 00:10:18 +00:00
for (y, line) in self.history.iter().enumerate() {
2016-09-28 22:07:02 +00:00
printer.print((0, y), line);
}
}
fn on_event(&mut self, event: Event) -> EventResult {
2018-01-16 02:55:27 +00:00
// Each line will be a debug-format of the event.
let line = format!("{:?}", event);
self.history.push(line);
2018-01-16 02:55:27 +00:00
// Keep a fixed-sized history.
while self.history.len() > self.size {
self.history.remove(0);
}
2018-01-16 02:55:27 +00:00
// No need to return any callback.
EventResult::Consumed(None)
}
}