- 论坛徽章:
- 0
|
使用以下测试程序,便于理解。
测试一:使用pipe2且传入参数的flags为0(相当于使用pipe)- #include <unistd.h>
- #include <signal.h>
- #include <string.h>
- #include <stdio.h>
- int fd[2];
- void handle(int sig)
- {
- if(sig == SIGUSR1)
- write(fd[1],"p",1);
- }
- int main(int argc, char **argv)
- {
- char c;
- pid_t pid;
-
- if(pipe2(fd, 0) < 0) {
- printf("can not creat pipe!\n");
- return -1;
- }
-
- if((pid = fork()) < 0) {
- printf("can not fork!\n");
- return -1;
- } else if(pid > 0) {
- close(fd[0]);
- signal(SIGUSR1, handle);
- for(;;) {
- }
- } else {
- close(fd[1]);
- for(;;) {
- if(read(fd[0], &c, 1) == 1)
- printf("c:%c\n", c);
- else
- printf("nothing to read!\n");
- sleep(2);
- }
- }
- return 0;
- }
复制代码 编译后,可以看到程序阻塞在那里,当使用“kill -10 进程号”时,才会从管道中读出数据。
测试二,使用pipe2时设置flags的参数为O_NONBLOCK- #include <sys/types.h>
- #include <sys/stat.h>
- #include <fcntl.h>
- #include <unistd.h>
- #include <signal.h>
- #include <string.h>
- #include <stdio.h>
- int fd[2];
- void handle(int sig)
- {
- if(sig == SIGUSR1)
- write(fd[1],"p",1);
- }
- int main(int argc, char **argv)
- {
- char c;
- pid_t pid;
-
- if(pipe2(fd, O_NONBLOCK) < 0) {
- printf("can not creat pipe!\n");
- return -1;
- }
-
- if((pid = fork()) < 0) {
- printf("can not fork!\n");
- return -1;
- } else if(pid > 0) {
- close(fd[0]);
- signal(SIGUSR1, handle);
- for(;;) {
- }
- } else {
- close(fd[1]);
- for(;;) {
- if(read(fd[0], &c, 1) == 1)
- printf("c:%c\n", c);
- else
- printf("nothing to read!\n");
- sleep(2);
- }
- }
- return 0;
- }
复制代码 编译后,执行程序可以看到它不停的打印消息,若管道内没有数据的话,read就直接返回了。 |
|