Logo

Programming-Idioms

This language bar is your friend. Select your favorite languages!
  • Rust

Idiom #111 Launch other program

From current process, run program x with command-line parameters "a", "b".

use std::process::Command;
let output = Command::new("x")
        .args(&["a", "b"])
        .output()
        .expect("failed to execute process");

output() waits for x to complete and collects its output
use std::process::Command;
let output = Command::new("x")
        .args(&["a", "b"])
        .status()
        .expect("failed to execute process");

status() waits for x to complete and collects its exit status
use std::process::Command;
let output = Command::new("x")
    .args(&["a", "b"])
    .spawn()
    .expect("failed to execute process");

spawn() executes x as a child process without waiting for it to complete
#include <stdlib.h>
int system("x a b");

This spawns a shell and returns, when the child process has exited.

New implementation...
< >
programming-idioms.org