1

“块.h”

enum BlockType
{
    BlockType_Default = 0,
    BlockType_Grass,
};

class Block
{
public:
    Block();
    ~Block();

    bool IsActive();
    void SetActive(bool activeParameter);
private:
    bool active;
    BlockType m_blockType;
};

“块.cpp”

#include "block.h"

Block::Block()
{
    m_blockType = BlockType_Grass;
    active = true;
}

Block::~Block()
{

}

bool Block::IsActive()
{

     return active;
}

void Block::SetActive(bool activeParameter)
{
    active = activeParameter;
}

这是我的课。现在我的问题是当我运行程序并调用该函数时,我在检查是否为真的行上IsActive();出现错误。从我读到的是如果变量不存在则返回的内容。我的代码有什么问题?EXC_BAD_ACCESS (code=1, address = 0x0)active

这是我调用函数 main.cpp 的地方

Block* m_pBlocks[32][32][32];

void main()
{
    for(int x = 0; x < 32; x++)
    {
        for(int y = 0; y < 32; y++)
        {
            for(int z = 0; z < 32; z++)
            {
                printf("x:%d y:%d z:%d",x,y,z);
                if(m_pBlocks[x][y][z]->IsActive())
                {
                    //DisplayBlock
                }
            }
        }
    }


}
4

1 回答 1

2

这个说法

Block* m_pBlocks[32][32][32];

定义 32 x 32 x 32 NULL 指针。因此,当您在这些 NULL 指针上尝试 -> 时,它会失败。

您要么需要创建块,要么分配它们:

Block m_pBlocks[32][32][32];

Block* m_pBlocks[32][32][32];
m_pBlocks[x][y][z] = new Block;
于 2013-05-26T03:26:50.510 回答