嗨,我在写带保险丝的“网络raid fs”。
因此,当调用syscallgetattr
时,我将它发送到服务器,服务器调用stat(path, stbuf)
syscall,它将按其应有的方式设置stbuf
。之后,我将这个stbuf
返回给客户端(使用socket连接),客户端处理它,一切正常。
但问题是:我希望stbuf->st_mode
(也称为权限)始终为0777,所以我正在执行stbuf->st_mode = 0777;
,然后将此struct
发送到客户端(如上所述)。程序会冻结(服务器[或客户端]停止正确接收系统调用)。
怎么办?
最佳答案
st_mode
成员不仅包括权限,还包括文件类型(目录、fifo、设备特殊文件等)。如果您只是将0777
分配给它,您将删除类型信息。你应该覆盖权限位。
stbuf->mode |= 0777;
从文档中:
The status information word st_mode has the following bits:
#define S_IFMT 0170000 /* type of file */
#define S_IFIFO 0010000 /* named pipe (fifo) */
#define S_IFCHR 0020000 /* character special */
#define S_IFDIR 0040000 /* directory */
#define S_IFBLK 0060000 /* block special */
#define S_IFREG 0100000 /* regular */
#define S_IFLNK 0120000 /* symbolic link */
#define S_IFSOCK 0140000 /* socket */
#define S_IFWHT 0160000 /* whiteout */
#define S_ISUID 0004000 /* set user id on execution */
#define S_ISGID 0002000 /* set group id on execution */
#define S_ISVTX 0001000 /* save swapped text even after use */
#define S_IRUSR 0000400 /* read permission, owner */
#define S_IWUSR 0000200 /* write permission, owner */
#define S_IXUSR 0000100 /* execute/search permission, owner */
关于c - 调用stat后的权限覆盖,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/51411407/