How to count the number of files in a directory using standard?

前端 未结 3 1507
时光说笑
时光说笑 2021-01-01 21:30

The new standard expected for 2017 adds std::filesystem. Using it, how can I count the number of files (including sub-directories) in a directory?

I kno

相关标签:
3条回答
  • 2021-01-01 22:02
    std::size_t number_of_files_in_directory(std::filesystem::path path)
    {
        return (std::size_t)std::distance(std::filesystem::directory_iterator{path}, std::filesystem::directory_iterator{});
    }
    

    There is no function to find out how many files are in a directory, only functions to iterate over it. The OS only has functions like readdir(), ftw(), FindFirstFileW() so the standard cannot offer a better way.

    (On the plus side that allows you to decide whether to, or how deep into, recurse into subdirectories)

    0 讨论(0)
  • 2021-01-01 22:07

    If you are using Visual Studio 17 you need to use the following namespace.

    namespace fs = std::experimental::filesystem;
    

    Then you could probably use a function like this one.

    int Count() {
    int count=0;
    for (auto& p : fs::directory_iterator(dir)) {
        count++;
    
    }
        return count;
    }
    
    0 讨论(0)
  • 2021-01-01 22:10

    I do not think that a way to easily get amount of files in directory exist, but you can simplify your code by using std::distance instead of handwritten loop:

    std::size_t number_of_files_in_directory(std::filesystem::path path)
    {
        using std::filesystem::directory_iterator;
        return std::distance(directory_iterator(path), directory_iterator{});
    }
    

    You can get number of only actual files or apply any other filter by using count_if instead:

    std::size_t number_of_files_in_directory(std::filesystem::path path)
    {
        using std::filesystem::directory_iterator;
        using fp = bool (*)( const std::filesystem::path&);
        return std::count_if(directory_iterator(path), directory_iterator{}, (fp)std::filesystem::is_regular_file);
    }
    
    0 讨论(0)
提交回复
热议问题