You cannot select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
phetch/src/ui.rs

240 lines
7.0 KiB
Rust

use std::io;
5 years ago
use std::io::{stdin, stdout, Write};
5 years ago
use std::process;
use std::process::Stdio;
5 years ago
use termion::input::TermRead;
use termion::raw::IntoRawMode;
use gopher;
use gopher::Type;
5 years ago
use menu::MenuView;
5 years ago
use text::TextView;
5 years ago
pub type Key = termion::event::Key;
5 years ago
5 years ago
pub const SCROLL_LINES: usize = 15;
pub const MAX_COLS: usize = 72;
5 years ago
pub struct UI {
pages: Vec<Box<dyn View>>,
5 years ago
page: usize, // currently focused page
dirty: bool, // redraw?
running: bool, // main ui loop running?
5 years ago
}
5 years ago
#[derive(Debug)]
pub enum Action {
5 years ago
None, // do nothing
Back, // back in history
Forward, // also history
Open(String), // url
Redraw, // redraw everything
Quit, // yup
Clipboard(String), // copy to clipboard
Error(String), // error message
5 years ago
Status(String), // status message
5 years ago
Unknown, // handler doesn't know what to do
5 years ago
}
pub trait View {
fn process_input(&mut self, c: Key) -> Action;
fn render(&self) -> String;
5 years ago
fn url(&self) -> String;
fn set_size(&mut self, cols: usize, rows: usize);
5 years ago
}
macro_rules! status {
($e:expr) => { status!("{}", $e); };
($e:expr, $($y:expr),*) => {{
print!("\r{}\x1b[0m\x1b[K", format!($e, $($y),*));
stdout().flush();
}}
}
macro_rules! error {
($e:expr) => { error!("{}", $e); };
($e:expr, $($y:expr),*) => {{
5 years ago
eprint!("\r\x1b[K\x1b[0;91m{}\x1b[0m\x1b[K", format!($e, $($y),*));
stdout().flush();
}}
}
5 years ago
impl UI {
pub fn new() -> UI {
UI {
pages: vec![],
page: 0,
5 years ago
dirty: true,
running: true,
5 years ago
}
}
5 years ago
pub fn run(&mut self) {
while self.running {
5 years ago
self.draw();
self.update();
5 years ago
}
}
5 years ago
pub fn draw(&mut self) {
if self.dirty {
5 years ago
print!(
"{}{}{}{}",
termion::clear::All,
termion::cursor::Goto(1, 1),
termion::cursor::Hide,
self.render()
);
5 years ago
self.dirty = false;
}
5 years ago
}
pub fn update(&mut self) {
match self.process_input() {
Action::Quit => self.running = false,
Action::Error(e) => error!(e),
5 years ago
Action::Status(e) => status!(e),
_ => {}
5 years ago
}
5 years ago
}
pub fn render(&mut self) -> String {
5 years ago
if let Ok((cols, rows)) = termion::terminal_size() {
if !self.pages.is_empty() && self.page < self.pages.len() {
if let Some(page) = self.pages.get_mut(self.page) {
page.set_size(cols as usize, rows as usize);
return page.render();
}
5 years ago
}
5 years ago
String::from("No content to display.")
} else {
5 years ago
format!(
"Error getting terminal size. Please file a bug: {}",
"https://github.com/dvkt/phetch/issues/new"
5 years ago
)
5 years ago
}
5 years ago
}
pub fn open(&mut self, url: &str) -> io::Result<()> {
status!("\x1b[90mLoading...");
5 years ago
let (typ, host, port, sel) = gopher::parse_url(url);
gopher::fetch(host, port, sel)
.and_then(|response| match typ {
5 years ago
Type::Menu | Type::Search => {
Ok(self.add_page(MenuView::from(url.to_string(), response)))
}
Type::Text | Type::HTML => {
Ok(self.add_page(TextView::from(url.to_string(), response)))
}
_ => Err(io::Error::new(
io::ErrorKind::Other,
5 years ago
format!("Unsupported Gopher Response: {:?}", typ),
)),
})
.map_err(|e| io::Error::new(e.kind(), format!("Error loading {}: {}", url, e)))
5 years ago
}
5 years ago
fn add_page<T: View + 'static>(&mut self, view: T) {
self.dirty = true;
if !self.pages.is_empty() && self.page < self.pages.len() - 1 {
5 years ago
self.pages.truncate(self.page + 1);
}
self.pages.push(Box::from(view));
5 years ago
if self.pages.len() > 1 {
self.page += 1;
5 years ago
}
}
5 years ago
fn process_input(&mut self) -> Action {
let mut stdout = stdout().into_raw_mode().unwrap();
stdout.flush().unwrap();
5 years ago
5 years ago
match self.process_focused_page_input() {
5 years ago
Action::Redraw => {
self.dirty = true;
Action::None
}
Action::Open(url) => match self.open(&url) {
Err(e) => Action::Error(e.to_string()),
Ok(()) => Action::None,
},
5 years ago
Action::Back => {
if self.page > 0 {
self.dirty = true;
self.page -= 1;
}
Action::None
}
Action::Forward => {
if self.page < self.pages.len() - 1 {
self.dirty = true;
self.page += 1;
}
Action::None
}
5 years ago
Action::Clipboard(url) => copy_to_clipboard(&url),
5 years ago
a => a,
}
}
5 years ago
fn process_focused_page_input(&mut self) -> Action {
5 years ago
let stdin = stdin();
5 years ago
let page_opt = self.pages.get_mut(self.page);
if page_opt.is_none() {
5 years ago
return Action::Error("No page loaded.".to_string());
5 years ago
}
5 years ago
5 years ago
let page = page_opt.unwrap();
5 years ago
for c in stdin.keys() {
5 years ago
if let Ok(key) = c {
match page.process_input(key) {
Action::Unknown => match key {
Key::Ctrl('q') | Key::Ctrl('c') => return Action::Quit,
Key::Left | Key::Backspace => return Action::Back,
Key::Right => return Action::Forward,
Key::Char('\n') => return Action::Redraw,
Key::Ctrl('y') => return Action::Clipboard(page.url()),
_ => {}
},
action => return action,
}
} else {
return Action::Error("Error in stdin.keys()".to_string());
5 years ago
}
}
Action::None
}
5 years ago
}
5 years ago
impl Drop for UI {
fn drop(&mut self) {
print!("\x1b[?25h"); // show cursor
}
}
5 years ago
fn copy_to_clipboard(data: &str) -> Action {
match spawn_os_clipboard() {
Ok(mut child) => {
let child_stdin = child.stdin.as_mut().unwrap();
match child_stdin.write_all(data.as_bytes()) {
Ok(()) => Action::Status("Copied URL to clipboard.".to_string()),
Err(e) => Action::Error(format!("Clipboard error: {}", e)),
}
}
Err(e) => Action::Error(format!("Clipboard error: {}", e)),
}
5 years ago
}
5 years ago
fn spawn_os_clipboard() -> io::Result<process::Child> {
5 years ago
if cfg!(target_os = "macos") {
5 years ago
process::Command::new("pbcopy")
.stdin(Stdio::piped())
.spawn()
5 years ago
} else {
5 years ago
process::Command::new("xclip")
5 years ago
.args(&["-sel", "clip"])
.stdin(Stdio::piped())
.spawn()
}
}