0

好吧,我有那个代码:

for (int x = 0; x<(worldWidth-1); x++) {
    for (int y = 0; y<(worldHeight-1); y++) {
        sf::Texture texture;
        if (!texture.loadFromFile("images/blocks/" + ruta(mapa[y][x]) + ".png"))
        return -1;

        sf::RectangleShape rectCaja(sf::Vector2f(16, 16));
        rectCaja.setPosition(sf::Vector2f(x*16, y*16));
        rectCaja.setTexture(&texture);
        window.draw(rectCaja);
    }
}

打印盒子(16 * 16像素),这是游戏中的“块”问题是它不打印任何块,它直接崩溃我不知道为什么:/

我知道(通过控制台测试)数组“mapa”没有错......所以我唯一的解释是 ruta 函数不能正常工作......(我已经用 std::string var 对其进行了测试=“污垢”;它工作正常)...:/

std::string ruta(char id) {

if (id=='0') return "air";
if (id=='1') return "stone";
if (id=='2') return "dirt";
if (id=='3') return "grass_side";
if (id=='4') return "coal_ore";

}

如果有人想要保持代码有: http: //pastebin.com/5jvbzwkR

谢谢!:P

4

3 回答 3

1

只是猜测,因为没有足够的信息可以确定,但这可能是答案

std::string ruta(int id) {

if (id==0) return "air";
if (id==1) return "stone";
if (id==2) return "dirt";
if (id==3) return "grass_side";
if (id==4) return "coal_ore";

}

在 C++ 中,您必须注意类型,并了解例如 anint和 a之间的区别char。值为 '3' 的 char 与值为 3 的 an int 不同。

于 2013-09-20T20:24:45.607 回答
1

我立即看到的一个问题是您将 aint与 a进行比较char。考虑:

std::string ruta(int id)
{
    switch( id )
    {
    case 0:
        return "air";
    case 1:
        return "stone";
    case 2:
        return "dirt";
    case 3:
        return "grass_side";
    case 4:
        return "coal_ore";
    }
}
于 2013-09-20T20:25:33.153 回答
1

这是您的场景声明:

int scene[worldWidth][worldHeight]; 

以下是填充场景的方法:

while (!finished) {
    if (yPos >= topOfTheWorld) {
        scene[xPos][yPos] = 1;
    } 
    else if(yPos < topOfTheWorld) {
        scene[xPos][yPos] = 0;
    }

    //etc...
}

以下是您写入 mapa.txt 的方式:

std::ofstream output("mapa.txt");
for(int y=0;y<worldHeight;y++) {
    for(int x=0;x<worldWidth;x++) {
        output<<scene[x][y];

        if(x<(worldWidth-1)){output<<",";}
    }
    if(y<(worldHeight-1)){output<<std::endl;}
}

基本上,这一切都意味着您将数值 0 和 1 写入 mapa.txt,而不是字符值 '0' 和 '1'。然而,在你的 ruta 函数中,你与“0”和“1”进行比较。您应该与不带单引号 (') 的 0 和 1 进行比较。

于 2013-09-20T21:03:12.247 回答