Is there a cross-platform C / C ++ library for finding files? (on the hard drive)

Is there a cross-platform C \ C ++ lib for finding files? (on the hard disk) What I need is simple - you can find all the images on the user's computer in all folders and subfolders using sise> = 200kb.

How to do it? Can someone help me? You are welcome.

+3
source share
2 answers

Boost.Filesystem- a great library. Here is the code I wrote earlier, you can easily change the search criteria as soon as you recognize the library (you can request the size and extension):

#include <iostream>
#include <string>
#include <vector>
#include <boost/filesystem.hpp>

using namespace std;
using namespace boost::filesystem;

void find_file(const path& root, const string& file_name, vector<path>& found_files)
{
        directory_iterator current_file(root), end_file;
        bool found_file_in_dir = false;
        for( ; current_file != end_file; ++current_file)
        {
                if( is_directory(current_file->status()) )
                        find_file(*current_file, file_name, found_files);
                if( !found_file_in_dir && current_file->leaf() == file_name )
                {
                        // Now we have found a file with the specified name,
                        // which means that there are no more files with the same
                        // name in the __same__ directory. What we have to do next,
                        // is to look for sub directories only, without checking other files.
                        found_files.push_back(*current_file);
                        found_file_in_dir = true;
                }
        }
}

int main()
{
        string file_name;
        string root_path;
        vector<path> found_files;

        std::cout << root_path;
        cout << "Please enter the name of the file to be found(with extension): ";
        cin >> file_name;
        cout << "Please enter the starting path of the search: ";
        cin >> root_path;
        cout << endl;

        find_file(root_path, file_name, found_files);
        for( std::size_t i = 0; i < found_files.size(); ++i)
                cout << found_files[i] << endl;
}
+6
source

Source: https://habr.com/ru/post/1748938/


All Articles