我需要将整个文件读入内存,并将其放在c++ std::string中。

如果我要将它读入char[],答案将非常简单:

std::ifstream t;
int length;
t.open("file.txt");      // open input file
t.seekg(0, std::ios::end);    // go to the end
length = t.tellg();           // report location (this is the length)
t.seekg(0, std::ios::beg);    // go back to the beginning
buffer = new char[length];    // allocate memory for a buffer of appropriate dimension
t.read(buffer, length);       // read the whole file into the buffer
t.close();                    // close file handle

// ... Do stuff with buffer here ...

现在,我想做完全相同的事情,但使用std::string而不是char[]。我想避免循环,即我不想:

std::ifstream t;
t.open("file.txt");
std::string buffer;
std::string line;
while(t){
std::getline(t, line);
// ... Append line to buffer and go on
}
t.close()

什么好主意吗?


当前回答

你可能在任何书籍或网站上都找不到这个,但我发现它非常有效:

#include <fstream>
// ...
std::string file_content;
std::getline(std::ifstream("filename.txt"), file_content, '\0');

其他回答

你可能在任何书籍或网站上都找不到这个,但我发现它非常有效:

#include <fstream>
// ...
std::string file_content;
std::getline(std::ifstream("filename.txt"), file_content, '\0');

我可以这样做:

void readfile(const std::string &filepath,std::string &buffer){
    std::ifstream fin(filepath.c_str());
    getline(fin, buffer, char(-1));
    fin.close();
}

如果这是不受欢迎的,请告诉我原因

我认为如果没有显式或隐式循环,没有先读入char数组(或其他容器),然后构造字符串,就无法做到这一点。如果不需要字符串的其他功能,可以使用vector<char>,就像当前使用char *一样。

我认为最好的方法是使用字符串流。简单快捷!!

#include <fstream>
#include <iostream>
#include <sstream> //std::stringstream
int main() {
    std::ifstream inFile;
    inFile.open("inFileName"); //open the input file

    std::stringstream strStream;
    strStream << inFile.rdbuf(); //read the file
    std::string str = strStream.str(); //str holds the content of the file

    std::cout << str << "\n"; //you can do anything with the string!!!
}

更新:事实证明,这种方法虽然很好地遵循了STL习惯用法,但实际上效率非常低!不要对大文件这样做。(参见:http://insanecoding.blogspot.com/2011/11/how-to-read-in-file-in-c.html)

你可以从文件中创建一个streambuf迭代器,并用它初始化字符串:

#include <string>
#include <fstream>
#include <streambuf>

std::ifstream t("file.txt");
std::string str((std::istreambuf_iterator<char>(t)),
                 std::istreambuf_iterator<char>());

不确定你从哪里得到t.open("file.txt", "r")语法。据我所知,这不是一个std::ifstream的方法。看起来你把它和C的fopen搞混了。

编辑:还要注意字符串构造函数的第一个参数周围有额外的圆括号。这些都是必不可少的。它们防止了所谓的“最恼人的解析”问题,在这种情况下,它实际上不会像通常那样给你一个编译错误,但会给你一个有趣的(读作:错误)结果。

遵循KeithB在评论中的观点,这里有一种方法可以预先分配所有内存(而不是依赖于string类的自动重新分配):

#include <string>
#include <fstream>
#include <streambuf>

std::ifstream t("file.txt");
std::string str;

t.seekg(0, std::ios::end);   
str.reserve(t.tellg());
t.seekg(0, std::ios::beg);

str.assign((std::istreambuf_iterator<char>(t)),
            std::istreambuf_iterator<char>());