2

我正在尝试使用 mknod() 命令创建一个 FIFO 命名管道:

int main() {
char* file="pipe.txt";
int state;
state = mknod(file, S_IFIFO & 0777, 0);
printf("%d",state);
return 0;
}

但是该文件不是在我当前的目录中创建的。我试着把它列出来ls -l。状态返回 -1。

我在这里和其他网站上发现了类似的问题,并且我尝试了最建议的解决方案:

int main() {
char* file="pipe.txt";
int state;
unlink(file);
state = mknod(file, S_IFIFO & 0777, 0);
printf("%d",state);
return 0;
}

但这没有任何区别,错误仍然存​​在。我在这里做错了什么还是有某种系统干预导致了这个问题?

帮助..提前谢谢

4

1 回答 1

1

&用于设置文件类型而不是|. 从文档:

path 的文件类型被 OR'ed 到 mode 参数中,应用程序应选择以下符号常量之一...

试试这个:

state = mknod(file, S_IFIFO | 0777, 0);

因为这有效:

#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>


int main() {
    char* file="pipe.txt";
    int state;
    unlink(file);
    state = mknod(file, S_IFIFO | 0777, 0);
    printf("state %d\n", state);
    return 0;
}

编译它:

gcc -o fifo fifo.c

运行:

$ strace -e trace=mknod ./fifo
mknod("pipe.txt", S_IFIFO|0777)         = 0
state 0
+++ exited with 0 +++

查看结果:

$ ls -l pipe.txt
prwxrwxr-x. 1 lars lars 0 Jul 16 12:54 pipe.txt
于 2015-07-16T16:51:17.837 回答