proc_heim/process/model/command.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455
//! [`CmdOptionsError::StdoutConfigurationConflict`]: crate::model::command::CmdOptionsError::StdoutConfigurationConflict
//! [`MessagingType::StandardIo`]: crate::model::command::MessagingType::StandardIo
use std::{
collections::HashMap,
path::{Path, PathBuf},
};
/// Enum returned from fallible `Cmd` methods.
#[derive(thiserror::Error, Debug)]
pub enum CmdError {
/// No command name was provided.
#[error("No command name was provided")]
NoCommandNameProvided,
}
use super::Runnable;
/// `Cmd` represents a single command.
///
/// It requires at least to set a command name.
/// Command's arguments and options are optional.
///
/// Note that using input/output redirection symbols (eg. `|`, `>>`, `2>`) as command arguments will fail.
/// Instead use [`Script`](struct@crate::model::script::Script).
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct Cmd {
pub(crate) cmd: String,
pub(crate) args: Option<Vec<String>>,
pub(crate) options: CmdOptions,
}
impl Cmd {
/// Creates a new command with given name.
/// # Examples
/// ```
/// # use proc_heim::model::command::Cmd;
/// Cmd::new("echo");
/// ```
pub fn new<S>(cmd: S) -> Self
where
S: Into<String>,
{
Self {
cmd: cmd.into(),
args: None,
options: CmdOptions::default(),
}
}
/// Creates a new command with given name and arguments.
/// # Examples
/// ```
/// # use proc_heim::model::command::Cmd;
/// Cmd::with_args("ls", ["-l", "~"]);
/// ```
pub fn with_args<S, T, I>(cmd: S, args: I) -> Self
where
S: Into<String>,
T: Into<String>,
I: IntoIterator<Item = T>,
{
Self {
cmd: cmd.into(),
args: Some(args.into_iter().map(Into::into).collect()),
options: CmdOptions::default(),
}
}
/// Creates a new command with given name and options.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// Cmd::with_options("ls", CmdOptions::default());
/// ```
pub fn with_options<S>(cmd: S, options: CmdOptions) -> Self
where
S: Into<String>,
{
Self {
cmd: cmd.into(),
args: None,
options,
}
}
/// Creates a new command with given name, arguments and options.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// Cmd::with_args_and_options("ls", ["-l"], CmdOptions::default());
/// ```
pub fn with_args_and_options<S, T, I>(cmd: S, args: I, options: CmdOptions) -> Self
where
S: Into<String>,
T: Into<String>,
I: IntoIterator<Item = T>,
{
Self {
cmd: cmd.into(),
args: Some(args.into_iter().map(Into::into).collect()),
options,
}
}
/// Try to create a new command from given whitespace separated string.
/// Notice that it will trim all whitespace characters.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let cmd = Cmd::parse("ls -l /some/path").unwrap();
/// assert_eq!(cmd, Cmd::with_args("ls", ["-l", "/some/path"]));
/// # assert_eq!(cmd, Cmd::parse("ls -l /some/path").unwrap());
/// ```
pub fn parse(cmd_string: &str) -> Result<Self, CmdError> {
let mut parts = cmd_string.split_ascii_whitespace();
if let Some(cmd) = parts.next() {
Ok(Cmd::with_args(cmd, parts))
} else {
Err(CmdError::NoCommandNameProvided)
}
}
/// Try to create a new command from given whitespace separated string and options.
/// Notice that it will trim all whitespace characters.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let cmd = Cmd::parse_with_options("ls -l /some/path", CmdOptions::default());
/// ```
pub fn parse_with_options(cmd_string: &str, options: CmdOptions) -> Result<Self, CmdError> {
let mut cmd = Self::parse(cmd_string)?;
cmd.options = options;
Ok(cmd)
}
/// Set a command arguments.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let mut cmd = Cmd::new("ls");
/// cmd.set_args(["-la", "~"]);
/// ```
pub fn set_args<S, I>(&mut self, args: I)
where
S: Into<String>,
I: IntoIterator<Item = S>,
{
self.args = Some(args.into_iter().map(Into::into).collect());
}
/// Set a command options.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let mut cmd = Cmd::new("ls");
/// cmd.set_options(CmdOptions::default());
/// ```
pub fn set_options(&mut self, options: CmdOptions) {
self.options = options;
}
/// Add a new argument to the end of argument list.
/// If arguments was not specified during `Cmd` creation, it will create new argument list with given argument.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let mut cmd = Cmd::new("ls");
/// cmd.add_arg("-l");
/// cmd.add_arg("/some/directory");
/// ```
pub fn add_arg<S>(&mut self, arg: S)
where
S: Into<String>,
{
self.args.get_or_insert(Vec::new()).push(arg.into());
}
/// Update command options via mutable reference.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let mut cmd = Cmd::new("env");
/// cmd.options_mut().add_env("TEST_ENV_VAR", "value");
/// ```
pub fn options_mut(&mut self) -> &mut CmdOptions {
&mut self.options
}
}
/// Wrapper type used to define buffer capacity.
///
/// Capacity must be greater than 0 and less or equal `usize::MAX / 2`.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// let capacity = BufferCapacity::try_from(16).unwrap();
/// assert_eq!(16, *capacity.as_ref());
/// ```
/// ```
/// # use proc_heim::model::command::*;
/// let result = BufferCapacity::try_from(0);
/// assert!(result.is_err());
/// ```
/// ```
/// # use proc_heim::model::command::*;
/// let result = BufferCapacity::try_from(usize::MAX / 2 + 1);
/// assert!(result.is_err());
/// ```
#[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord)]
pub struct BufferCapacity {
pub(crate) inner: usize,
}
impl TryFrom<usize> for BufferCapacity {
type Error = String;
fn try_from(value: usize) -> Result<Self, Self::Error> {
if value == 0 || value > usize::MAX / 2 {
Err("Buffer capacity must be greater than 0 and less or equal usize::MAX / 2".into())
} else {
Ok(Self { inner: value })
}
}
}
impl AsRef<usize> for BufferCapacity {
fn as_ref(&self) -> &usize {
&self.inner
}
}
/// Default capacity value is 16.
impl Default for BufferCapacity {
fn default() -> Self {
Self { inner: 16 }
}
}
/// `CmdOptions` are used to describe command's additional settings.
///
/// It allows to configure command's input/outputs, working_directory and environment variables.
///
/// Command's input allows to send messages from parent process, and receive them in spawned (child) process.
/// Whereas the message output of the command is used for communication in the opposite direction.
/// Communication with a process can be done using standard I/O or named pipes.
///
/// It is also possible to set logging in order to allow child process to produce logs
/// which, unlike messages, are stored permanently and therefore can be read multiple times by parent process.
#[derive(Debug, Clone, Default, PartialEq, Eq)]
pub struct CmdOptions {
pub(crate) current_dir: Option<PathBuf>,
pub(crate) clear_envs: bool,
pub(crate) envs: Option<HashMap<String, String>>,
pub(crate) envs_to_remove: Option<Vec<String>>,
pub(crate) output_buffer_capacity: BufferCapacity,
pub(crate) message_input: Option<MessagingType>,
pub(crate) message_output: Option<MessagingType>,
pub(crate) logging_type: Option<LoggingType>,
}
impl CmdOptions {
/// Create options with configured messaging input/output via standard I/O.
pub fn with_standard_io_messaging() -> CmdOptions {
Self::with_same_in_out(MessagingType::StandardIo)
}
/// Create options with configured messaging input/output via named pipes.
pub fn with_named_pipe_messaging() -> CmdOptions {
Self::with_same_in_out(MessagingType::NamedPipe)
}
fn with_same_in_out(messaging_type: MessagingType) -> CmdOptions {
CmdOptions {
message_input: messaging_type.clone().into(),
message_output: messaging_type.into(),
..Default::default()
}
}
/// Create options with configured messaging input type.
pub fn with_message_input(message_input: MessagingType) -> Self {
Self {
message_input: message_input.into(),
..Default::default()
}
}
/// Create options with configured messaging output type.
pub fn with_message_output(message_output: MessagingType) -> Self {
Self {
message_output: message_output.into(),
..Default::default()
}
}
/// Create options with configured logging type.
pub fn with_logging(logging_type: LoggingType) -> Self {
Self {
logging_type: logging_type.into(),
..Default::default()
}
}
/// Set process's working directory.
pub fn set_current_dir(&mut self, dir: PathBuf) {
self.current_dir = dir.into();
}
/// By default, child process will inherit all environment variables from the parent.
/// To prevent this behavior set this value to `true`.
pub fn clear_inherited_envs(&mut self, value: bool) {
self.clear_envs = value;
}
/// Set environment variables for a process.
/// # Examples
/// ```
/// # use proc_heim::model::command::*;
/// # use std::collections::HashMap;
/// let mut envs = HashMap::new();
/// envs.insert("TEST_ENV_VAR_1", "value1");
/// envs.insert("TEST_ENV_VAR_2", "value2");
///
/// let mut options = CmdOptions::default();
/// options.set_envs(envs);
/// ```
pub fn set_envs<K, V, I>(&mut self, envs: I)
where
K: Into<String>,
V: Into<String>,
I: IntoIterator<Item = (K, V)>,
{
self.envs = Some(
envs.into_iter()
.map(|(k, v)| (k.into(), v.into()))
.collect(),
);
}
/// Add or update single environment variable.
pub fn add_env<K, V>(&mut self, name: K, value: V)
where
K: Into<String>,
V: Into<String>,
{
self.envs
.get_or_insert(HashMap::new())
.insert(name.into(), value.into());
}
/// Remove single environment variable (manually set earlier and also inherited from the parent process).
pub fn remove_env<S>(&mut self, name: S)
where
S: Into<String> + AsRef<str>,
{
if let Some(envs) = self.envs.as_mut() {
envs.remove(name.as_ref());
}
self.envs_to_remove
.get_or_insert(Vec::new())
.push(name.into());
}
/// Set message input type.
pub fn set_message_input(&mut self, messaging_type: MessagingType) {
self.message_input = messaging_type.into();
}
/// Set message output type.
///
/// This method will return [`CmdOptionsError::StdoutConfigurationConflict`]
/// when trying to set [`MessagingType::StandardIo`] and logging to stdout was previously configured.
pub fn set_message_output(
&mut self,
messaging_type: MessagingType,
) -> Result<(), CmdOptionsError> {
validate_stdout_config(Some(&messaging_type), self.logging_type.as_ref())?;
self.message_output = messaging_type.into();
Ok(())
}
/// Set logging type.
///
/// This method will return [`CmdOptionsError::StdoutConfigurationConflict`]
/// when trying to set logging to stdout and message output was previously configured as [`MessagingType::StandardIo`].
pub fn set_logging_type(&mut self, logging_type: LoggingType) -> Result<(), CmdOptionsError> {
validate_stdout_config(self.message_output.as_ref(), Some(&logging_type))?;
self.logging_type = logging_type.into();
Ok(())
}
/// Set message output buffer capacity for receiving end (parent process).
///
/// When parent process is not reading messages produced by a child process,
/// then the messages are buffered up to the given `capacity` value.
/// If the buffer limit is reached and a child process sends a new message, the "oldest" buffered message will be removed.
pub fn set_message_output_buffer_capacity(&mut self, capacity: BufferCapacity) {
self.output_buffer_capacity = capacity;
}
}
pub(super) fn validate_stdout_config(
messaging_type: Option<&MessagingType>,
logging_type: Option<&LoggingType>,
) -> Result<(), CmdOptionsError> {
if let (Some(messaging_type), Some(logging_type)) = (messaging_type, logging_type) {
if messaging_type == &MessagingType::StandardIo && logging_type != &LoggingType::StderrOnly
{
return Err(CmdOptionsError::StdoutConfigurationConflict(
messaging_type.to_owned(),
logging_type.to_owned(),
));
}
}
Ok(())
}
/// Enum returned from fallible `CmdOptions` methods.
#[derive(thiserror::Error, Debug)]
pub enum CmdOptionsError {
/// Standard output can only be used for logging or messaging, but not both.
/// When you need to use both functionalities, then configure message output as [`MessagingType::NamedPipe`].
///
/// For more information, see [`CmdOptions::set_message_output`] or [`CmdOptions::set_logging_type`].
#[error("Cannot use {0:?} together with {1:?} for stdout configuration")]
StdoutConfigurationConflict(MessagingType, LoggingType),
}
/// Enum representing messaging type of a spawned process.
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum MessagingType {
/// Communicate with a spawned process via standard I/O.
StandardIo,
/// Communicate with a spawned process via named pipes.
NamedPipe,
}
/// Enum representing logging type of a spawned process.
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum LoggingType {
/// Collect logs only from standard output stream.
StdoutOnly,
/// Collect logs only from standard error stream.
StderrOnly,
/// Collect logs from both: standard output and error streams.
StdoutAndStderr,
/// Collect logs from one stream, created by merged standard output and error streams.
StdoutAndStderrMerged,
}
impl Runnable for Cmd {
fn bootstrap_cmd(&self, _process_dir: &Path) -> Result<Cmd, String> {
Ok(self.clone())
}
}