101

我想将std::string我从用户接受的变量写入文件。我尝试使用该write()方法并将其写入文件。但是当我打开文件时,我看到的是框而不是字符串。

该字符串只是一个可变长度的单个单词。std::string适合这个还是我应该使用字符数组什么的。

ofstream write;
std::string studentName, roll, studentPassword, filename;


public:

void studentRegister()
{
    cout<<"Enter roll number"<<endl;
    cin>>roll;
    cout<<"Enter your name"<<endl;
    cin>>studentName;
    cout<<"Enter password"<<endl;
    cin>>studentPassword;


    filename = roll + ".txt";
    write.open(filename.c_str(), ios::out | ios::binary);

    write.put(ch);
    write.seekp(3, ios::beg);

    write.write((char *)&studentPassword, sizeof(std::string));
    write.close();`
}
4

3 回答 3

143

您当前正在将string-object 中的二进制数据写入文件。这个二进制数据可能只包含一个指向实际数据的指针和一个表示字符串长度的整数。

如果您想写入文本文件,最好的方法可能是使用ofstream“输出文件流”。它的行为与 完全一样std::cout,但输出被写入文件。

以下示例从标准输入读取一个字符串,然后将该字符串写入文件output.txt

#include <fstream>
#include <string>
#include <iostream>

int main()
{
    std::string input;
    std::cin >> input;
    std::ofstream out("output.txt");
    out << input;
    out.close();
    return 0;
}

请注意,out.close()这里并不是绝对必要的:ofstream一旦out超出范围, 的解构器就可以为我们处理这个问题。

有关更多信息,请参阅 C++ 参考:http ://cplusplus.com/reference/fstream/ofstream/ofstream/

现在,如果您需要以二进制形式写入文件,您应该使用字符串中的实际数据来执行此操作。获取此数据的最简单方法是使用string::c_str(). 所以你可以使用:

write.write( studentPassword.c_str(), sizeof(char)*studentPassword.size() );
于 2013-03-13T14:31:04.627 回答
27

假设您使用 astd::ofstream写入文件,以下代码段将以std::string人类可读的形式写入文件:

std::ofstream file("filename");
std::string my_string = "Hello text in file\n";
file << my_string;
于 2013-03-13T14:31:34.407 回答
0

ios::binary从您的 ofstream 中的模式中删除并使用而studentPassword.c_str()不是(char *)&studentPassword在您的write.write()

于 2013-10-15T21:13:40.477 回答