openat()函式的用法示例

2puT發表於2016-07-09

《Unix環境高階程式設計》的第三章和第四章出現了大量的以at結尾的函式,如openat、fstatat等,書中只是粗略的說明了下,沒有實際的例子讓人很難懂。

  1. int openat(int dirfd, const char *pathname, int flags, mode_t mode);  

我初看的時候有如下幾個疑問:

1、按函式原型明顯是要給一個目錄的檔案描述符,可是開啟目錄用的事opendir返回的是一個DIR*的指標,哪來的int型的目錄檔案描述符;

2、open函式常用來開啟一個檔案,沒見過用來開啟目錄的;

3、如果給一個檔案描述符又會報錯,這個變數到底該如何賦值?

幾經周折,請教了網路上的大神後終於找到了這個函式的示例函式。

用法有兩種,分別說明如下。

1、直接用open開啟目錄,用返回值作為openat的第一個引數的值,程式碼如下:

  1. #include <stdio.h>  
  2. #include <sys/stat.h>  
  3. #include <fcntl.h>  
  4. #include <stdlib.h>  
  5. #include <unistd.h>  
  6.   
  7. void creat_at(char *dir_path, char *relative_path)  
  8. {  
  9.     int dir_fd;  
  10.     int fd;  
  11.     int flags;  
  12.     mode_t mode;  
  13.   
  14.     dir_fd = open(dir_path, O_RDONLY);  
  15.     if (dir_fd < 0)   
  16.     {  
  17.         perror("open");  
  18.         exit(EXIT_FAILURE);  
  19.     }  
  20.   
  21.     flags = O_CREAT | O_TRUNC | O_RDWR;  
  22.     mode = 0640;  
  23.     fd = openat(dir_fd, relative_path, flags, mode);  
  24.     if (fd < 0)   
  25.     {  
  26.         perror("openat");  
  27.         exit(EXIT_FAILURE);  
  28.     }  
  29.   
  30.     write(fd, "HELLO", 5);  
  31.   
  32.     close(fd);  
  33.     close(dir_fd);  
  34. }  
  35.   
  36. int main()  
  37. {  
  38.     creat_at("./open""log.txt");  
  39.     return 0;  
  40. }  

2、借用dirfd,將DIR*轉換成int型別的檔案描述符

函式原型如下:

  1. int dirfd(DIR *dirp);  

完整程式碼如下:

  1. #include <sys/types.h>  
  2. #include <sys/stat.h>  
  3. #include <fcntl.h>  
  4. #include <dirent.h>  
  5. #include <stdio.h>  
  6. #include <unistd.h>  
  7.   
  8. int main()  
  9. {  
  10.     DIR *dir;  
  11.     int dirfd2;  
  12.     int fd;  
  13.     int n;  
  14.   
  15.     dir = opendir("./open/chl");  
  16.     if(NULL == dir)  
  17.     {  
  18.         perror("open dir error");  
  19.         return -1;  
  20.     }  
  21.     dirfd2 = dirfd(dir);  
  22.     if(-1 == dirfd2)  
  23.     {  
  24.         perror("dirfd error");  
  25.         return -1;  
  26.     }  
  27.   
  28.     fd = openat(dirfd2,"output.log",O_CREAT|O_RDWR|O_TRUNC);  
  29.     if(-1 == fd)  
  30.     {  
  31.         perror("opeat error");  
  32.         return -1;  
  33.     }  
  34.     n = write(fd,"Hello world!\n",15);  
  35.       
  36.     close(fd);  
  37.     closedir(dir);  
  38.   
  39.     return 0;  
  40.   
  41. }  

實際上感覺和open函式差不了多少,只是一個是字串常量,一個是已經開啟的檔案描述符。


相關文章