我有一个链表,其中包含一个文件的路径和它所属的groupID。我的程序在当前目录中查找常规文件,我正在尝试遍历链表,以便对链表执行某些操作。下面是我的代码:
#include <stdio.h>
#include <stdlib.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <dirent.h>
#include <unistd.h>
#include <string.h>
typedef struct FileGroups
{
int groupID;
char *path;
struct FileGroups* next;
} FileGroups;
FileGroups *head;
int GroupID = 1;
void insert(char *path)
{
FileGroups *temp;
temp = (FileGroups*)malloc(sizeof(FileGroups));
temp->groupID = GroupID++;
temp->path = malloc(strlen(path)*sizeof(char));
strcpy(temp->path, path);
temp->next = head;
head = temp;
temp = temp->next;
}
void print()
{
FileGroups *temp;
temp = head;
printf("\nLinked list: \n");
while(temp!=NULL)
{
printf("%d %s\n", temp->groupID, temp->path);
temp = temp->next;
}
}
void listFilesRecursively(const char *basePath)
{
char path[1024];
struct dirent *dp;
DIR *dir = opendir(basePath);
if (!dir)
{
return;
}
while ((dp = readdir(dir)) != NULL)
{
if (strcmp(dp->d_name, ".") != 0 && strcmp(dp->d_name, "..") != 0)
{
struct stat sb;
FileGroups *temp;
temp = head;
strcpy(path, basePath);
strcat(path, "/");
strcat(path, dp->d_name);
if(stat(path, &sb) == 0 && S_ISREG(sb.st_mode))
{
insert(path);
while(temp!=NULL)
{
printf("Do something with %s\n", temp->path);
temp = temp->next;
}
printf("\n");
}
else
{
return;
}
}
}
closedir(dir);
}
int main()
{
listFilesRecursively(".");
print();
return 0;
}这是我运行程序时得到的输出:

我不确定我是否正确地遍历了链表,因为它看起来像是在迭代地打印出“做一些事情”,但随着每次循环,它似乎向printf("Do something\n");添加了一个额外的调用,无论以前的文件路径是什么,以及它所在的当前文件路径,我希望它只对正在添加到列表中的当前文件路径做一些事情。在它的第一次循环中,它似乎也没有做什么,因为在我们甚至在目录中的第一个文件打印出"Do printf("Do something\n");“之前就有一个换行符,最后一件事是它不会对目录中的最后一个文件做任何事情,这就是./testing.txt。提前感谢您的建议和建议!
发布于 2021-02-27 13:25:15
这是因为在构建列表时,您正在循环遍历整个列表。或者在遍历目录内容之后打印列表,或者更好的做法是在目录搜索循环中只打印一项。
while(temp!=NULL)
{
printf("Do something with %s\n", temp->path);
temp = temp->next;
}应该是:
printf("Do something with %s\n", path);https://stackoverflow.com/questions/66395777
复制相似问题