用C ++编写/读取文件

时间:2014-05-01 14:06:04

标签: c++ serialization fstream ifstream ofstream

我创建了一个简单的程序,它将对象写入文件,然后读回写入文件的内容。我的问题是,当我写入文件时,不需要的值被写入文件,当我检索数据时,这些值也会被检索,这是我不想要的。

这就是我所做的:

文件处理实施

//File Handling class Implementation
File::File(){}

string File::writeObject(Person obj)
{
    ofstream outFile("myFile.txt", ios::out);

    if( !outFile ) {
        cout << "No File" << endl;
    }

    outFile.write( reinterpret_cast<const char *> (&obj), sizeof(obj) );
    return "Done";
}

Person.H:

//Person.H
class Person {
    private: string name;
    public: Person();
    public: void setName(string name);
    public: string getName();   
};

主要实施:     使用namespace std;

int main( int argc, char* argv[] )
{
    Person p1;
    p1.setName("Shehan");

    File f1;

    cout << f1.writeObject(p1) << endl; //writes to the file

    ifstream readFile("myfile.txt",ios::in); creates object to read from file

    string name; // creates variable to hold the value
    readFile >> name; reads from file

    cout << name << endl; //prints the value
    system("pause");

    return 0;
}

我认为只有&#34; shehan&#34;应该写入文件,但写入文件的是:

0ÂÒ Shehan ÌÌÌÌÌ'þ¨

当我再次阅读时:

enter image description here

这里似乎有什么问题?

1 个答案:

答案 0 :(得分:3)

这里发生的是您没有格式化输出。 必须以某种方式格式化所有输出,以确保 你可以重读它;只是从内存中复制位模式 是没用的。

处理此问题的通常方法是定义运算符 为您的班级<<(以及运营商>>,以便阅读)。 该运算符将输出该的所有单个元素 class,带有适当的分隔符,以便您可以确定 当你阅读时,一个结束,另一个结束。如果,为 例如,我们举一个简单的例子:

class Person
{
    std::string name;
    int age;
public:
    //  ...
    friend std::ostream& operator<<( std::ostream& dest, Person const& obj )
    {
        dest << '"' << name << '"' << age;
        return dest;
    }

    friend std::istream& operator>>( std::istream& source, Person& obj )
    {
        char ch;
        source >> ch;
        if ( ch != '"' ) {
            source.setstate( std::ios_base::failbit );
        }
        std::string name;
        while ( source.get( ch ) && ch != '"' ) {
            name += ch;
        }
        if ( ch != '"' ) {
            source.setstate( std::ios_base::failbit );
        }
        int age;
        source >> age;
        if ( source ) {
            obj = Person( name, age );
        }
        return source;
    }
};

您会注意到输入比输出困难得多。 在输出时,你知道你得到了什么(因为C ++ 类型系统,以及您自己的类不变量验证)。 输入时,您永远不知道用户将要提供什么 你,所以你必须检查所有可能性。 (你可能会, 例如,想要禁止其他字符 名称中有'\n'。只需将它们添加到测试中即可 while。)