当我尝试将文件读取到缓冲区时,它总是将随机字符附加到缓冲区的末尾。
char* thefile;
std::streampos size;
std::fstream file(_file, std::ios::in | std::ios::ate);
if (file.is_open())
{
size = file.tellg();
std::cout << "size: " << size;
thefile = new char[size]{0};
file.seekg(0, std::ios::beg);
file.read(thefile, size);
std::cout << thefile;
}
int x = 0;
虽然我文件中的原始文字是:“你好” 输出变为:“helloýýýý«««««««««þîþîþ”
有人可以帮我解决这里发生的事情吗?感谢
答案 0 :(得分:4)
来自C ++文档:http://cplusplus.com/reference/istream/istream/read
&#34;此函数只是复制一个数据块,而不检查其内容,也不会在结尾附加空字符。&#34;
所以你的字符串错过了尾随的空字符,表示字符串的结尾。在这种情况下,cout
将继续打印内存中超出thefile
的字符。
在字符串的末尾添加'\0'
。
答案 1 :(得分:1)
如果文件未以ios::binary
模式打开,则您无法假设tellg()
返回的位置将为您提供您将阅读的字符数。文本模式操作可以对流执行一些转换(f.ex:在Windows上,它将在“\ n”中转换文件中的“\ r \ n”,因此您可能会发现大小为2但只读1)
无论如何,read()
不会添加空终止符。
最后,由于必须添加的null终止符,您必须再分配一个字符,而不是您期望的大小。否则,添加缓冲区时会出现缓冲区溢出的风险。
您应该使用read验证有多少个字符gcount()
,并相应地为字符串设置一个空终结符。
thefile = new char[size + 1]{0}; // one more for the trailing null
file.seekg(0, std::ios::beg);
if (file.read(thefile, size))
thefile[size]=0; // successfull read: all size chars were read
else thefile[file.gcount()]=0; // or less chars were read due to text mode
答案 2 :(得分:-1)
这是阅读您的收藏品的更好方式:
#include <vector>
#include <fstream>
#include <iostream>
#include <sstream>
#include <string>
#include <cstdint>
#include <iterator>
template<class T>
void Write(std::string const & path, T const & value, std::ios_base::openmode mode)
{
if (auto stream = std::ofstream(path, mode))
{
Write(stream, value);
stream.close();
}
else
{
throw std::runtime_error("failed to create/open stream");
}
}
template<class T>
void Write(std::ostream & stream, T const & value)
{
std::copy(value.begin(), value.end(), std::ostreambuf_iterator<char>(stream));
if (!stream)
{
throw std::runtime_error("failed to write");
}
}
template<class T>
void Read(std::istream & stream, T & output)
{
auto eof = std::istreambuf_iterator<char>();
output = T(std::istreambuf_iterator<char>(stream), eof);
if(!stream)
{
throw std::runtime_error("failed to read stream");
}
}
template<class T>
void Read(std::string const & path, T & output)
{
if (auto stream = std::ifstream(path, std::ios::in | std::ios::binary))
{
Read(stream, output);
stream.close();
}
else
{
throw std::runtime_error("failed to create stream");
}
}
int main(void)
{
// Write and read back text.
{
auto const s = std::string("I'm going to write this string to a file");
Write("temp.txt", s, std::ios_base::trunc | std::ios_base::out);
auto t = std::string();
Read("temp.txt", t);
}
// Write and read back a set of ints.
{
auto const v1 = std::vector<int>() = { 10, 20, 30, 40, 50 };
Write("temp.txt", v1, std::ios_base::trunc | std::ios_base::out | std::ios_base::binary);
auto v2 = std::vector<int>();
Read("temp.txt", v2);
}
return 0;
}
传入一个可迭代的容器,而不是使用“new”。