0

我目前正在从头开始用 java 编写一个简单的 2D 游戏(用于学习目的)

我想控制球员投篮的速度。在那里完成的方法有效,但可以改进。如果用户按下/按住鼠标左键,则调用该方法。当用户按住按钮时它可以工作,但是当他/她释放鼠标按钮时,等待(超过 rateOfFire 时间)并尝试射击它可能会或可能不会起作用,因为 roftC 值没有得到更新玩家不射击。然后我尝试将其放入我的update()方法中(每秒调用 60 次)。问题依然存在。我真的不知道如何解决这个问题。这是我的代码:

/**
 * Used to control the rate of fire
 */
private int roftC = 0;
/**
 * Shoot a Projectile
 */
protected void shoot(int x, int y, double dir) {
        Projectile p = new Bomb(x, y, dir);
        if (roftC % p.getRateOfFire() == 0) {
            level.addProjectile(p);
        }
        if (roftC > 6000) {
            roftC = 0;
        }
        roftC++; // Whether it is here or down there doesn' t make a diffrence
}


 /**
  * 
  */
  @Override
  public void update() {
      // roftC++;
    }
4

1 回答 1

2

一种想法是在镜头之间引入最小延迟。像这样的东西:

static final long MINIMUM_DELAY = 1000/30; // So we can have 30 shots per second
long lastShotTimestamp;

protected void shoot(int x, int y, double dir) {
    long now = System.currentTimeMillis();

    if (now - lastShotTimestamp > MINIMUM_DELAY) {
        level.addProjectile(new Bomb(x, y, dir));
        lastShotTimestamp = now;
    }
}

这种方法实际上接近于物理学——枪需要一些时间在连续射击之间重新加载。

于 2013-08-10T16:22:43.610 回答