我有一个Rectangle
如下所示的课程:
标题:
class Rectangle: public Polygon {
private:
float _width, _height;
public:
Rectangle(float width, float height);
float getWidth(float* width) const;
float getHeight(float* height) const;
bool isCollidingWith(Rectangle* other) const;
};
选定的实施:
Rectangle::Rectangle(float width, float height) : Polygon(explodeRect(width, height, new struct vertex[4]), 4) {
printf("creating rect %f x %f\n", width, height);
_width = width;
_height = height;
printf("set _width to %f\n", _width);
}
float Rectangle::getWidth(float* width) const {
printf("_w: %f\n", _width);
*width = _width;
return *width;
//return (*width = _width);
}
float Rectangle::getHeight(float* height) const {
return (*height = _height);
}
我初始化了一个Rectangle
类的实例,输出表明_width
变量被正确分配了。但是,当我稍后尝试使用该方法读取变量时,我在行上getWidth
得到一个错误:EXC_BAD_ACCESS
printf("_w: %f\n", _width);
为什么我不能再读取这个变量?我对_height
变量也有同样的问题。
编辑:我还想指出,如果我跳过读取宽度,尝试直接从对象读取公共变量时会出错,例如,当我尝试使用obj->x
.
编辑 2:这可能是因为该对象是 的子类的实例Rectangle
,并且该子类是在不同的文件中定义的Rectangle
吗?我也在从第三个文件中读取值。
编辑 3:下面有更多代码。
我正在尝试使用 OpenGL 重新创建俄罗斯方块。在我的display
方法中,我有这个代码来绘制矩形:
if(fallingBlock != nullptr) {
printf("drawing falling block at (%f, %f)\n", fallingBlock->x, fallingBlock->y);
draw(fallingBlock);
}
fallingBlock
在我的文件顶部定义为全局变量:
Block* fallingBlock;
从 my main
,我调用一个initVars
方法,该方法随后调用一个startDroppingBlock
方法。这里是:
void startDroppingBlock() {
Block* block = availableBlocks[random() % numAvailableBlocks].copy();
block->x = 0.5;
block->y = SCREEN_TOP;
block->dy = -0.01f;
//printf("copied block is at (%f, %f)\n", block->x, block->y);
fallingBlock = block;
}
这是我的块绘制方法:
void draw(Block* obj) {
bool shape[3][3];
obj->getShape(shape);
//printf("got shape: {%d, %d, %d}, {%d, %d, %d}, {%d, %d, %d}\n", shape[0][0], shape[0][1], shape[0][2], shape[1][0], shape[1][1], shape[1][2], shape[2][0], shape[2][1], shape[2][2]);
/*float pieceWidth;
obj->getWidth(&pieceWidth);
pieceWidth /= 3.0f;*/
float pieceWidth = obj->getWidth();
for(unsigned int i=0; i<3; i++) {
for(unsigned int j=0; j<3; j++) {
if(shape[i][j]) {
Square rect = Square(pieceWidth);
rect.x = obj->x + pieceWidth * j;
rect.y = obj->y + pieceWidth * i;
rect.color = obj->color;
draw(&rect);
}
}
}
}