0

我想分配内存以便在我的 C++ 程序中读取(整个)非常大的文件(15-25 Gb)。我使用off64_ttype 来获取要读取的文件的开始和结束位置,这些位置是使用 function 从我的文件中获取的ftello64。我现在想在一个名为 size 的变量中获取两者之间的差异,然后将其分配给一个 char 数组。然而,尽管编译成功,我的代码还是不能正常工作。我试过size = (off64_t)(end_of_mem-start_of_mem);wherestart_of_memend_of_memare both off64_tnumbers 但是当我运行我的程序时,输出是

Starting position in memory (start_of_mem):152757
Ending position in memory (end_of_mem):15808475159
Size: -1371546782

我应该使用什么变体类型来做到这一点?提前感谢您的帮助和建议。

4

1 回答 1

2

您正在经历从 64 位到 32 位的 int 向下转换的副作用。

看看下面的实验:

#include <cstdint>
#include <iostream>
int main(){
  int64_t int64 = 15808475159 - 152757;
  int32_t int32 = int64;

  std::cout << "int64_t: " << int64 << "\n";
  std::cout << "int32_t: " << int32 << "\n";
}

输出:

int64_t: 15808322402
int32_t: -1371546782

问题是结果15808475159 - 152757大于 32 位整数的范围。因此,由于溢出,它会被截断(或 mod 2^32)。然后因为它被声明为带符号的 32 位,它显然落入了负面的解释范围。

于 2013-09-05T11:17:35.473 回答