如何判断文件是否是链接?

时间:2010-10-21 06:45:33

标签: c linux symlink system-calls stat

我有下面的代码这里只显示了它的一部分,我正在检查文件的类型。

struct stat *buf /* just to show the type buf is*/ 

switch (buf.st_mode & S_IFMT) {
     case S_IFBLK:  printf(" block device\n");            break;
     case S_IFCHR:  printf(" character device\n");        break;
     case S_IFDIR:  printf(" directory\n");               break;
     case S_IFIFO:  printf(" FIFO/pipe\n");               break;
     case S_IFLNK:  printf(" symlink\n");                 break;
     case S_IFREG:  printf(" regular file\n");            break;
     case S_IFSOCK: printf(" socket\n");                  break;
     default:       printf(" unknown?\n");                break;
}

问题:当我执行st_mode结果时获得的printf("\nMode: %d\n",buf.st_mode);的值为33188.

我用常规文件类型和符号链接测试了我的程序。在这两种情况下,输出都是“常规文件”,即符号链接情况失败,我不明白为什么?

1 个答案:

答案 0 :(得分:18)

来自stat (2)手册页:

  路径指向的文件的

stat()个统计信息并填入buf

     

lstat()stat()相同,只是如果path是符号链接,则链接本身是统计的,而不是它引用的文件。

换句话说,stat调用将遵循指向目标文件的符号链接,并检索的信息。尝试使用lstat,它会给你链接的信息。


如果您执行以下操作:

touch junkfile
ln -s junkfile junklink

然后编译并运行以下程序:

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

int main (void) {
    struct stat buf;
    int x;

    x = stat ("junklink", &buf);
    if (S_ISLNK(buf.st_mode)) printf (" stat says link\n");
    if (S_ISREG(buf.st_mode)) printf (" stat says file\n");

    x = lstat ("junklink", &buf);
    if (S_ISLNK(buf.st_mode)) printf ("lstat says link\n");
    if (S_ISREG(buf.st_mode)) printf ("lstat says file\n");

    return 0;
}

你会得到:

 stat says file
lstat says link

正如所料。