[root@bogon code]# cat b.c#include#include #include #include int main(){ int fd=open("a.c",O_RDONLY);//以可读方式打开 int flags; flags=fcntl(fd,F_GETFL);//用flags记录文件打开状态标志,flags的值至于open里面的打开方式有关,与打开的文件本身属性无关,也就是说假设a.c的属性为777,但是在open时是只以可读方式打开的,那么flags只能检测出可读 if(flags==-1) perror("fcntl"); if(flags&O_RDWR)//检测是否可读可写 printf("can read can write\n"); else printf("just can read\n"); return 0;}[root@bogon code]# gcc b.c[root@bogon code]# ./a.outjust can read[root@bogon code]#
上面这个程序虽然没有错,不过更正确的写法应该是下面这个
[root@bogon code]# cat b.c#include#include #include #include int main(){ int fd=open("a.c",O_RDWR); int flags,accessMode; flags=fcntl(fd,F_GETFL); if(flags==-1) perror("fcntl"); accessMode=flags&O_ACCMODE; if(accessMode==O_RDWR) printf("can read can write\n"); else printf("just can read\n"); return 0;}[root@bogon code]# gcc b.c[root@bogon code]# ./a.outcan read can write[root@bogon code]#
接下来我们来见识一下fcntl是如何修改文件打开状态标志的
哪些情况下我们需要修改文件状态标志呢 一:文件不是由调用程序打开,所以程序也无法使用open函数来控制文件的状态标志,例如标准输入输出描述符 二:文件描述符的获取是通过open之外的系统调用,例如pipe以及socket等。[root@bogon code]# cat b.c#include#include #include #include int main(){ int fd=open("a.c",O_RDWR); int flags,accessMode; flags=fcntl(fd,F_SETFL); if(flags==-1) perror("fcntl"); flags|=O_APPEND;//添加O_APPEND标志 fcntl(fd,F_SETFL,flags);//设置O_APPEND标志 if(flags==O_APPEND) printf("can append\n"); if(flags==O_RDWR)//我这里只是用来测试原来的状态标志会不会改变,从结果来看,貌似会的 printf("just can read and write\n"); else printf("just can't read and write\n"); return 0;}[root@bogon code]# gcc b.c[root@bogon code]# ./a.outcan appendjust can't read and write[root@bogon code]#