在xv6中处理文件时,我可以看到一个称为Omode的整数变量。它是什么?它可以有什么价值?
例如,这是来自Xv6的开放系统调用:
int sys_open(void)
{
char *path;
int fd, omode;
struct file *f;
struct inode *ip;
if (argstr(0, &path) < 0 || argint(1, &omode) < 0)
return -1;
begin_op();
if (omode & O_CREATE) {
ip = create(path, T_FILE, 0, 0);
if (ip == 0) {
end_op();
return -1;
}
} else {
if ((ip = namei(path)) == 0) {
end_op();
return -1;
}
ilock(ip);
if (ip->type == T_DIR && omode != O_RDONLY) {
iunlockput(ip);
end_op();
return -1;
}
}
if ((f = filealloc()) == 0 || (fd = fdalloc(f)) < 0) {
if (f)
fileclose(f);
iunlockput(ip);
end_op();
return -1;
}
iunlock(ip);
end_op();
f->type = FD_INODE;
f->ip = ip;
f->off = 0;
f->readable = !(omode & O_WRONLY);
f->writable = (omode & O_WRONLY) || (omode & O_RDWR);
return fd;
}
似乎可能是O_WRONLY,O_RDWR或O_CREATE。这些值代表什么?
答案 0 :(得分:0)
omode(代表开放模式),是xv6操作系统中用于开放系统调用的第二个参数,表示打开名称和路径在第一个参数中给出的文件时要使用的模式。
来自xv6的官方book:
open(文件名,标志)打开文件;这些标志表示读/写
此字段的有效选项是(定义位于fcntl.h):
#define O_RDONLY 0x000
#define O_WRONLY 0x001
#define O_RDWR 0x002
#define O_CREATE 0x200
位置:
您还可以进一步遵循该代码,并查看在何处使用了可读写的内容:
不允许阅读时阻止阅读:
// Read from file f.
int
fileread(struct file *f, char *addr, int n)
{
int r;
if(f->readable == 0)
return -1;
...
可写的写操作类似:
// Write to file f.
int
filewrite(struct file *f, char *addr, int n)
{
int r;
if(f->writable == 0)
return -1;
...