colmena/src/util.rs

218 lines
5.7 KiB
Rust
Raw Normal View History

use std::path::PathBuf;
use std::process::Stdio;
2020-12-18 10:27:44 +01:00
use clap::{App, Arg, ArgMatches};
use futures::future::join3;
use tokio::io::{AsyncRead, AsyncBufReadExt, BufReader};
use tokio::process::Command;
2020-12-16 05:21:26 +01:00
use super::nix::{Flake, Hive, HivePath, NixResult};
use super::nix::deployment::TargetNodeMap;
use super::job::JobHandle;
2020-12-18 10:27:44 +01:00
/// Non-interactive execution of an arbitrary command.
pub struct CommandExecution {
command: Command,
job: Option<JobHandle>,
hide_stdout: bool,
stdout: Option<String>,
stderr: Option<String>,
}
impl CommandExecution {
2021-02-10 04:28:45 +01:00
pub fn new(command: Command) -> Self {
Self {
command,
job: None,
hide_stdout: false,
stdout: None,
stderr: None,
}
}
/// Sets the job associated with this execution.
pub fn set_job(&mut self, job: Option<JobHandle>) {
self.job = job;
}
/// Sets whether to hide stdout.
pub fn set_hide_stdout(&mut self, hide_stdout: bool) {
self.hide_stdout = hide_stdout;
}
/// Returns logs from the last invocation.
pub fn get_logs(&self) -> (Option<&String>, Option<&String>) {
(self.stdout.as_ref(), self.stderr.as_ref())
}
/// Runs the command.
pub async fn run(&mut self) -> NixResult<()> {
self.command.stdin(Stdio::null());
self.command.stdout(Stdio::piped());
self.command.stderr(Stdio::piped());
self.stdout = Some(String::new());
self.stderr = Some(String::new());
let mut child = self.command.spawn()?;
let stdout = BufReader::new(child.stdout.take().unwrap());
let stderr = BufReader::new(child.stderr.take().unwrap());
let stdout_job = if self.hide_stdout { None } else { self.job.clone() };
let futures = join3(
capture_stream(stdout, stdout_job, false),
capture_stream(stderr, self.job.clone(), true),
child.wait(),
);
2021-12-05 10:14:12 +01:00
let (stdout, stderr, wait) = futures.await;
self.stdout = Some(stdout?);
self.stderr = Some(stderr?);
let exit = wait?;
if exit.success() {
Ok(())
} else {
2021-04-29 00:09:40 +02:00
Err(exit.into())
}
}
}
2022-01-03 19:37:03 +01:00
pub async fn hive_from_args(args: &ArgMatches) -> NixResult<Hive> {
let path = match args.occurrences_of("config") {
0 => {
// traverse upwards until we find hive.nix
let mut cur = std::env::current_dir()?;
let mut file_path = None;
loop {
2021-10-28 23:09:35 +02:00
let flake = cur.join("flake.nix");
if flake.is_file() {
file_path = Some(flake);
break;
}
2021-10-28 23:09:35 +02:00
let legacy = cur.join("hive.nix");
if legacy.is_file() {
file_path = Some(legacy);
break;
}
match cur.parent() {
Some(parent) => {
cur = parent.to_owned();
}
None => {
break;
}
}
}
if file_path.is_none() {
log::error!("Could not find `hive.nix` or `flake.nix` in {:?} or any parent directory", std::env::current_dir()?);
}
file_path.unwrap()
}
_ => {
let path = args.value_of("config").expect("The config arg should exist").to_owned();
let fpath = canonicalize_cli_path(&path);
2021-11-23 22:33:23 +01:00
if !fpath.exists() && path.contains(':') {
// Treat as flake URI
let flake = Flake::from_uri(path).await?;
let hive_path = HivePath::Flake(flake);
let mut hive = Hive::new(hive_path)?;
if args.is_present("show-trace") {
hive.set_show_trace(true);
}
return Ok(hive);
}
fpath
}
};
let hive_path = HivePath::from_path(path).await?;
2021-12-04 10:03:26 +01:00
match &hive_path {
HivePath::Legacy(p) => {
log::info!("Using configuration: {}", p.to_string_lossy());
}
HivePath::Flake(flake) => {
log::info!("Using flake: {}", flake.uri());
}
}
let mut hive = Hive::new(hive_path)?;
if args.is_present("show-trace") {
hive.set_show_trace(true);
}
Ok(hive)
}
2022-01-03 19:37:03 +01:00
pub fn register_selector_args<'a>(command: App<'a>) -> App<'a> {
2020-12-29 06:35:43 +01:00
command
2022-01-03 19:37:03 +01:00
.arg(Arg::new("on")
2020-12-16 05:21:26 +01:00
.long("on")
2021-01-02 05:45:41 +01:00
.value_name("NODES")
.help("Node selector")
.long_help(r#"Select a list of nodes to deploy to.
The list is comma-separated and globs are supported. To match tags, prepend the filter by @. Valid examples:
2020-12-16 05:21:26 +01:00
- host1,host2,host3
- edge-*
2020-12-18 10:27:44 +01:00
- edge-*,core-*
- @a-tag,@tags-can-have-*"#)
2020-12-16 05:21:26 +01:00
.takes_value(true))
}
fn canonicalize_cli_path(path: &str) -> PathBuf {
2021-11-23 22:33:23 +01:00
if !path.starts_with('/') {
format!("./{}", path).into()
} else {
path.into()
}
}
2021-12-05 10:14:12 +01:00
pub async fn capture_stream<R>(mut stream: BufReader<R>, job: Option<JobHandle>, stderr: bool) -> NixResult<String>
where R: AsyncRead + Unpin
{
let mut log = String::new();
loop {
let mut line = String::new();
2021-12-05 10:14:12 +01:00
let len = stream.read_line(&mut line).await?;
if len == 0 {
break;
}
let trimmed = line.trim_end();
if let Some(job) = &job {
if stderr {
2021-12-05 10:14:12 +01:00
job.stderr(trimmed.to_string())?;
} else {
2021-12-05 10:14:12 +01:00
job.stdout(trimmed.to_string())?;
}
}
log += trimmed;
log += "\n";
}
2021-12-05 10:14:12 +01:00
Ok(log)
}
pub fn get_label_width(targets: &TargetNodeMap) -> Option<usize> {
targets.keys().map(|n| n.len()).max()
}