chdir 之后 readdir 中的 C 段错误
C Segfault in readdir after chdir
我正在编写的这个 C 程序有一个奇怪的问题,该程序循环遍历一个目录并打开每个文件以进行一些处理。我的程序位于我正在搜索的目录的父目录中。为了让 fopen 能够看到该目录中的文件,我在 while((dp = readdir(dfd)) != NULL) 调用之前进行了 chdir(path) 调用。第一个文件被很好地拾取但是我在这次调用的下一次迭代中遇到了段错误。这似乎是 chdir 和 readdir 逻辑的问题,我不确定如何解决它。有任何想法吗?这是我的代码:
if((dfd = opendir(dir)) == NULL){
fprintf(stderr, "Can't open %s\n", dir);
return 0;
}
chdir(dir);
char *filename;
//loop through the directory
while((dp = readdir(dfd)) != NULL){
printf("Searching file %s\n", dp->d_name);
filename = malloc(50);
filename = dp->d_name;
char text[80];
int words = 0;
int cellular = 0, CDMA = 0, GSM = 0, LTE = 0, wireless = 0, realtime = 0, GPS = 0, remote = 0, monitor = 0;
struct stat stbuf;
//Skip any directories
if((stbuf.st_mode & S_IFMT) == S_IFDIR){
printf("Directory skipped.\n");
continue;
}
//Skip files that can't be opened
if((fpt=fopen(filename,"r")) == NULL){
printf("Couldn't open file %s.\n", filename);
continue;
}
//search the file
while(fscanf(fpt, "%s", text) != EOF){
words++;
//....etc
您很可能破坏了内存,导致对 readdir()
的后续调用失败,因为 dfd
结构中的数据被破坏了。您在代码中做了一些 "bad" 事情:
filename=malloc()
后跟 filename=...
- 这会导致内存泄漏(但不是段错误)
fscanf(fpt,...)
- 您为此在堆栈上分配了 80 个字节,但随后您要求 libc 读取 "word"。如果单词超过 80 个字符,您将破坏堆栈中的所有内容。这很可能导致段错误。您可能有更多我们没有看到的代码正在做如此糟糕的事情。
我正在编写的这个 C 程序有一个奇怪的问题,该程序循环遍历一个目录并打开每个文件以进行一些处理。我的程序位于我正在搜索的目录的父目录中。为了让 fopen 能够看到该目录中的文件,我在 while((dp = readdir(dfd)) != NULL) 调用之前进行了 chdir(path) 调用。第一个文件被很好地拾取但是我在这次调用的下一次迭代中遇到了段错误。这似乎是 chdir 和 readdir 逻辑的问题,我不确定如何解决它。有任何想法吗?这是我的代码:
if((dfd = opendir(dir)) == NULL){
fprintf(stderr, "Can't open %s\n", dir);
return 0;
}
chdir(dir);
char *filename;
//loop through the directory
while((dp = readdir(dfd)) != NULL){
printf("Searching file %s\n", dp->d_name);
filename = malloc(50);
filename = dp->d_name;
char text[80];
int words = 0;
int cellular = 0, CDMA = 0, GSM = 0, LTE = 0, wireless = 0, realtime = 0, GPS = 0, remote = 0, monitor = 0;
struct stat stbuf;
//Skip any directories
if((stbuf.st_mode & S_IFMT) == S_IFDIR){
printf("Directory skipped.\n");
continue;
}
//Skip files that can't be opened
if((fpt=fopen(filename,"r")) == NULL){
printf("Couldn't open file %s.\n", filename);
continue;
}
//search the file
while(fscanf(fpt, "%s", text) != EOF){
words++;
//....etc
您很可能破坏了内存,导致对 readdir()
的后续调用失败,因为 dfd
结构中的数据被破坏了。您在代码中做了一些 "bad" 事情:
filename=malloc()
后跟filename=...
- 这会导致内存泄漏(但不是段错误)fscanf(fpt,...)
- 您为此在堆栈上分配了 80 个字节,但随后您要求 libc 读取 "word"。如果单词超过 80 个字符,您将破坏堆栈中的所有内容。这很可能导致段错误。您可能有更多我们没有看到的代码正在做如此糟糕的事情。