Usando C para enviar um processo exec para o segundo plano?

Minha pergunta parece a mesma, mas não é:

Inicie um processo em segundo plano no Linux com C

Eu sei como fazer fork (), mas não como enviar um processo para o fundo. Meu programa deve funcionar como um shell unix de comando simples que suporta pipes e processos em segundo plano. Eu poderia fazer cano e garfo, mas eu não sei como enviar um processo para o fundo com& como a última linha do programa:

~>./a.out uname
SunOS
^C
my:~>./a.out uname &

Como conseguir o processo de fundo?

#include <sys/types.h>
#include <signal.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <errno.h>

#define TIMEOUT (20)

int main(int argc, char *argv[])
{
  pid_t pid;

  if(argc > 1 && strncmp(argv[1], "-help", strlen(argv[1])) == 0)
    {
      fprintf(stderr, "Usage: Prog [CommandLineArgs]\n\nRunSafe takes as arguments:\nthe program to be run (Prog) and its command line arguments (CommandLineArgs) (if any)\n\nRunSafe will execute Prog with its command line arguments and\nterminate it and any remaining childprocesses after %d seconds\n", TIMEOUT);
      exit(0);
    }

  if((pid = fork()) == 0)        /* Fork off child */
    {
      execvp(argv[1], argv+1);
      fprintf(stderr,"Failed to execute: %s\n",argv[1]);
      perror("Reason");
      kill(getppid(),SIGKILL);   /* kill waiting parent */
      exit(errno);               /* execvp failed, no child - exit immediately */
    }
  else if(pid != -1)
    {
      sleep(TIMEOUT);
      if(kill(0,0) == 0)         /* are there processes left? */
    {
      fprintf(stderr,"\Attempting to kill remaining (child) processes\n");
      kill(0, SIGKILL);      /* send SIGKILL to all child processes */
    }
    }
  else
    {
      fprintf(stderr,"Failed to fork off child process\n");
      perror("Reason");
    }
}

A solução em inglês simples parece estar aqui:Como eu exec () um processo em segundo plano em C?

Pegue o SIGCHLD e, no manipulador, chame wait ().

Estou no caminho certo?

questionAnswers(1)

yourAnswerToTheQuestion