Unix Process Creator
/*
* Simple program to demonstrate the fork/exec/run sequence for creating
* processes in Unix.
*/
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <string.h>
#include <sys/types.h>
#include <sys/wait.h>
main()
{
/* Ask for a program to run. This is just the file name of an
executable. */
printf("What shall I run? ");
char buf[1000];
gets(buf);
/* Request a single parameter. */
printf("Would you like a parameter for that? ");
char parm[1000];
gets(parm);
/* Create a child process and try to run the program in it. */
if(fork() == 0) {
if(strlen(parm) > 0)
execl(buf, buf, parm, 0);
else
execl(buf, buf, 0);
printf("Sorry, the exec failed.\n");
exit(1);
}
/* See what was the cause of the child processes' demise. */
int status;
wait(&status);
if(WIFEXITED(status)) printf("Exited.\n");
else if(WIFSIGNALED(status)) printf("Killed.\n");
else printf("Mysteriously vanished.\n");
}
/*
* Note: This program really should check the return values for fork() and for
* exec() to make sure they succeeded, and print an error message if not.
* Failure is indicated by a negative return value. It would also help to use
* errno and strerror() to print a descriptive error message in place of the
* existing exec() failure message, or for the new messages.
*
* It also uses uses gets() and fixed-size buffers, which creates a risk of
* buffer overflow.
*/