這2個函數都是用來改變現有檔案的存取權限的。函數的定義如下:
#include<sys/stat.h>int chmod(const char* pathname, mode_t mode); //通過檔案名稱對指定的檔案進行操作int fchmod(int filedes, mode_t mode); //通過檔案描述符對以開啟的檔案進行操作//如果成功返回0,失敗返回-1.
為了改變現有檔案的許可權位,進程的有效使用者ID必須等於檔案的所有者ID,或者進程具有超級使用者權限。
參數mode是由中所示常量的按位或運算構成的。
中,有9個是檔案存取權限,另外加了6項,他們是設定使用者ID和設定組ID(S_ISUID和S_ISGID),粘住位(S_ISVTX),
三個組合常量(S_IRWXU,S_IRWXG,S_IRWXO)。
實踐:
#include <stdio.h>#include <sys/stat.h>int main(void){ if(chmod("a",S_IRWXU | S_IRWXO | S_ISUID | S_ISVTX)<0){ perror("chmod"); return -1; } return 0;}
運行結果:
yan@yan-vm:~/apue$ ll a
-rw-rw-r-- 1 yan yan 0 Jun 12 13:53 a
yan@yan-vm:~/apue$ ./a.out
yan@yan-vm:~/apue$ ll a
-rws---rwt 1 yan yan 0 Jun 12 13:53 a*
如果要在原來的檔案屬性上加或者減屬性可以先使用stat函數擷取檔案的mode_t,然後再進行與和或操作:
#include <stdio.h>#include <sys/stat.h>int main(void){ struct stat statbuf; if(stat("a", &statbuf) < 0){ perror("stat"); return -1; } if(chmod("a",(statbuf.st_mode & ~S_IRUSR)|S_IWGRP)<0){ //去除檔案a的使用者讀,增加組寫 perror("chmod"); return -1; } return 0;}
運行結果:
yan@yan-vm:~/apue$ ll a
-rws---rwt 1 yan yan 0 Jun 12 13:53 a*
yan@yan-vm:~/apue$ ./a.out
yan@yan-vm:~/apue$ ll a
--ws-w-rwt 1 yan yan 0 Jun 12 13:53 a*