扫描目录以查找软链接指向的文件

时间:2018-06-12 11:52:32

标签: c directory operating-system posix symlink

我正在尝试为我的操作系统类执行此练习:我应该通过命令行传递特定目录,以查找软链接指向的任何文件。

这就是我所做的:

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

int main(int argc, char *argv[])
{

 DIR *dir_ptr;
 struct dirent *dir_str;
 struct stat buf;
 struct stat buf2;

 if(argc!=2)
 {
  printf("Error! I need a directory.\n");
  exit(-1);
 }


 if((dir_ptr=opendir(argv[1]))==NULL)       
 {
  printf("Opendir error: %s\n", strerror(errno));
  exit(-1);
 }

 while((dir_str=readdir(dir_ptr))!=NULL)
 {
  lstat(dir_str->d_name, &buf);     
  if(S_ISLNK(buf.st_mode))
  {
   stat(dir_str->d_name, &buf2);
   printf("'%s' points to a file of %ld bytes.\n", dir_str->d_name, buf2.st_size);
  }

 }

 closedir(dir_ptr);
 exit(0);

}

现在这是我的问题:这个程序只是写入标准输出所有指向特定大小的文件的软链接。相反,我需要它打印软链接指向的所有文件。其次,奇怪的是这个程序似乎只在不需要目录的情况下工作,我的意思是,用getcwd()获取当前目录并将返回的路径名传递给opendir()。这个实际上甚至不会打印传递目录中的所有软链接。

提前致谢!任何帮助将不胜感激。

编辑:我们假设这个目录名为“my_directory”,包含以下文件:

justatext.txt
softlink1 (it points to justatext.txt)
justanothertext.txt
softlink2(it points to justanothertext)

当我通过命令行(./a.out my_directory)传递“my_directory”时,我希望程序写入标准输出“justatext.txt”和“justanothertext.txt”,因为目录中的这些文件是由软链接。 如果我将此目录传递给我的程序,则不会打印输出。

1 个答案:

答案 0 :(得分:0)

好的,我想我已经解决了我的问题。总结评论中的所有建议,这就是我所做的,它似乎有效:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <fcntl.h>
#include <errno.h>
#include <limits.h>     
#include <sys/types.h>
#include <sys/stat.h>
#include <dirent.h>

int main(int argc, char *argv[])
{

 DIR *dir_ptr;
 struct dirent *dir_str;
 struct stat buf;
 struct stat buf2;
 char *buf3;            
 ssize_t nbyte, bufsize;
 int flag=0;

 if(argc!=2)
 {
  printf("Error! I need a directory.\n");
  exit(EXIT_FAILURE);
 }

 if((dir_ptr=opendir(argv[1]))==NULL)
 {
  printf("Opendir error: %s\n", strerror(errno));
  exit(EXIT_FAILURE);
 }

 chdir(argv[1]);    

 while((dir_str=readdir(dir_ptr))!=NULL)    
 {
  lstat(dir_str->d_name, &buf);     
  bufsize=buf.st_size+1;    
  if(buf.st_size==0)        
   bufsize=PATH_MAX;        

  buf3=malloc(bufsize); 
  if(buf3==NULL)
  {
   perror("malloc");
   exit(EXIT_FAILURE);
  }
  nbyte=readlink(dir_str->d_name, buf3, bufsize);   

  if(S_ISLNK(buf.st_mode))  
  {
   stat(dir_str->d_name, &buf2);
   printf("%s is a file of %ld bytes pointed by a symbolic link (%s).\n", buf3, buf2.st_size, dir_str->d_name);
   flag+=1;
  }

 }

 if(flag==0)
  printf("No files pointed by a syslink found in this directory!\n");

 free(buf3);
 closedir(dir_ptr);
 exit(0);

}

首先,我使用chdir()来更改当前目录和通过命令行的目录;然后我实现了readlink()以获取名为其参数的符号链接中的路径名。如果发生错误,我还使用exit(EXIT_FAILURE)关闭程序。

我不知道这是否完全正确。如果不是这样,请告诉我!