如何在 C 程序中列出目录中的文件?

我正在尝试在 Linux 上编写一个 ftp 服务器。在这种情况下,我怎样才能列出文件在目录终端上的 C 程序?也许我可以使用 exec 函数来运行 find 命令,但是我希望文件名作为一个字符串来发送客户端程序。我怎么能这么做?

Thanks for answers.

264666 次浏览

一个适用于符合 POSIX 的系统的示例:

/*
* This program displays the names of all files in the current directory.
*/


#include <dirent.h>
#include <stdio.h>


int main(void) {
DIR *d;
struct dirent *dir;
d = opendir(".");
if (d) {
while ((dir = readdir(d)) != NULL) {
printf("%s\n", dir->d_name);
}
closedir(d);
}
return(0);
}

注意,这种操作依赖于 C 语言中的平台。

资料来源: http://faq.cprogramming.com/cgi-bin/smartfaq.cgi?answer=1046380353&id=1044780608

JB Jansen 的回答的一个小小的补充——在 readdir()的主循环中,我要添加以下内容:

  if (dir->d_type == DT_REG)
{
printf("%s\n", dir->d_name);
}

只是检查它是否是真正的文件,而不是(系统)链接,目录,或任何东西。

注意: 更多关于 libc文档中的 struct dirent

Here is a complete program how to recursively list folder's contents:

#include <dirent.h>
#include <stdio.h>
#include <string.h>


#define NORMAL_COLOR  "\x1B[0m"
#define GREEN  "\x1B[32m"
#define BLUE  "\x1B[34m"






/* let us make a recursive function to print the content of a given folder */


void show_dir_content(char * path)
{
DIR * d = opendir(path); // open the path
if(d==NULL) return; // if was not able, return
struct dirent * dir; // for the directory entries
while ((dir = readdir(d)) != NULL) // if we were able to read somehting from the directory
{
if(dir-> d_type != DT_DIR) // if the type is not directory just print it with blue color
printf("%s%s\n",BLUE, dir->d_name);
else
if(dir -> d_type == DT_DIR && strcmp(dir->d_name,".")!=0 && strcmp(dir->d_name,"..")!=0 ) // if it is a directory
{
printf("%s%s\n",GREEN, dir->d_name); // print its name in green
char d_path[255]; // here I am using sprintf which is safer than strcat
sprintf(d_path, "%s/%s", path, dir->d_name);
show_dir_content(d_path); // recall with the new path
}
}
closedir(d); // finally close the directory
}


int main(int argc, char **argv)
{
printf("%s\n", NORMAL_COLOR);
show_dir_content(argv[1]);
printf("%s\n", NORMAL_COLOR);
return(0);
}

下面的代码将只打印目录中的文件,并在遍历时排除给定目录中的目录。

#include <dirent.h>
#include <stdio.h>
#include <errno.h>
#include <sys/stat.h>
#include<string.h>
int main(void)
{
DIR *d;
struct dirent *dir;
char path[1000]="/home/joy/Downloads";
d = opendir(path);
char full_path[1000];
if (d)
{
while ((dir = readdir(d)) != NULL)
{
//Condition to check regular file.
if(dir->d_type==DT_REG){
full_path[0]='\0';
strcat(full_path,path);
strcat(full_path,"/");
strcat(full_path,dir->d_name);
printf("%s\n",full_path);
}
}
closedir(d);
}
return(0);
}