在C ++ 11/14中高效读取文件

时间:2015-08-25 19:18:54

标签: c++ c++11 c++14

我正在创建一个IOManager类,其中我有一个函数来读取文件并将其存储在缓冲区中。最有效的方法是什么?

我目前有两段代码:

bool IOManager::readFileToBuffer(std::string filePath, std::vector<unsigned char>& buffer) {
    std::ifstream file(filePath, std::ios::binary);
    if (file.fail()) {
        perror(filePath.c_str());
        return false;
    }

    //seek to the end
    file.seekg(0, std::ios::end);

    //Get the file size
    int fileSize = file.tellg();
    file.seekg(0, std::ios::beg);

    //Reduce the file size by any header bytes that might be present
    fileSize -= file.tellg();

    buffer.resize(fileSize);
    file.read((char *)&(buffer[0]), fileSize);
    file.close();

    return true;
}

bool IOManager::readFileToBuffer(std::string filePath, std::vector<char>& buffer) {

    std::ifstream file(filePath, std::ios::binary);

    if (file.fail()) {
        perror(filePath.c_str());
        return false;
    }

    // copies all data into buffer
    std::vector<char> prov(
        (std::istreambuf_iterator<char>(file)),
        (std::istreambuf_iterator<char>()));

    buffer = prov;

    file.close();

    return true;
}

哪一个更好?根据C ++ 11/14标准,这是最快速,最有效的方法吗?

1 个答案:

答案 0 :(得分:7)

我希望第一个版本比第二个版本更快。它将是一个单一的流调用,它将转换为单个(除非有信号)内核read()调用。

现在第二个版本在向量中存在潜在的多重新分配问题,但这可以通过首先保留适当大小的向量而不是从迭代器复制到它来解决。但更大的问题是它将转换为对read()函数的多次调用。