0

我在 c 中使用管道创建一个程序,确定用户输入的整数是偶数还是奇数。此外,它应该达到以下规范:父进程应该将整数发送给分叉的子进程。子进程应接收发送的整数以确定其类型(偶数或奇数)。然后,应该将结果返回给父进程,以便在 shell 上为用户显示它。我必须使用 Pipes IPC 在父进程和子进程之间交换数据。

我的代码如下所示

#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <signal.h>
#include <string.h>

void sendNumber(int);
void RecResult();
int f_des[2];

int main(int argc, char *argv[])
{
    static char message[BUFSIZ];
    if ( pipe(f_des) == -1 )
    {
        perror("Pipe");
        exit(2);
    }
    switch ( fork() )
    {

        case -1: perror("Fork");
            exit(3);

        case 0: /* In the child */
        {

            // read a meesage
            close(f_des[1]);
            read(f_des[0], message, BUFSIZ  );

            int num=atoi(message);
            printf("Message received by child: [%d]\n", num);


            if(num % 2 == 0)

                sprintf(message,"%d is Even \0",num);

            else

                sprintf(message,"%d is Odd \0",num);

            close(f_des[0]);
            write(f_des[1], message, BUFSIZ);
            exit(0);
        }

            break;
        default: /* In the parent */
        {
            int num;
            printf("\n Enter an Integer \n");
            scanf("%d",&num);
            char msg[BUFSIZ];
            sprintf(msg,"%d",num);

            // write a message
            close(f_des[0]);
            write(f_des[1], msg, BUFSIZ);

            printf("\n Waiting Child \n");

            wait(NULL); 
            // read a mesaage
            static char message[BUFSIZ];
            close(f_des[1]);
            read(f_des[0], message, BUFSIZ);

            printf("========> Result:  %s . \n",message);
        }
    }
}

孩子成功收到消息但父母没有收到任何结果:S任何人都可以帮助这是我的输出

rose@ubuntu:~$ gcc -o test_3 test_3.c
rose@ubuntu:~$ ./test_3

 Enter an Integer 
3

 Waiting Child 
Message received by child: [3]
========> Result:   . 
rose@ubuntu:~$ 

谢谢大家 ;)

4

1 回答 1

1

PIPE 通道是单向通信通道。如果您希望子进程写回父进程,则需要第二个 PIPE 通道,该通道不同于用于从父进程接收消息的通道。

于 2015-04-22T19:05:30.630 回答