cursive/examples/menubar.rs

84 lines
3.2 KiB
Rust
Raw Normal View History

extern crate cursive;
use cursive::event::Key;
2016-10-09 22:56:03 +00:00
use cursive::menu::MenuTree;
use cursive::traits::*;
2016-10-09 22:56:03 +00:00
use cursive::views::Dialog;
2018-06-11 06:29:10 +00:00
use cursive::Cursive;
2017-10-12 23:38:55 +00:00
use std::sync::atomic::{AtomicUsize, Ordering};
2018-01-16 02:55:27 +00:00
// This examples shows how to configure and use a menubar at the top of the
// application.
fn main() {
let mut siv = Cursive::default();
// We'll use a counter to name new files.
let counter = AtomicUsize::new(1);
2016-10-09 22:56:03 +00:00
// The menubar is a list of (label, menu tree) pairs.
siv.menubar()
2016-10-09 22:56:03 +00:00
// We add a new "File" tree
.add_subtree("File",
MenuTree::new()
2016-10-09 22:56:03 +00:00
// Trees are made of leaves, with are directly actionable...
.leaf("New", move |s| {
// Here we use the counter to add an entry
// in the list of "Recent" items.
let i = counter.fetch_add(1, Ordering::Relaxed);
let filename = format!("New {}", i);
s.menubar().find_subtree("File").unwrap()
.find_subtree("Recent").unwrap()
.insert_leaf(0, filename, |_| ());
s.add_layer(Dialog::info("New file!"));
})
2016-10-09 22:56:03 +00:00
// ... and of sub-trees, which open up when selected.
.subtree("Recent",
2016-10-09 22:56:03 +00:00
// The `.with()` method can help when running loops
// within builder patterns.
MenuTree::new().with(|tree| {
for i in 1..100 {
2016-10-09 22:56:03 +00:00
// We don't actually do anything here,
// but you could!
tree.add_leaf(format!("Item {}", i), |_| ())
}
}))
2016-10-09 22:56:03 +00:00
// Delimiter are simple lines between items,
// and cannot be selected.
.delimiter()
.with(|tree| {
for i in 1..10 {
tree.add_leaf(format!("Option {}", i), |_| ());
}
}))
.add_subtree("Help",
MenuTree::new()
.subtree("Help",
MenuTree::new()
.leaf("General", |s| {
s.add_layer(Dialog::info("Help message!"))
})
.leaf("Online", |s| {
2016-10-09 22:56:03 +00:00
let text = "Google it yourself!\n\
Kids, these days...";
s.add_layer(Dialog::info(text))
}))
.leaf("About",
|s| s.add_layer(Dialog::info("Cursive v0.0.0"))))
.add_delimiter()
.add_leaf("Quit", |s| s.quit());
2017-10-15 04:18:50 +00:00
// When `autohide` is on (default), the menu only appears when active.
2016-10-09 22:56:03 +00:00
// Turning it off will leave the menu always visible.
2018-01-09 14:17:49 +00:00
// Try uncommenting this line!
2016-10-09 22:56:03 +00:00
// siv.set_autohide_menu(false);
siv.add_global_callback(Key::Esc, |s| s.select_menubar());
2016-10-09 22:56:03 +00:00
siv.add_layer(Dialog::text("Hit <Esc> to show the menu!"));
siv.run();
}