我需要创建一个基本上与Linux上的list实用程序类似的程序。我一直试图让这个工作,我很接近,但现在我已经卡住了。本质上,它将打印包含在目录中的任何文件和子目录(即,如果我运行./project3,它列出该目录中的whatevers)。但是,一旦我尝试使递归调用工作,它就会吐出类似的东西:
sh: 1: /home/RageKage/Documents/Project3/dir1: Permission denied
那就是我被困住的地方,我不确定该怎么办。我正在使用realpath获取目录的路径,并且工作正常,但递归调用不起作用,我不确定我做错了什么。任何帮助都会受到赞赏,因为我对此比较陌生。
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <dirent.h>
#include <string.h>
#include <limits.h>
int main (int argc, char *argv[])
{
DIR *dir;
struct dirent *sd;
const char *direct;
char buf[PATH_MAX + 1];
if (argc < 2)
{
direct = ".";
}else{
direct = argv[1];
//printf("Hey this is argv[1]: %s\n", argv[1]);
}
dir = opendir(direct);
if (dir == NULL)
{
printf("ERROR! NO DIRECTORY TO OPEN!\n");
exit(1);
}
while( (sd=readdir(dir)) != NULL )
{
if (!strcmp(sd->d_name, ".") || !strcmp(sd->d_name, ".."))
{
}else{
printf("\n>> %s\n", sd->d_name);
}
if (!strcmp(sd->d_name, "..") || !strcmp(sd->d_name, "."))
{
}else if (sd->d_type == 4){
printf("Attempting to Run!\n");
realpath(sd->d_name, buf);
printf("[%s]\n", buf);
system(("./project3 %s", buf));
printf("\n");
}
}
closedir(dir);
return 0;
}
答案 0 :(得分:0)
system(("./project3 %s", buf));
您是否再次以递归方式调用程序?这听起来有点低效,而且很难做到,因为您需要知道可执行文件的位置。一般来说,它可能只是在任何地方(从/bin
开始,/usr/bin
等),你可能在argv[0]
中得到的只是文件名部分,而不是整个路径。< / p>
此外,正如评论中所述,func((this, that))
与func(that)
相同,而不是func(this, that)
,因为括号使逗号作为逗号运算符,而不是作为参数分隔符。并且system()
无论如何只需要一个参数,因此您需要使用sprintf()
来构建命令行。 (或者可能使用exec()
函数实际提供单独的参数而不调用shell,但是你也需要执行fork()
。)
我建议废弃这个想法,并将目录树放入它自己的函数中,然后递归调用:
void walkpath(void)
{
DIR *dir = opendir(".");
struct dirent *sd;
while((sd = readdir(dir)) != NULL) {
/* ... */
if (sd->d_type == DT_DIR) {
chdir(sd->d_name);
walkpath();
chdir("..");
}
}
}
int main(...)
{
/* ... */
chdir(directory);
walkpath();
}
我在这里使用chdir
来改变进程的工作目录以及walk。如果您需要跟踪完整的目录名称,那么您需要添加它。
此外,现在您已经对.
和..
进行了两次测试。使用continue
结束循环的迭代,这样您就不需要再次测试同一个东西。
if (strcmp(sd->d_name, ".") == 0 || strcmp(sd->d_name, "..") == 0) {
continue;
}