Shellfish

Shellfish is a library to include interactive shells within a program. This may be useful when building terminal application where a persistent state is needed, so a basic cli is not enough; but a full tui is over the scope of the project. Shellfish provides a middle way, allowing interactive command editing whilst saving a state that all commands are given access to.

The shell

By default the shell contains only 3 built-in commands:

The last two are identical, only the names differ.

When a command is added by the user (see bellow) the help is automatically generated and displayed. Keep in mind this help should be kept rather short, and any additional help should be through a dedicated help option.

Example

The following code creates a basic shell, with the added commands: * greet, greets the user. * echo, echoes the input. * count, increments a counter.

Also, if run with arguments than the shell is run non-interactvely.

```rust use shellfish::{app, Command, Shell}; use std::convert::TryInto; use std::error::Error; use std::fmt; use std::ops::AddAssign;

fn main() -> Result<(), Box> { // Define a shell let mut shell = Shell::new(0_u64, "<[Shellfish Example]>-$ ");

// Add some commands
shell.commands.insert(
    "greet".to_string(),
    Command::new("greets you.".to_string(), greet),
);

shell.commands.insert(
    "echo".to_string(),
    Command::new("prints the input.".to_string(), echo),
);

shell.commands.insert(
    "count".to_string(),
    Command::new("increments a counter.".to_string(), count),
);

// Check if we have > 2 args, if so no need for interactive shell
let mut args = std::env::args();
if args.nth(1).is_some() {
    // Create the app from the shell.
    let mut app: app::App<u64, app::DefaultCommandLineHandler> =
        shell.try_into()?;

    // Set the binary name
    app.handler.proj_name = Some("shellfish-example".to_string());
    app.load_cache()?;

    // Run it
    app.run_args()?;
} else {
    // Run the shell
    shell.run()?;
}
Ok(())

}

/// Greets the user fn greet(state: &mut u64, args: Vec) -> Result<(), Box> { let arg = args.get(1).okor_else(|| Box::new(GreetingError))?; println!("Greetings {}, my good friend.", arg); Ok(()) }

/// Echos the input fn echo(_state: &mut u64, args: Vec) -> Result<(), Box> { let mut args = args.iter(); args.next(); for arg in args { print!("{} ", arg); } println!(); Ok(()) }

/// Acts as a counter fn count(state: &mut u64, args: Vec) -> Result<(), Box> { state.addassign(1); println!("You have used this counter {} times", state); Ok(()) }

/// Greeting error

[derive(Debug)]

pub struct GreetingError;

impl fmt::Display for GreetingError { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { write!(f, "No name specified") } }

impl Error for GreetingError {}

```