Используя функциональность posix (то есть будет работать на linux и любой системе, которая соответствует стандарту posix), вы можете использовать комбинацию pipe / execl / dup. Короче, что происходит, это:
- создать 2 канала (один для чтения и один для записи ребенку)
- форк текущего процесса. Это сохраняет открытым тот же FD
- закрыть текущий стандарт / стандартный вывод. Затем используйте dup (который использует самый низкий доступный дескриптор для дублирования того, что вы ему даете)
- execl дочерний процесс
Обратите внимание, что необходимы некоторые сбросы.
Код родителя:
#include <sys/types.h>
#include <unistd.h>
#include <stdio.h>
#include <stdlib.h>
int main ()
{
pid_t pid;
int pipe_in[2]; /* This is the pipe with wich we write to the child process. */
int pipe_out[2]; /* This is the pipe with wich we read from the child process. */
if (pipe (pipe_in) || pipe (pipe_out)) {
fprintf (stderr, "Error in creating pipes!\n");
exit (1);
}
/* Attempt to fork and check for errors */
if ((pid = fork ()) == -1) {
fprintf (stderr, "Error in fork!\n");
exit (1);
}
if (pid) {
/* The parent has the non-zero PID. */
char temp[100];
int result;
FILE* child_in;
FILE* child_out;
child_in = fdopen(pipe_out[0],"r");
child_out = fdopen(pipe_in[1],"w");
close(pipe_out[1]);
close(pipe_in[0]);
fprintf(child_out, "something\n");
fgets(temp,100,child_in);
printf(" Read from child %s \n", temp);
/* Send a command to the child. */
fprintf(child_out, "quit\n");
fflush(child_out);
fgets(temp,100,child_in);
printf(" Read from child %s \n", temp);
wait (&result); /* Wait for child to finish */
}
else {
/* The child has the zero pid returned by fork*/
close (1);
dup (pipe_out[1]); /* dup uses the lowest numbered unused file descriptor as new descriptor. In our case this now is 1. */
close (0); /* dup uses the lowest numbered unused file descriptor as new descriptor. In our case this now is 0. */
dup (pipe_in[0]);
close (pipe_out[0]);
close (pipe_out[1]);
close (pipe_in[0]);
close (pipe_in[1]);
execl ("child", "child", NULL);
exit(1); /* Only reached if execl() failed */
}
return 0;
}
Простой ребенок это:
#include <stdio.h>
#include <string.h>
int main ()
{
char temp[100];
do {
printf ("In child: \n");
fflush (stdout);
fgets (temp, 100, stdin);
printf ("Child read %s\n", temp);
fflush (stdout);
} while (!strstr (temp, "quit"));
return 0;
}
Вы можете скомпилировать их с помощью:
gcc -o parent parent.c
gcc -o child child.c
./parent
и вы увидите
Чтение от ребенка У ребенка:
Читать от ребенка Ребенок читать бросить