提取到文件重复信息

时间:2016-07-28 04:36:18

标签: c++ file c++11 posix stat

我想创建具有特定名称的文件。如果它已经存在,那么我想创建另一个文件,其名称附加一些数字。 例如,我想创建文件log.txt,但它已经存在。然后我将创建新文件log1.txtlog2.txtlog3.txt ....

有没有什么好方法可以记录文件复制信息?

1 个答案:

答案 0 :(得分:1)

只检查文件是否存在,如果是,请检查下一个,依此类推:

#include <sys/stat.h>
#include <iostream>
#include <fstream>
#include <string>

/**
 * Check if a file exists
 * @return true if and only if the file exists, false else
 */
bool fileExists(const std::string& file) {
    struct stat buf;
    return (stat(file.c_str(), &buf) == 0);
}

int main() {
        // Base name for our file
        std::string filename = "log.txt";
        // If the file exists...                   
        if(fileExists(filename)) {
                int i = 1;
                // construct the next filename
                filename = "log" + std::to_string(i) + ".txt";
                // and check again,
                // until you find a filename that doesn't exist
                while (fileExists(filename)) {
                        filename = "log" + std::to_string(++i) + ".txt";
                }
        }
        // 'filename' now holds a name for a file that
        // does not exist

        // open the file
        std::ofstream outfile(filename);
        // write 'foo' inside the file
        outfile << "foo\n";
        // close the file
        outfile.close();

        return 0;
}

将找到一个未获取的名称并创建一个具有该名称的文件,将'foo'写入其中,然后最终关闭该文件。

我受到here代码的启发。