Count files with a specific extension in directories and subdirectories C++

884 Views Asked by At

For Example: .txt

C:\Duck\aa.txt
C:\Duck\Dog\Pig\cc.txt
C:\Duck\Dog\kk.txt
C:\Duck\Cat\zz.txt
C:\xx.txt

Return 5

3

There are 3 best solutions below

0
On

You must use opendir() and readdir().

Example:

DIR *dir = opendir("."); // current dir
if (dir == NULL) {
  perror("opendir: .");
  return 1;
}

struct dirent *dirent;
while ((dirent = readdir(dir)) != NULL) {
  printf("%s\n", dirent->d_name);
}

closedir(dir);
0
On

Please try it.

#include <sys/types.h>
#include <dirent.h>
#include <stdio.h>
#include <string.h>
int count = 0;
void listdir(const char *name, int level)
{

    DIR *dir;
    struct dirent *entry;
    if (!(dir = opendir(name)))
        return;
    if (!(entry = readdir(dir)))
        return;

    do {
        if (entry->d_type == DT_DIR) {
            char path[1024];
            int len = snprintf(path, sizeof(path)-1, "%s/%s", name, entry->d_name);
            path[len] = 0;
            if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0)
                continue;
            listdir(path, level + 1);
        }
        else {
            const char *ext = strrchr(entry->d_name,'.');
            if((!ext) || (ext == entry->d_name))
                ;
            else {
                if(strcmp(ext, ".txt") == 0) {
                    printf("%*s- %s\n", level * 2, "", entry->d_name);
                    count++;
                }
            }

        }
    } while (entry = readdir(dir));
    closedir(dir);

}

int main(void)
{
    listdir(".", 0);
    printf("There are %d .txt files in this directory and its subdirectories\n", count);
    return 0;
}

Test

./a.out
- hi.txt
- payfile.txt
- csis.txt
- CMakeCache.txt
- text.txt
- sorted.txt
- CMakeLists.txt
- ddd.txt
- duom.txt
- output.txt
      - mmap_datafile.txt
      - file_datafile.txt
  - CMakeLists.txt
    - link.txt
  - TargetDirectories.txt
There are 15 .txt files in this directory and its subdirectories
1
On

Thank you all for the answers, the code you had tried:

WIN32_FIND_DATA fdata;
int counter = 0;
if (HANDLE first = FindFirstFile(L"C:\\duck\\*.txt", &fdata))
{
    counter++;
    do 
    {
        counter++;
    } while (FindNextFile(first, &fdata));
}

But as you can see by the same, I did not get the result I was looking for, which was to include the subdirectories. Thanks to "Dac Saunders" and to all the others, it helped a lot.