我搜索了一个类似的帖子,但找不到可以帮助我的东西。
我正在尝试首先编写包含String字符串长度的整数,然后将该字符串写入二进制文件中。
然而,当我从二进制文件中读取数据时,我读取值为0的整数,并且我的字符串包含垃圾。
例如,当我为用户名输入'asdfgh'而为密码输入'qwerty100'时 我得到两个字符串长度为0,0然后我从文件中读取垃圾。
这是我将数据写入文件的方式。
std::fstream file;
file.open("filename",std::ios::out | std::ios::binary | std::ios::trunc );
Account x;
x.createAccount();
int usernameLength= x.getusername().size()+1; //+1 for null terminator
int passwordLength=x.getpassword().size()+1;
file.write(reinterpret_cast<const char *>(&usernameLength),sizeof(int));
file.write(x.getusername().c_str(),usernameLength);
file.write(reinterpret_cast<const char *>(&passwordLength),sizeof(int));
file.write(x.getpassword().c_str(),passwordLength);
file.close();
在同一功能下面我读取数据
file.open("filename",std::ios::binary | std::ios::in );
char username[51];
char password[51];
char intBuffer[4];
file.read(intBuffer,sizeof(int));
file.read(username,atoi(intBuffer));
std::cout << atoi(intBuffer) << std::endl;
file.read(intBuffer,sizeof(int));
std::cout << atoi(intBuffer) << std::endl;
file.read(password,atoi(intBuffer));
std::cout << username << std::endl;
std::cout << password << std::endl;
file.close();
答案 0 :(得分:1)
回读数据时,您应该执行以下操作:
int result;
file.read(reinterpret_cast<char*>(&result), sizeof(int));
这将直接将字节读入result
的内存,而不会隐式转换为int。这将首先恢复写入文件的确切二进制模式,从而恢复原始int
值。
答案 1 :(得分:0)
file.write(reinterpret_cast<const char *>(&usernameLength),sizeof(int));
这将从&amp; usernameLength写入sizeof(int)字节;这是整数的二进制表示,取决于计算机体系结构(little endian vs big endian)。
atoi(intBuffer))
这会将ascii转换为整数并期望输入包含字符表示。例如intBuffer = {'1','2'} - 将返回12.
您可以尝试以与撰写相同的方式阅读它 -
*(reinterpret_cast<int *>(&intBuffer))
但它可能会导致未对齐的内存访问问题。更好地使用像JSON这样的序列化格式,这将有助于以跨平台的方式阅读它。