forked from meli/meli
1
Fork 0
meli/src/main.rs

350 lines
14 KiB
Rust
Raw Permalink Normal View History

2017-09-01 15:24:32 +03:00
/*
* meli - bin.rs
2017-09-01 15:24:32 +03:00
*
* Copyright 2017-2018 Manos Pitsidianakis
*
2017-09-01 15:24:32 +03:00
* This file is part of meli.
*
* meli is free software: you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation, either version 3 of the License, or
* (at your option) any later version.
*
* meli is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with meli. If not, see <http://www.gnu.org/licenses/>.
*/
2018-07-18 10:42:52 +03:00
//! Command line client binary.
//!
2023-04-30 19:39:41 +03:00
//! This crate contains the frontend stuff of the application. The application
//! entry way on `src/bin.rs` creates an event loop and passes input to a
//! thread.
//!
2023-04-30 19:39:41 +03:00
//! The mail handling stuff is done in the `melib` crate which includes all
//! backend needs. The split is done to theoretically be able to create
//! different frontends with the same innards.
2018-07-18 10:42:52 +03:00
use std::os::raw::c_int;
2023-04-30 19:39:41 +03:00
use args::*;
use meli::*;
2023-04-30 19:39:41 +03:00
fn notify(
signals: &[c_int],
sender: crossbeam::channel::Sender<ThreadEvent>,
) -> std::result::Result<crossbeam::channel::Receiver<c_int>, std::io::Error> {
2020-03-12 09:47:39 +02:00
use std::time::Duration;
2022-05-02 15:44:39 +03:00
let (alarm_pipe_r, alarm_pipe_w) =
nix::unistd::pipe().map_err(|err| std::io::Error::from_raw_os_error(err as i32))?;
let alarm_handler = move |info: &nix::libc::siginfo_t| {
let value = unsafe { info.si_value().sival_ptr as u8 };
let _ = nix::unistd::write(alarm_pipe_w, &[value]);
};
unsafe {
2022-05-02 15:44:39 +03:00
signal_hook_registry::register_sigaction(signal_hook::consts::SIGALRM, alarm_handler)?;
}
let (s, r) = crossbeam::channel::bounded(100);
2022-05-02 15:44:39 +03:00
let mut signals = signal_hook::iterator::Signals::new(signals)?;
let _ = nix::fcntl::fcntl(
alarm_pipe_r,
nix::fcntl::FcntlArg::F_SETFL(nix::fcntl::OFlag::O_NONBLOCK),
);
std::thread::spawn(move || {
let mut ctr = 0;
loop {
ctr %= 3;
if ctr == 0 {
let _ = sender
.send_timeout(ThreadEvent::Pulse, Duration::from_millis(500))
.ok();
}
for signal in signals.pending() {
let _ = s.send_timeout(signal, Duration::from_millis(500)).ok();
}
std::thread::sleep(std::time::Duration::from_millis(100));
ctr += 1;
}
});
Ok(r)
}
fn main() {
2020-06-07 18:02:20 +03:00
let opt = Opt::from_args();
::std::process::exit(match run_app(opt) {
Ok(()) => 0,
Err(err) => {
eprintln!("{}", err);
1
}
});
}
2020-06-07 18:02:20 +03:00
fn run_app(opt: Opt) -> Result<()> {
if let Some(config_location) = opt.config.as_ref() {
std::env::set_var("MELI_CONFIG", config_location);
}
2020-06-07 18:02:20 +03:00
match opt.subcommand {
Some(SubCommand::TestConfig { path }) => {
return subcommands::test_config(path);
}
2020-06-07 18:02:20 +03:00
Some(SubCommand::CreateConfig { path }) => {
return subcommands::create_config(path);
}
Some(SubCommand::EditConfig) => {
return subcommands::edit_config();
}
2020-06-07 18:02:20 +03:00
Some(SubCommand::Man(manopt)) => {
return subcommands::man(manopt);
}
Some(SubCommand::CompiledWith) => {
return subcommands::compiled_with();
}
2020-06-07 18:02:20 +03:00
Some(SubCommand::PrintLoadedThemes) => {
let s = conf::FileSettings::new()?;
print!("{}", s.terminal.themes);
2020-06-07 18:02:20 +03:00
return Ok(());
}
Some(SubCommand::PrintDefaultTheme) => {
print!("{}", conf::Themes::default().key_to_string("dark", false));
return Ok(());
}
Some(SubCommand::View { .. }) => {}
2020-06-07 18:02:20 +03:00
None => {}
}
2018-07-11 17:07:51 +03:00
2023-04-30 19:39:41 +03:00
/* Create a channel to communicate with other threads. The main process is
* the sole receiver.
*/
let (sender, receiver) = crossbeam::channel::bounded(32 * ::std::mem::size_of::<ThreadEvent>());
/* Catch SIGWINCH to handle terminal resizing */
let signals = &[
/* Catch SIGWINCH to handle terminal resizing */
2022-05-02 15:44:39 +03:00
signal_hook::consts::SIGWINCH,
/* Catch SIGCHLD to handle embed applications status change */
2022-05-02 15:44:39 +03:00
signal_hook::consts::SIGCHLD,
];
let signal_recvr = notify(signals, sender.clone())?;
/* Create the application State. */
let mut state;
if let Some(SubCommand::View { path }) = opt.subcommand {
state = subcommands::view(path, sender, receiver.clone())?;
} else {
state = State::new(None, sender, receiver.clone())?;
#[cfg(feature = "svgscreenshot")]
state.register_component(Box::new(components::svg::SVGScreenshotFilter::new()));
let window = Box::new(Tabbed::new(
vec![
Box::new(listing::Listing::new(&mut state.context)),
Box::new(ContactList::new(&state.context)),
],
&state.context,
));
let status_bar = Box::new(StatusBar::new(&state.context, window));
state.register_component(status_bar);
#[cfg(all(target_os = "linux", feature = "dbus-notifications"))]
{
2020-10-29 13:09:31 +02:00
let dbus_notifications = Box::new(components::notifications::DbusNotifications::new(
&state.context,
));
state.register_component(dbus_notifications);
}
state.register_component(Box::new(
components::notifications::NotificationCommand::new(),
));
}
let enter_command_mode: Key = state
.context
.settings
.shortcuts
.general
.enter_command_mode
.clone();
let quit_key: Key = state.context.settings.shortcuts.general.quit.clone();
/* Keep track of the input mode. See UIMode for details */
'main: loop {
2018-07-14 21:41:38 +03:00
state.render();
'inner: loop {
2019-04-10 22:01:02 +03:00
/* Check if any components have sent reply events to State. */
let events: smallvec::SmallVec<[UIEvent; 8]> = state.context.replies();
for e in events {
state.rcv_event(e);
}
2018-10-14 19:49:16 +03:00
state.redraw();
2018-07-21 11:20:13 +03:00
2023-04-30 19:39:41 +03:00
/* Poll on all channels. Currently we have the input channel for stdin,
* watching events and the signal watcher. */
crossbeam::select! {
recv(receiver) -> r => {
match r {
Ok(ThreadEvent::Pulse) | Ok(ThreadEvent::UIEvent(UIEvent::Timer(_))) => {},
_ => {
log::trace!("{:?}", &r);
}
}
match r.unwrap() {
ThreadEvent::Input((Key::Ctrl('z'), _)) if state.mode != UIMode::Embed => {
2018-08-07 15:01:15 +03:00
state.switch_to_main_screen();
2018-07-24 13:28:15 +03:00
//_thread_handler.join().expect("Couldn't join on the associated thread");
let self_pid = nix::unistd::Pid::this();
nix::sys::signal::kill(self_pid, nix::sys::signal::Signal::SIGSTOP).unwrap();
2018-08-07 15:01:15 +03:00
state.switch_to_alternate_screen();
2018-07-24 13:28:15 +03:00
// BUG: thread sends input event after one received key
state.update_size();
state.render();
state.redraw();
},
ThreadEvent::Input(raw_input @ (Key::Ctrl('l'), _)) => {
2019-11-19 20:39:43 +02:00
/* Manual screen redraw */
state.update_size();
state.render();
state.redraw();
if state.mode == UIMode::Embed {
2020-06-12 01:42:06 +03:00
state.rcv_event(UIEvent::EmbedInput(raw_input));
state.redraw();
}
2019-11-19 20:39:43 +02:00
},
ThreadEvent::Input((k, r)) => {
2018-07-21 11:20:13 +03:00
match state.mode {
2018-07-16 13:36:28 +03:00
UIMode::Normal => {
match k {
_ if k == quit_key => {
if state.can_quit_cleanly() {
drop(state);
break 'main;
} else {
state.redraw();
}
2018-07-16 13:36:28 +03:00
},
_ if k == enter_command_mode => {
state.mode = UIMode::Command;
state.rcv_event(UIEvent::ChangeMode(UIMode::Command));
2018-07-16 13:36:28 +03:00
state.redraw();
}
key => {
2019-04-10 23:37:20 +03:00
state.rcv_event(UIEvent::Input(key));
2018-07-16 13:36:28 +03:00
state.redraw();
},
}
2018-07-15 01:27:13 +03:00
},
UIMode::Insert => {
match k {
Key::Esc => {
2019-04-10 23:37:20 +03:00
state.rcv_event(UIEvent::ChangeMode(UIMode::Normal));
state.redraw();
},
k => {
2019-04-10 23:37:20 +03:00
state.rcv_event(UIEvent::InsertInput(k));
state.redraw();
},
}
}
UIMode::Command => {
2018-07-16 13:36:28 +03:00
match k {
2020-07-25 13:00:23 +03:00
Key::Char('\n') => {
2018-07-21 11:20:13 +03:00
state.mode = UIMode::Normal;
2019-04-10 23:37:20 +03:00
state.rcv_event(UIEvent::ChangeMode(UIMode::Normal));
2018-07-16 13:36:28 +03:00
state.redraw();
},
2018-08-07 16:14:06 +03:00
k => {
state.rcv_event(UIEvent::CmdInput(k));
2018-07-16 13:36:28 +03:00
state.redraw();
},
}
},
UIMode::Embed => {
state.rcv_event(UIEvent::EmbedInput((k,r)));
state.redraw();
},
2018-07-21 11:20:13 +03:00
UIMode::Fork => {
break 'inner; // `goto` 'reap loop, and wait on child.
},
2018-07-15 01:27:13 +03:00
}
},
2018-09-05 16:08:11 +03:00
ThreadEvent::RefreshMailbox(event) => {
state.refresh_event(*event);
state.redraw();
2018-07-16 13:36:28 +03:00
},
2019-04-10 23:37:20 +03:00
ThreadEvent::UIEvent(UIEvent::ChangeMode(f)) => {
2018-07-21 11:20:13 +03:00
state.mode = f;
if f == UIMode::Fork {
break 'inner; // `goto` 'reap loop, and wait on child.
}
2018-07-21 11:20:13 +03:00
}
2018-08-06 13:33:10 +03:00
ThreadEvent::UIEvent(e) => {
2019-04-10 23:37:20 +03:00
state.rcv_event(e);
state.redraw();
},
ThreadEvent::Pulse => {
state.pulse();
},
2020-06-26 18:31:37 +03:00
ThreadEvent::JobFinished(id) => {
log::trace!("Job finished {}", id);
for account in state.context.accounts.values_mut() {
if account.process_event(&id) {
break;
}
}
2020-06-26 18:31:37 +03:00
},
2017-09-28 18:06:35 +03:00
}
2017-09-01 15:24:32 +03:00
},
recv(signal_recvr) -> sig => {
match sig.unwrap() {
2022-05-02 15:44:39 +03:00
signal_hook::consts::SIGWINCH => {
if state.mode != UIMode::Fork {
state.update_size();
state.render();
state.redraw();
}
},
2022-05-02 15:44:39 +03:00
signal_hook::consts::SIGCHLD => {
state.rcv_event(UIEvent::EmbedInput((Key::Null, vec![0])));
state.redraw();
}
other => {
log::trace!("got other signal: {:?}", other);
}
2018-07-16 13:36:28 +03:00
}
},
}
2018-07-21 11:20:13 +03:00
} // end of 'inner
'reap: loop {
match state.try_wait_on_child() {
Some(true) => {
state.restore_input();
state.switch_to_alternate_screen();
2018-07-27 21:37:56 +03:00
}
2018-07-21 11:20:13 +03:00
Some(false) => {
use std::{thread, time};
let ten_millis = time::Duration::from_millis(1500);
2018-07-21 11:20:13 +03:00
thread::sleep(ten_millis);
2018-07-24 13:28:15 +03:00
2018-07-21 11:20:13 +03:00
continue 'reap;
2018-07-27 21:37:56 +03:00
}
None => {
state.mode = UIMode::Normal;
state.render();
2018-07-27 21:37:56 +03:00
break 'reap;
}
2018-07-21 11:20:13 +03:00
}
}
}
Ok(())
}