如何修复在 C 中使用 struct dirent 时的分段错误

How to fix segmentation fault in the use of struct dirent in C

我的代码在给定路径中打印 files/directory 名称(用户将其作为命令行参数输入)。当使用目录中的给定路径执行时,它工作正常,但如果用户不提供任何命令行参数,它应该对当前工作目录执行相同的操作。

如果我只是 运行 作为:./a.out
,我会遇到段错误 它在我 运行 作为:./a.out /path

时起作用

请提供必要的代码片段来修复我的代码

我尝试进行调试,发现它在执行 depthFirst 函数中的下一行后立即给出错误

printf("%s\n", sd->d_name);

我的错误代码:

#include <stdlib.h>
#include <string.h>
#include <stdio.h>
#include <unistd.h>
#include <sys/types.h>
#include <dirent.h>
#include <sys/stat.h>
#include <limits.h>
void depthFirst(char * path){
        struct dirent *sd;
        DIR *dir;
        //char path[PATH_MAX];

        dir = opendir(path);


                if(dir == NULL){
                        printf("Error, unable to open\n");
                        exit(1);
                }

                while( (sd = readdir(dir)) != NULL){
                        if(strcmp(sd->d_name, ".") != 0 && strcmp(sd->d_name, "..") != 0){
                        printf("%s\n", sd->d_name);
                        realpath(sd->d_name,path);
                        if(isdirectory(path)){
                                printf("\t");
                                depthFirst(sd->d_name);

                        }
                }

                }


        closedir(dir);
}

int isdirectory(char *path) {
   struct stat statbuf;
   if (stat(path, &statbuf) == -1)
      return 0;
   else
      return S_ISDIR(statbuf.st_mode);
}

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

        if(argc<2){
                currentDirectory = ".";
                depthFirst(currentDirectory);
        }
        else{
                path = argv[1];
                depthFirst(path);

        }
        return 0;
}

输出如下图:

.git
Segmentation fault

Jonathan 在评论中抢先了我一步,但这一更改避免了这个问题。

@@ -9,7 +9,7 @@
 void depthFirst(char * path){
         struct dirent *sd;
         DIR *dir;
-        //char path[PATH_MAX];
+        char rpath[PATH_MAX];

         dir = opendir(path);

@@ -22,8 +22,8 @@
                 while( (sd = readdir(dir)) != NULL){
                         if(strcmp(sd->d_name, ".") != 0 && strcmp(sd->d_name, "..") != 0){
                         printf("%s\n", sd->d_name);
-                        realpath(sd->d_name,path);
-                        if(isdirectory(path)){
+                        realpath(sd->d_name,rpath);
+                        if(isdirectory(rpath)){
                                 printf("\t");
                                 depthFirst(sd->d_name);

正如另一条评论所指出的,您不能重复使用 char* path,因为它存储在您的程序不可写的内存页中。因此,realpath() 将在尝试写入时崩溃。