我试图搜索目录中的文件,这些文件在执行程序时都由用户在命令行中指定。它应该查看指定的目录,并检查该目录中的子目录并递归搜索该文件。
我在这里有打印声明,试图分析传递的变量以及它们如何变化。在我的while循环中,它永远不会到达检查,如果它是一个文件或只是其他语句说它没有被找到。每次都检查一个目录是否为真,这显然不是这样。
感谢您的帮助。我对dirent和stat不太熟悉/不熟悉所以我一直在努力审查并确保我在此期间正确使用它们。
#include <unistd.h>
#include <stdio.h>
#include <dirent.h>
#include <string.h>
#include <sys/stat.h>
#include <stdlib.h>
#include <errno.h>
void traverse(char *dir, char *file) {
DIR *directory;
struct dirent *structure;
struct stat info;
printf("Current directory to search through is: %s\n", dir);
printf("Current file to search for is: %s\n", file);
printf("\n");
printf("\n");
// make sure the directory can be opened
if((directory = opendir(dir)) == NULL) {
fprintf(stderr, "The directory could not be opened. %s\n", strerror(errno));
return;
}
chdir(dir); // change to the directory
while((structure = readdir(directory)) != NULL) { // loop through it
fprintf(stderr, "before the change it is: %s\n", dir);
lstat(structure->d_name, &info); // get the name of the next item
if(S_ISDIR(info.st_mode)) { // is it a directory?
printf("checking if it's a directory\n");
if(strcmp(".", structure->d_name) == 0 ||
strcmp("..", structure->d_name) == 0)
continue; // ignore the . and .. directories
dir = structure->d_name;
fprintf(stderr, "after the change it is: %s\n", dir);
printf("About to recurse...\n");
printf("\n");
traverse(structure->d_name, file); // recursively traverse through that directory as well
}
else if(S_ISREG(info.st_mode)) { // is it a file?
printf("checking if it's a file\n");
if(strcmp(file, structure->d_name) == 0) { // is it what they're searching for?
printf("The file was found.\n");
}
}
else {
printf("The file was nout found.\n");
}
}
closedir(directory);
}
int main(int argc, char *argv[]) {
// make sure they entered enough arguments
if (argc < 3) {
fprintf(stderr, "You didn't enter enough arguments on the command line!\n");
return 3;
}
traverse(argv[2], argv[1]);
}
答案 0 :(得分:0)
这样的树行走有一个POSIX功能。它被称为 nftw()。
它提供了一个回调机制,它还检测由错误构造的符号链接链接引起的链接。
所以我建议您使用它,而不是按照您的方式使用它。
像往常一样 man nftw 会详细解释它的操作。标准的Linux / Unix包含文件是ftw.h。
注意它们是一个名为ftw()的函数,现在显然已经过时了。
答案 1 :(得分:0)
正如安德鲁·梅迪科所说:你chdir
进入目录但从未回过头来。因此,只需插入
chdir(".."); // change back to upper directory
在while
循环的结尾和traverse()
函数的结尾之间。