如何在C ++中一个一个地调用目录中的txt文件

how to call txt files from a directory one by one in c++

我知道我的 \data 目录中的文件数 (n)。我想做这样的事情:

#include <string>
#include <fstream>
ifstream myFile; 
string filename;
for(int i=0;i<n;i++)
{
    filename=//call i'th file from the \data directory
    myFile.open(filename);
    //do stuff
    myFile.close();
}   

我该怎么做?

处理目录不是 C++ 标准库的一部分。您可以使用依赖于平台的 API(例如 dirent.h on POSIX)或围绕它们的包装器,例如boost::filesystem.

如果您像我在这里那样使用 do-while,您会找到带有 FindFirstFile 的第一个文件,然后通读它们直到 运行 超出 .txt 文件。不过,我不确定 do-while 是否一定是最有效的方法。

    #include <windows.h>
    #include <iostream>
    #include <fstream>
    #include <string>
    #include <cstdlib>

    using namespace std;

    int main()
    {
        string path = "c:\data\";
        string searchPattern = "*.txt";
        string fullSearchPath = path + searchPattern;

        WIN32_FIND_DATA FindData;
        HANDLE hFind;

        hFind = FindFirstFile( fullSearchPath.c_str(), &FindData );

        if( hFind == INVALID_HANDLE_VALUE )
        {
            cout << "Error searching data directory\n";
            return -1;
        }

        do
        {
            string filePath = path + FindData.cFileName;
            ifstream in( filePath.c_str() );
            if( in )
            {
                // do stuff
            }
            else
            {
                cout << "Problem opening file from data" << FindData.cFileName << "\n";
            }
        }
        while( FindNextFile(hFind, &FindData) > 0 );

        if( GetLastError() != ERROR_NO_MORE_FILES )
        {
            cout << "Something went wrong during searching\n";
        }

        system("pause");
        return 0;
    }
`