【发布时间】:2010-03-07 02:58:36
【问题描述】:
我有一个 2884765579 字节的文件。使用此函数进行双重检查,返回该数字:
size_t GetSize() {
const size_t current_position = mFile.tellg();
mFile.seekg(0, std::ios::end);
const size_t ret = mFile.tellg();
mFile.seekg(current_position);
return ret;
}
然后我会这样做:
mFile.seekg(pos, std::ios::beg);
// pos = 2883426827, which is < than the file size, 2884765579
这会设置故障位。 errno 没有改变。我可以采取哪些步骤来解决此问题?
我绝对肯定:
- 文件大小真的是2884765579
-
pos真的是 2884765579 - 在.seekg()之前没有设置failbit
- failbit 是在 .seekg() 之后设置的,中间没有其他调用
- 文件以二进制标志打开
编辑:以防万一有人遇到同样的问题.. 使用我编写的这段代码(仅适用于 Windows),减少您的麻烦:
class BinaryIFile
{
public:
BinaryIFile(const string& path) : mPath(path), mFileSize(0) {
mFile = open(path.c_str(), O_RDONLY | O_BINARY);
if (mFile == -1)
FATAL(format("Cannot open %s: %s") % path.c_str() % strerror(errno));
}
~BinaryIFile() {
if (mFile != -1)
close(mFile);
}
string GetPath() const { return mPath; }
int64 GetSize() {
if (mFileSize)
return mFileSize;
const int64 current_position = _telli64(mFile);
_lseeki64(mFile, 0, SEEK_END);
mFileSize = _telli64(mFile);
_lseeki64(mFile, current_position, SEEK_SET);
return mFileSize;
}
int64 Read64() { return _Read<int64>(); }
int32 Read32() { return _Read<int32>(); }
int16 Read16() { return _Read<int16>(); }
int8 Read8() { return _Read<int8>(); }
float ReadFloat() { return _Read<float>(); }
double ReadDouble() { return _Read<double>(); }
void Skip(int64 bytes) { _lseeki64(mFile, bytes, SEEK_CUR); }
void Seek(int64 pos) { _lseeki64(mFile, pos, SEEK_SET); }
int64 Tell() { return _telli64(mFile); }
template <class T>
T Read() { return _Read<T>(); }
void Read(char *to, size_t size) {
const int ret = read(mFile, (void *)to, size);
if ((int)size != ret)
FATAL(format("Read error: attempted to read %d bytes, read() returned %d, errno: %s [we are at offset %d, file size is %d]") % size % ret % strerror(errno) % Tell() % GetSize());
}
template <class T>
BinaryIFile& operator>>(T& val) { val = _Read<T>(); return *this; }
private:
const string mPath;
int mFile;
int64 mFileSize;
template <class T>
T _Read() { T ret; if (sizeof(ret) != read(mFile, (void *)&ret, sizeof(ret))) FATAL("Read error"); return ret; }
};
【问题讨论】:
-
现在真正的问题变成了:如何在 Windows 上获得 64 位文件位置(除了切换到 64 位操作系统)。抱歉,我帮不上忙。
-
是的,那是你的问题。带有一个参数的
seekg带有一个streampos参数,带有两个参数的seekg带有一个streamoff参数。后者必须签名。
标签: c++ windows iostream seekg