在文件中写入和读取对象

问题描述 投票:0回答:1

我有一个具有两个std :: string属性的类User。当我尝试从文件中读取它时,我从第222行的uxitility获得了异常:(*_Pnext)->_Myproxy = nullptr;它发生在函数isUserInFile()之后

我的一些代码:

Class User {
protected:
    std::string login;
    std::string password;
public:
    friend std::istream&operator>>(std::istream&in, User &obj) {
        //std::cout << "Логин: "; //"Login: "
        in >> obj.login;
        //std::cout << "Пароль: "; //"Password: "
        in >> obj.password;
        return in;
    }
    friend std::ostream&operator<<(std::ostream&out, User&obj) {
        out << obj.login << " " << obj.password;
        return out;
    }
    void encrypt() {
        char key[3] = { 'K','E','Y' };
        std::string buf = password;
        for (int i = 0; i < buf.size(); i++)
            buf[i] = password[i] ^ key[i % (sizeof(key) / sizeof(char))];
        password = buf;
        //buf.clear();
    }
    bool isUserInFile() {
        User user;
        std::ifstream file;
        file.open("Users.txt");
        while (!file.eof() && file.read((char*)&user, sizeof(User)))
            if (login == user.login) {
                file.close();
                return true;
            }
        file.close();
        return false;
    }
};
bool registration() {
    User user;
    std::fstream file;
    file.open("Users.txt", std::ios::in | std::ios::out | std::ios::app);
    std::cout << "Регистрация:\n"; //"Registration:\n"
    std::cin >> user;
    user.encrypt();
    if (!user.isUserInFile()) {
            file.write((char*)&user, sizeof(User));
        file.close();
        return true;
    }
    std::cout << "Пользователь с данным логином уже существует\n"; //"User with this login already exists\n"
    file.close();
    system("pause");
    return false;
}
c++ file object fstream stdstring
1个回答
1
投票

评论的方向正确,以显示问题所在。但是解决方案要简单得多,你已经有了你的流操作符,所以只需使用它们!

要写入文件,您可以使用:

file << user << std::endl;

然后简单地读你:

file >> user;

为了保持工作,你需要一些东西:

  1. 用户不应在密码中的任何位置输入空白区域。
  2. 您需要确保始终以相同的顺序完成写入和读取。

或者,您可以创建从字符串到字符串的转换:

static const char SEP1 = ' ', SEP2 = '\r';
friend std::string to_string(const User& u)
{
  std::string result = u.login + SEP1 + u.password + SEP2;
  return result;
}
explicit User(std::string line)
{
  size_t pos1 = s.find(SEP1);
  size_t pos2 = s.find(SEP2, pos1);
  login = s.substr(0, pos1);
  password = s.substr(pos1+1, pos2-pos1);
}

然后,您可以在主体中读取数据块并简单地从中构造用户,或者您可以在写入之前将用户转换为字符串。这种方法的一个优点是你选择了分隔符,它们在函数之间是稳定的。

© www.soinside.com 2019 - 2024. All rights reserved.