We were recently introduced to fork() in my applied OS design class, and I'm not understanding it very well. We need to use it to create four separate processes in C file, and then have three of these processes write to a named pipe, while the fourth reads from it.
This is the code I've tried so far:
// creating the named pipe
mknod("/tmp/namedpipe", S_IFIFO | 0600, 0);
int myPipe;
const char* colour;
pid_t p1, p2;
p1 = fork();
if (p1 < 0)
{
printf("Fork failed\n");
}
else if (p1 == 0) // this is the child of p1, we'll call it "red"
{
printf("\nPid %d %s", getpid(), "(red) started\n");
myPipe = open("/tmp/namedpipe", O_WRONLY);
colour = "RED\n";
write(myPipe, colour, strlen(colour) +1);
close(myPipe);
}
else // the is the parent of p1, we'll call it "green"
{
printf("\nPid %d %s", getpid(), "(red) started\n");
myPipe = open("/tmp/namedpipe", O_WRONLY);
colour = "RED\n";
write(myPipe, colour, strlen(colour) +1);
close(myPipe);
p2 = fork();
if (p2 < 0)
{
printf("Fork failed\n");
}
else if (p2 == 0) // this is the child of p2, we'll call it "blue"
{
printf("\nPid %d %s", getpid(), "(blue) started\n");
myPipe = open("/tmp/namedpipe", O_WRONLY);
colour = "BLU\n";
write(myPipe, colour, strlen(colour) +1);
close(myPipe);
}
else // the is the parent of p2, we'll call it "reader"
{
printf("This is the reader process");
myPipe = open("/tmp/namedpipe", O_RDONLY);
char nextChar;
while (read(myPipe, &nextChar, 1) == 1)
printf("%c", nextChar);
close(myPipe);
}
}
This code seems to work fine if you comment out all the pipe-related statements, but otherwise it executes the first two print statements and then hangs, forcing a CTRL-C. I'm not sure if the problem lies in the forking or if it has to do with the way I'm writing and reading to the pipe. Please let me know.