效率不太高啊,记录一下下面这两个比较坑的地方:
1. 管道实际存储在内存中,不管是有名管道还是无名管道,都放在内核的缓冲区中。
管道有下面两个限制:
1)管道容量有限制,并且不能更改,所以需要大规模数据通信是不适合使用管道的,在linux下这个限制为64K,65535个字节。
#include<sys/types.h> #include<sys/stat.h> #include<unistd.h> #include<fcntl.h> #include<stdio.h> #include<stdlib.h> #include<errno.h> #include<string.h> #include<signal.h> int main(int argc, char *argv[]) { int pipefd[2]; char buf[100000] = {0}; if (pipe(pipefd) == -1) { fprintf(stderr, "pipe error"); return 1; } int ret; int count = 0; int flags = fcntl(pipefd[0], F_GETFL); fcntl(pipefd[1], F_SETFL, flags | O_NONBLOCK); // 设置为非阻塞 while (1) { ret = write(pipefd[1], buf, sizeof(buf)); if (ret == -1) { printf("write error: %s\n", strerror(errno)); break; } count++; } printf("count = %d\n", count); //管道容量 return 0; }
2) 管道有一个缓冲区的限制。即PIPE_BUF,这是write原子性写入的最大长度,具体如下:
write的fd是阻塞模式的:
写入的字符n <= PIPE_BUF, 如果PIPE还有足够的空间,原子性写入。如果剩余空间不足,阻塞一直到能全部写入。
写入的字符n > PIPE_BUF, 写入不是原子性的,可能和其他进程交叉,一直阻塞到全部n个字符写入成功。
write的fd是非阻塞的:
写入的字符n <= PIPE_BUF, 如果没有足够的空间,会返回失败,错误码EAGIN
写入的字符n > PIPE_BUF, 如果没有足够的空间,可能写入1-n中任何一个值的字符,需要将返回值收回来自行判断。
2. 今天将标准输入和标准输出重定向到了文件中,然后想用epoll去等待这个文件的读写事件,但是在epoll_ctl的时候发现失败了:epoll_ctl:Operation not permitted. 查找了一下才发现:regular file(也就是普通文件)是不支持epoll/select操作的,这是因为他们处于随时可读/写的状态。
时间: 2024-11-05 07:55:58