1

我正在用 C++ 实现一些非常基本的平台物理,用于一个简单的基于平铺的平台游戏。我正在尽可能地遵循这里的算法(https://gamedev.stackexchange.com/questions/18302/2d-platformer-collisions),但我仍然遇到玩家在瓷砖上弹跳的奇怪故障。我不确定发生了什么。代码是使用 SDL 的 C++

void Player::update(vector< vector<Tile> > map) {
vector<Tile> collidingTiles;

x += xVel;
y += yVel;

boundingBox = Rect(x,y,16,16);

for(int iy=0;iy<MAPH;iy++) {
    for(int ix=0;ix<MAPW;ix++) {
        if (map[ix][iy].solid == true) {
            if (boundingBox.collide(map[ix][iy].boundingBox)) {
                collidingTiles.push_back(map[ix][iy]); // store all colliding tiles, will be used later
                Rect intersectingRect = map[ix][iy].boundingBox; // copy the intersecting rect
                float xOffset = x-intersectingRect.x; // calculate x-axis offset
                float yOffset = y-intersectingRect.y; //calculate y-axis offset
                if (abs(xOffset) < abs(yOffset)) {
                    x += xOffset;
                }
                else if (abs(xOffset) > abs(yOffset)) {
                    y += yOffset;
                }
                boundingBox = Rect(x,y,16,16); // reset bounding box
                yVel = 0;
            }
        }
    }
}
if (collidingTiles.size() == 0) {
    yVel += gravity;
}
};
4

1 回答 1

0
if (abs(xOffset) < abs(yOffset)) {
    x += xOffset;
}
else if (abs(xOffset) > abs(yOffset)) {
    y += yOffset;
}
yVel = 0;

在这段代码中,如果abs(xOffset) == abs(yOffset)没有发生任何事情,这意味着玩家可以对角输入实心牌。y如果算法必须做出选择,删除第二个测试应该会删除问题并修改:

另外,我想知道如果发生水平碰撞,您是否真的要重置垂直速度。这也意味着如果碰撞是水平的,重力仍然应该适用(否则墙壁和天花板会很粘)。

int gravityApplies = true;//fix 2a

...

    if (abs(xOffset) < abs(yOffset)) {
        x += xOffset;
        xVel = 0;      //fix 2
    }
    else {             //fix 1
        y += yOffset;
        yVel = 0;      //fix 2
        if( yOfsset < 0 ){ // fix 2a
            gravityApplies = false;
        }
    }

 ...

 if (gravityApplies) { //fix 2a
     yVel += gravity;
 }

如果您想要弹性碰撞,请使用yVel = -yVel代替yVel = 0(其他方向类似)。您甚至可以执行yVel = yVel * restwhere restrange from -1to 0(-0.8是一个不错的选择) 来获得半弹性碰撞。

于 2013-02-02T09:48:58.747 回答