bat/src/output.rs

83 lines
2.3 KiB
Rust
Raw Normal View History

use std::env;
use std::ffi::OsString;
2018-05-21 14:59:42 +02:00
use std::io::{self, Write};
use std::path::PathBuf;
2018-05-21 14:59:42 +02:00
use std::process::{Child, Command, Stdio};
2018-10-17 20:10:29 +02:00
use shell_words;
2018-08-22 22:29:12 +02:00
use app::PagingMode;
use errors::*;
2018-05-21 14:59:42 +02:00
pub enum OutputType {
Pager(Child),
Stdout(io::Stdout),
}
impl OutputType {
2018-10-17 20:21:58 +02:00
pub fn from_mode(mode: PagingMode) -> Result<Self> {
2018-05-21 14:59:42 +02:00
use self::PagingMode::*;
2018-10-17 20:21:58 +02:00
Ok(match mode {
Always => OutputType::try_pager(false)?,
QuitIfOneScreen => OutputType::try_pager(true)?,
2018-05-21 14:59:42 +02:00
_ => OutputType::stdout(),
2018-10-17 20:21:58 +02:00
})
2018-05-21 14:59:42 +02:00
}
/// Try to launch the pager. Fall back to stdout in case of errors.
2018-10-17 20:21:58 +02:00
fn try_pager(quit_if_one_screen: bool) -> Result<Self> {
let pager = env::var("BAT_PAGER")
.or_else(|_| env::var("PAGER"))
.unwrap_or(String::from("less"));
2018-10-17 20:21:58 +02:00
let pagerflags = shell_words::split(&pager)
.chain_err(|| "Could not parse (BAT_)PAGER environment variable.")?;
let less_path = PathBuf::from(&pagerflags[0]);
let is_less = less_path.file_stem() == Some(&OsString::from("less"));
let mut process = if is_less {
let mut p = Command::new(&less_path);
if pagerflags.len() == 1 {
p.args(vec!["--RAW-CONTROL-CHARS", "--no-init"]);
if quit_if_one_screen {
p.arg("--quit-if-one-screen");
}
}
p.env("LESSCHARSET", "UTF-8");
p
} else {
Command::new(&less_path)
};
2018-10-17 20:21:58 +02:00
Ok(process
.args(&pagerflags[1..])
2018-05-21 14:59:42 +02:00
.stdin(Stdio::piped())
.spawn()
.map(OutputType::Pager)
2018-10-17 20:21:58 +02:00
.unwrap_or_else(|_| OutputType::stdout()))
2018-05-21 14:59:42 +02:00
}
fn stdout() -> Self {
OutputType::Stdout(io::stdout())
}
pub fn handle(&mut self) -> Result<&mut Write> {
Ok(match *self {
OutputType::Pager(ref mut command) => command
.stdin
.as_mut()
.chain_err(|| "Could not open stdin for pager")?,
OutputType::Stdout(ref mut handle) => handle,
})
}
}
impl Drop for OutputType {
fn drop(&mut self) {
if let OutputType::Pager(ref mut command) = *self {
let _ = command.wait();
}
}
}