1 C++将文本文件一次性读取到std::string的方法

包含头文件:

#include <fstream> 
#include <iostream>

读取代码如下:

std::ifstream in("test.txt", std::ios::in);
std::istreambuf_iterator<char> beg(in), end;
std::string strdata(beg, end);
in.close();

strdata即为存储该文本文件所有内容的string。

该方法只有四行代码即可完成文本文件的读取,不需要再一行一行的读了!

2 使用文件流的方式

#include <iostream>
#include <fstream>


std::string ReadFileToString(const std::string& file_path)
{
    int fileLength = 0;
    std::ifstream inFile(file_path, std::ios::binary);
    if (!inFile.is_open())
    {
        inFile.close();
    }

    // 跳到文件尾
    inFile.seekg(0, std::ios::end);

    // 获取字节长度
    fileLength = inFile.tellg();

    // 跳到文件开头
    inFile.seekg(0, std::ios::beg);

    char* buffer = new char[fileLength];

    // 读取文件
    inFile.read(buffer, fileLength);

    std::string result_str(buffer, fileLength);

    delete[] buffer;

    inFile.close();

    return result_str;
}


int main()
{
    std::cout << "读取的文件内容为:" << ReadFileToString("helloworld.txt") << std::endl;

    return 0;
}