我在用Java做一个Pong游戏,我遇到了一个问题。

缺点是,当乒乓球与AI或玩家的球拍相交时,该球有时会碰撞多次。基本上看起来像是球在桨上滑动。有时,球甚至会无限次地卡在桨叶后面。

有没有人遇到此错误或类似的东西?我对这种多重碰撞感到困惑:(

我的球类如下:

package ponggame;

import java.awt.*;

public class Ball{
int x;
int y;
int sentinel;

int width = 15;
int height = 15;

int defaultXSpeed = 1;
int defaultYSpeed = 1;

public Ball(int xCo, int yCo){
    x = xCo;
    y = yCo;
}

public void tick(PongGame someGame) {
    x += defaultXSpeed;
    y+= defaultYSpeed;

    if(PongGame.ball.getBounds().intersects(PongGame.paddle.getBounds()) == true){
            defaultXSpeed *= -1;
    }
    if(PongGame.ball.getBounds().intersects(PongGame.ai.getBounds()) == true){
            defaultXSpeed *= -1;
    }
    if(PongGame.ball.y > 300){
        defaultYSpeed *= -1;
    }
    if(PongGame.ball.y < 0){
        defaultYSpeed *= -1;
    }
    if(PongGame.ball.x > 400){
        defaultXSpeed *= -1;
        PongGame.playerScore++;
        System.out.println("Player score: " + PongGame.playerScore);
    }
    if(PongGame.ball.x < 0){
        defaultXSpeed *= -1;
        PongGame.aiScore++;
        System.out.println("AI score: " + PongGame.aiScore);
    }

}

public void render(Graphics g ){
    g.setColor(Color.WHITE);
    g.fillOval(x, y, width, height);
}

public Rectangle getBounds(){
    return new Rectangle(PongGame.ball.x, PongGame.ball.y, PongGame.ball.width, PongGame.ball.height);
}


}

最佳答案

问题是,当球与球拍相交时,您没有改变球的位置,只是反转了x速度。

因此,如果球与桨深相交,则x速度在正负之间无限地翻转。

尝试在每个刻度上跟踪球的先前位置。发生碰撞时,将球的位置设置为最后一个位置,然后反转x速度。

这是快速解决您的问题的方法。一个更现实的物理系统会更精确地计算碰撞后的新位置,但这对于低速已经足够了,尤其是当您没有按时间缩放时。

10-07 22:07