castwright/lib.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 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503
//! # CastWright
//!
//! 🎥 Scripted terminal recording.
//!
//! ## Note
//!
//! - This project is still in the early stages of development, with some core features missing or incomplete.
//! - If you see this message, it means that you're viewing the documentation of the `castwright` library. For the CLI, please refer to the [README](https://github.com/PRO-2684/castwright#castwright); for the CastWright script format, please refer to the [REFERENCE](https://github.com/PRO-2684/castwright/blob/main/REFERENCE.md).
//!
//! ## Usage
//!
//! Mostly, you'll deal with the [`CastWright`] struct and [`Error`] struct. When you want to you manually create errors, you need to deal with the [`ErrorType`] enum. If you're writing your own tool for generating asciicasts, you can use the [`AsciiCast`] struct.
//!
//! ## Example
//!
//! ```rust
//! use castwright::{CastWright, Error};
//! use std::io::BufReader;
//!
//! fn main() -> Result<(), Error> {
//! let text = r#"
//! $ echo "Hello, World!"
//! $ echo "Multi-" \
//! > "line" \
//! > "command"
//! "#;
//! let text = text.trim();
//! let mut reader = BufReader::new(text.as_bytes());
//! let mut stdout = std::io::stdout().lock();
//! let castwright = CastWright::new();
//! castwright.run(&mut reader, &mut stdout)?;
//! Ok(())
//! }
//! ```
//!
//! See `src/main.rs` for a complete example.
#![deny(missing_docs)]
mod asciicast;
mod error;
mod instruction;
mod shell;
mod util;
pub use asciicast::AsciiCast;
pub use error::{Error, ErrorType};
use instruction::parse_instruction;
use shell::execute_command;
use std::io::{BufRead, Write};
/// Front matter parsing state.
#[derive(Debug, PartialEq, Clone, Copy)]
enum FrontMatterState {
/// Nothing has been parsed yet.
None,
/// We're expecting key-value pairs. (First occurrence of `---`)
Start,
/// We've parsed the key-value pairs. (Second occurrence of `---`)
End,
}
impl FrontMatterState {
/// Take in an occurrence of `---`.
fn next(&mut self) -> Result<(), ErrorType> {
match self {
Self::None => *self = Self::Start,
Self::Start => *self = Self::End,
Self::End => return Err(ErrorType::FrontMatterExists),
}
Ok(())
}
/// End the front matter parsing, since an instruction has been encountered.
fn end(&mut self) -> Result<(), ErrorType> {
match self {
Self::None => *self = Self::End,
Self::Start => return Err(ErrorType::ExpectedKeyValuePair),
Self::End => {} // Do nothing
}
Ok(())
}
}
/// Configuration for the script.
#[derive(Clone, Debug, PartialEq)]
struct Configuration {
/// The shell prompt to use in the asciicast.
prompt: String,
/// The secondary prompt to use in the asciicast (for continuation lines).
secondary_prompt: String,
/// The string to signify a line split in a multiline command.
line_split: String,
/// Whether the command should be executed silently.
hidden: bool,
/// Typing delay between characters in a command or print instruction, in microseconds (µs).
delay: u64,
}
impl Configuration {
/// Create a new `Configuration` with default values.
fn new() -> Self {
Self {
prompt: "$ ".to_string(),
secondary_prompt: "> ".to_string(),
line_split: " \\".to_string(),
hidden: false,
delay: 100_000,
}
}
}
/// Temporary configuration for the script.
struct TemporaryConfiguration {
/// The shell prompt to use in the asciicast.
prompt: Option<String>,
/// The secondary prompt to use in the asciicast (for continuation lines).
secondary_prompt: Option<String>,
/// The string to signify a line split in a multiline command.
line_split: Option<String>,
/// Whether the command should be executed silently.
hidden: Option<bool>,
/// Typing delay between characters in a command or print instruction.
delay: Option<u64>,
}
impl TemporaryConfiguration {
/// Create a new `TemporaryConfiguration` with default values.
fn new() -> Self {
Self {
prompt: None,
secondary_prompt: None,
line_split: None,
hidden: None,
delay: None,
}
}
/// Check if the temporary configuration is empty.
fn is_empty(&self) -> bool {
self.prompt.is_none()
&& self.secondary_prompt.is_none()
&& self.line_split.is_none()
&& self.hidden.is_none()
&& self.delay.is_none()
}
}
/// A parsing context for the script.
struct ParseContext {
/// Front matter parsing state.
front_matter_state: FrontMatterState,
/// The starting character of the command.
start: char,
/// Whether we're expecting a continuation.
expect_continuation: bool,
}
impl ParseContext {
/// Create a new `ParseContext`.
fn new() -> Self {
Self {
front_matter_state: FrontMatterState::None,
start: ' ',
expect_continuation: false,
}
}
/// Create a context with a different starting character.
#[cfg(test)]
fn with_start(&self, start: char) -> Self {
Self { start, ..*self }
}
}
/// An execution context for the script.
struct ExecutionContext {
/// Persistent configuration.
persistent: Configuration,
/// Temporary configuration.
temporary: TemporaryConfiguration,
/// Elapsed time in microseconds (µs).
elapsed: u64,
/// Previous commands to be concatenated.
command: String,
/// The shell to use.
shell: String,
/// Whether to actually execute the commands.
execute: bool,
}
impl ExecutionContext {
/// Create a new `ExecutionContext` with default values.
fn new() -> Self {
Self {
persistent: Configuration::new(),
temporary: TemporaryConfiguration::new(),
elapsed: 0,
command: String::new(),
shell: "bash".to_string(),
execute: false,
}
}
/// Check if the temporary configuration has any values.
fn has_temporary(&self) -> bool {
!self.temporary.is_empty()
}
/// Merge the temporary configuration and return a new `Configuration`.
fn merge_temporary(&self) -> Configuration {
let mut config = self.persistent.clone();
if let Some(prompt) = &self.temporary.prompt {
config.prompt = prompt.clone();
}
if let Some(secondary_prompt) = &self.temporary.secondary_prompt {
config.secondary_prompt = secondary_prompt.clone();
}
if let Some(line_split) = &self.temporary.line_split {
config.line_split = line_split.clone();
}
if let Some(hidden) = self.temporary.hidden {
config.hidden = hidden;
}
if let Some(delay) = self.temporary.delay {
config.delay = delay;
}
config
}
/// Consume the temporary configuration and return a new `Configuration`.
fn consume_temporary(&mut self) -> Configuration {
let mut config = self.persistent.clone();
if let Some(prompt) = self.temporary.prompt.take() {
config.prompt = prompt;
}
if let Some(secondary_prompt) = self.temporary.secondary_prompt.take() {
config.secondary_prompt = secondary_prompt;
}
if let Some(line_split) = self.temporary.line_split.take() {
config.line_split = line_split;
}
if let Some(hidden) = self.temporary.hidden.take() {
config.hidden = hidden;
}
if let Some(delay) = self.temporary.delay.take() {
config.delay = delay;
}
config
}
}
/// The `CastWright` struct represents the main entry point for the CastWright library. An instance of `CastWright` can be configured, parses and executes CastWright scripts, and writes the resulting asciicast to a writer.
///
/// ## Instantiation
///
/// To instantiate a `CastWright` instance, use the [`CastWright::new`] method.
///
/// ## Configuration
///
/// You can then configure the instance using the following methods:
///
/// - [`execute`](`CastWright::execute`): Set whether to execute and capture the output of shell commands.
///
/// ## Running
///
/// To parse and execute a CastWright script and write the resulting asciicast, use the [`run`](`CastWright::run`) method, which takes mutable references to a reader and a writer.
///
/// ## Example
///
/// ```rust
/// use castwright::CastWright;
/// use std::io::BufReader;
///
/// // Input & output
/// let text = r#"
/// $ echo "Hello, World!"
/// "#;
/// let text = text.trim();
/// let mut reader = BufReader::new(text.as_bytes());
/// let mut writer = Vec::new();
/// // CastWright
/// let mut castwright = CastWright::new(); // Instantiation
/// castwright
/// .execute(true) // Configuration
/// .run(&mut reader, &mut writer) // Running
/// .unwrap();
/// ```
///
/// If you prefer one-liners:
///
/// ```rust
/// # use castwright::CastWright;
/// # use std::io::BufReader;
/// # let text = r#"
/// # $ echo "Hello, World!"
/// # "#;
/// # let text = text.trim();
/// # let mut reader = BufReader::new(text.as_bytes());
/// # let mut writer = Vec::new();
/// CastWright::new().execute(true).run(&mut reader, &mut writer).unwrap();
/// ```
#[derive(Debug)]
pub struct CastWright {
/// Whether to execute and capture the output of shell commands.
execute: bool,
}
impl CastWright {
/// Create a new `CastWright` instance.
pub fn new() -> Self {
Self { execute: false }
}
/// Set whether to execute and capture the output of shell commands.
pub fn execute(&mut self, execute: bool) -> &mut Self {
self.execute = execute;
self
}
/// Interpret and run a CastWright script from a reader, writing the asciicast to a writer.
pub fn run(&self, reader: &mut impl BufRead, writer: &mut impl Write) -> Result<(), Error> {
let mut parse_context = ParseContext::new();
let mut execution_context = ExecutionContext::new();
let mut cast = AsciiCast::new(writer);
let mut line_cnt = 0;
execution_context.execute = self.execute;
for (line_number, line) in reader.lines().enumerate() {
self.run_line(line, &mut parse_context, &mut execution_context, &mut cast)
.map_err(|e| e.with_line(line_number + 1))?;
line_cnt += 1;
}
if parse_context.front_matter_state == FrontMatterState::Start {
return Err(ErrorType::ExpectedClosingDelimiter.with_line(line_cnt + 1));
}
Ok(())
}
/// Interpret and run a line of a CastWright script.
fn run_line(
&self,
line: Result<String, std::io::Error>,
parse_context: &mut ParseContext,
execution_context: &mut ExecutionContext,
cast: &mut AsciiCast,
) -> Result<(), ErrorType> {
let instruction = parse_instruction(&line?, parse_context)?;
instruction.execute(execution_context, cast)?;
Ok(())
}
}
impl Default for CastWright {
fn default() -> Self {
Self::new()
}
}
#[cfg(test)]
mod tests {
use super::*;
use std::io::BufReader;
#[test]
fn expected_key_value_pair() {
let text = r#"
---
$echo "Hello, World!"
---
"#;
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::ExpectedKeyValuePair.with_line(2)
);
}
#[test]
fn expected_closing_delimiter() {
let text = r#"
---
width: 123
"#;
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::ExpectedClosingDelimiter.with_line(3)
);
}
#[test]
fn front_matter_exists() {
let text = r#"
---
width: 123
---
---
"#;
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::FrontMatterExists.with_line(4)
);
}
#[test]
fn script_unknown_instruction() {
let text = r#"
---
width: 123
---
@hidden
%print
!marker
#comment
$echo "Hello, World!" \
>continuation
unknown
"#;
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::UnknownInstruction.with_line(10)
);
}
#[test]
fn script_malformed_instruction() {
let malformed_scripts = [
// Config instruction
"#abc\n@", // Expected character after @
"#abc\n@@", // Expected character after @@
"#abc\n@@wid", // Unrecognized configuration instruction
"@@prompt $\n@@height abc", // Malformed integer
"@@prompt $\n@idle 1", // Malformed duration - no suffix
"@@prompt $\n@idle 1min", // Malformed duration - invalid suffix
"@@prompt $\n@delay", // Malformed duration - no value
"@@prompt $\n@hidden what", // Malformed boolean
];
for text in malformed_scripts.iter() {
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::MalformedInstruction.with_line(2)
);
}
}
#[test]
fn script_expected_continuation() {
let text = r#"
$echo "Hello, World!" \
@hidden true
"#;
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::ExpectedContinuation.with_line(2)
);
}
#[test]
fn script_unexpected_continuation() {
let text = r#"
$echo "Hello, World!"
>continuation
"#;
let text = text.trim();
let mut reader = BufReader::new(text.as_bytes());
assert_eq!(
CastWright::new()
.run(&mut reader, &mut std::io::sink())
.unwrap_err(),
ErrorType::UnexpectedContinuation.with_line(2)
);
}
#[test]
fn execution_context_consume_temporary() {
let mut context = ExecutionContext::new();
context.temporary.prompt = Some("$$ ".to_string());
context.temporary.secondary_prompt = Some(">> ".to_string());
let expected_config = Configuration {
prompt: "$$ ".to_string(),
secondary_prompt: ">> ".to_string(),
line_split: " \\".to_string(),
hidden: false,
delay: 100_000,
};
let calculated_config = context.consume_temporary();
assert_eq!(calculated_config, expected_config);
assert!(context.temporary.is_empty());
}
}