1

在创建缓冲区时将我的程序从使用数组切换到向量的最近更改中,出现了一个完全不相关的问题。此切换涉及创建 astd::vector<std::vector<std::vector<GLfloat> > > terrainMap;而不是 a GLfloat[size+1][size+1][4] terrainMap。为了初始化 3-D 向量,我使用

 terrainMap.resize(size+1);
for (int i = 0; i < size+1; ++i) {
    terrainMap[i].resize(size+1);

    for (int j = 0; j < size+1; ++j)
      terrainMap[i][j].resize(4);
    }

这个“映射”是许多类的参数,它们修改内容作为程序的设置,void Terrain::Load(std::vector<std::vector<std::vector<GLfloat> > >& terrainMap,State &current){尽管这是奇怪的部分,但在为纹理创建完全不相关的位图时,会遇到断点并进一步导致堆损坏。这是图像加载的代码。

bmp = LoadBmp("dirt.jpg");

这延伸到...

Bitmap Object::LoadBmp(const char* filename) {
Bitmap bmp = Bitmap::bitmapFromFile(ResourcePath(filename));
bmp.flipVertically();
return bmp;
} 

此时 bmp 是正确的 1600 x 1600 大小,格式正确,RGB。然而,导致故障的原因如下。

Bitmap& Bitmap::operator = (const Bitmap& other) {
_set(other._width, other._height, other._format, other._pixels);
return *this;
}


void Bitmap::_set(unsigned width, 
              unsigned height, 
              Format format, 
              const unsigned char* pixels)
{
if(width == 0) throw std::runtime_error("Zero width bitmap");
if(height == 0) throw std::runtime_error("Zero height bitmap");
if(format <= 0 || format > 4) throw std::runtime_error("Invalid bitmap format");

_width = width;
_height = height;
_format = format;

size_t newSize = _width * _height * _format;
if(_pixels){
    _pixels = (unsigned char*)realloc(_pixels, newSize);
} else {
    _pixels = (unsigned char*)malloc(newSize);
}

if(pixels)
    memcpy(_pixels, pixels, newSize);
}

图像找到了_pixels = (unsigned char*)realloc(_pixels, newSize);_pixels 的内容指向不可读内存的路径。令我感到奇怪的是,将 3-D 数组更改为 3-D 矢量如何导致此问题。两者之间没有发生任何交互。任何帮助深表感谢。贝希米斯

4

1 回答 1

0

您需要将像素数据保存在一个连续的缓冲区中,这意味着您需要有一个 std::vector<GLfloat>大小_width * _height * _format而不是向量的向量。

使用vector而不是数组不会使您免于索引算术。它将使您免于像 Ed S. 在评论中指出的那样的内存泄漏。而且它可以让你完全摆脱你的赋值运算符,因为编译器提供的默认复制赋值(和移动赋值)运算符会很好用。

于 2013-05-19T04:32:49.027 回答