Analyzing Project Context in Rust Development
Our Rust implementation demonstrates a zero-copy CLI application architecture with compile-time guarantees for error handling and state transitions. The project structure employs a clear separation between the pure functional core and the CLI interface layer.
Core Implementation
The library core (lib.rs
) implements the business logic using pure functions:
#[derive(Error, Debug)]
pub enum GameError {
#[error("Invalid input: {0}")]
InvalidInput(String),
#[error("IO error: {0}")]
IoError(#[from] std::io::Error),
}
#[derive(Debug, PartialEq)]
pub enum GameResponse {
Marco,
Polo,
Invalid,
}
pub fn process_input(input: &str) -> Result<GameResponse, GameError> {
match input.trim().to_lowercase().as_str() {
"marco" => Ok(GameResponse::Polo),
"polo" => Ok(GameResponse::Marco),
"" => Err(GameError::InvalidInput("Input cannot be empty".into())),
_ => Ok(GameResponse::Invalid),
}
}
This implementation leverages Rust's type system to provide compile-time guarantees about error handling and state transitions.
The process_input
function operates with zero heap allocations in its core path, maintaining constant time complexity.
CLI Interface
The CLI layer (main.rs
) utilizes Clap's derive macros for zero-cost argument parsing:
#[derive(Parser, Debug)]
#[command(author, version, about = "A Marco Polo CLI game")]
struct Args {
#[arg(short, long)]
word: String,
#[arg(short, long, default_value_t = false)]
verbose: bool,
}
fn main() -> Result<(), GameError> {
let args = Args::parse();
if args.verbose {
let mut stdout = StandardStream::stdout(ColorChoice::Auto);
stdout.set_color(ColorSpec::new().set_fg(Some(Color::Blue)))?;
writeln!(stdout, "Processing input: {}", args.word)?;
stdout.reset()?;
}
let response = process_input(&args.word)?;
write_colored_response(response)?;
Ok(())
}
Dependency Analysis
The project maintains minimal dependencies through strategic use of key crates:
[dependencies]
thiserror = "2.0.11"
clap = { version = "4.5.27", features = ["derive"] }
termcolor = "1.4.1"
Project Structure
The filesystem layout demonstrates clear separation of concerns:
.
|-- Cargo.toml
|-- context.sh
|-- generic-rustprompt.txt
|-- project_context.txt
|-- README.md
`-- src
|-- lib.rs
`-- main.rs
This shows how a context can help you build small demos in Rust.