fcntl
是一个用于文件描述符的通用接口,它提供了一系列操作,如获取和设置文件描述符的标志
#include <iostream>
#include <fcntl.h>
#include <unistd.h>
int main() {
int fd = open("test.txt", O_RDWR); // 打开一个名为 "test.txt" 的文件,以读写模式
if (fd == -1) {
std::cerr << "Error opening file" << std::endl;
return 1;
}
// 设置文件描述符为非阻塞模式
int flags = fcntl(fd, F_GETFL, 0);
if (flags == -1) {
std::cerr << "Error getting flags" << std::endl;
close(fd);
return 1;
}
int non_blocking = flags & ~O_NONBLOCK;
if (fcntl(fd, F_SETFL, non_blocking) == -1) {
std::cerr << "Error setting non-blocking mode" << std::endl;
close(fd);
return 1;
}
// 关闭文件描述符
close(fd);
return 0;
}
在这个示例中,我们首先使用 open
函数打开一个名为 “test.txt” 的文件。然后,我们使用 fcntl
函数获取当前文件描述符的标志,并将其与 O_NONBLOCK
进行按位取反操作,以获取非阻塞模式的值。最后,我们再次使用 fcntl
函数设置文件描述符为非阻塞模式。
请注意,这个示例仅用于演示如何使用 fcntl
设置非阻塞模式。在实际应用中,你可能需要根据具体需求进行相应的调整。