我正试图编写最短的代码以具有阻止文件描述符。
我先设定:O_NONBLOCK
第二个:ICANON,[VMIN],[VTIME]作为我的文件描述符...
要设置阻止文件描述符,我还需要设置哪些其他选项?
(sample.txt为空,并且使用不同模式的open()不会出现任何情况)
#include <fcntl.h>
#include <stdio.h>
#include <unistd.h>
#include <termios.h>
void set_blocking(int fd, int blocking) {
int flags = fcntl(fd, F_GETFL, 0);
if (blocking)
flags &= ~O_NONBLOCK;
else
flags |= O_NONBLOCK;
fcntl(fd, F_SETFL, flags);
return;
}
int main(){
int fd;
char buff[100];
struct termios options;
options.c_lflag &= ~ICANON;
options.c_cc[VMIN] = 2;
options.c_cc[VTIME] = 0;
fd = open("sample.txt",O_RDWR);
tcsetattr(fd, TCSANOW, &options);
set_blocking(fd,1);
read(fd,buff,2);
printf("%s\n",buff);
return 0;
}
答案 0 :(得分:0)
您的代码仅修改未初始化的struct termios options
变量的一部分。当您的代码调用tcsetattr
时,大多数options
变量将被设置为随机位,因此tcsetattr
可能会返回错误或将伪造的设置应用于终端。
由于您的代码仅显式修改某些终端设置,所以初始化options
变量的最佳方法是使用对tcgetattr
的调用将旧设置读入其中:
ret = tcgetattr(fd, &options);
if (ret < 0) {
perror("tcgetattr");
exit(1);
}
options.c_lflag &= ~ICANON;
options.c_cc[VMIN] = 2;
options.c_cc[VTIME] = 0;
ret = tcsetattr(fd, TCSANOW, &options);
if (ret < 0) {
perror("tcsetattr");
exit(1);
}
上面的代码示例假定文件描述符fd
链接到终端,因此isatty(fd)
返回1。fd
链接到普通链接时根本不适用文件。
在您发布的代码中,fd
链接到当前目录中的一个名为“ sample.txt”的文件,该文件不太可能是终端。在这种情况下,tcgetattr
和tcsetattr
调用将返回-1
并将errno
设置为ENOTTY
。