我正在制作一个 2d java 游戏,玩家需要射击瓷砖。 我在代码中遇到了一个错误,子弹会摧毁附近的瓷砖,但并不总是而且不正确。
你看,我想要子弹摧毁它所接触的瓷砖,以及上、左、右、底部的瓷砖......你明白了。这是我的代码,我想我一如既往地搞砸了一些事情。
在我看来,错误出现在玩家类中,因为它处理破坏。
Player.java 的简短版本:(无导入等)。
public class Player{
public int pointX;
public int pointY;
public int velocityX;
public int defaultVelX = 15;
public int cooldown = 2;
public boolean shooting = false;
public Tile hitTile = null;
YeahGame yg;
Shot shot;
TileManager tm;
public Player(int x, int y, YeahGame yg) {
this.pointX = x;
this.pointY = y;
this.yg = yg;
tm = yg.tm;
}
public void shoot() {
if (!shooting) {
shot = new Shot(pointX, pointY, yg);
shooting = true;
}
}
public void Hit(int offsetX, int offsetY, int level) {
Tile tl = tm.GetTile(hitTile.x + offsetX, hitTile.y + offsetY);
if (tl != null && tl.isActive) {
if (level >= tl.level) {
tl.isActive = false;
} else {
tl.level -= level;
}
}
}
public void DestroyTiles() {
Hit(0,0,1);
Hit(1,0,1);
Hit(0,1,1);
Hit(-1,0,1);
Hit(0,-1,1);
if (cooldown > 0) {
cooldown--;
} else if (cooldown == 0) {
tm.NewLayer();
cooldown = 2;
}
}
public boolean bulletCollision() {
boolean is = false;
if (shooting) {
for (ArrayList<Tile> sampleRow : tm.rows) {
for (Tile tile : sampleRow) {
if (tile.isActive) {
Rectangle shotRect = new Rectangle(shot.pointX+yg.tileSize/4, shot.pointY+yg.tileSize/4, yg.tileSize/2, yg.tileSize/2);
Rectangle tileRect = new Rectangle(tile.x * yg.tileSize, tile.y * yg.tileSize, yg.tileSize, yg.tileSize);
if (tileRect.intersects(shotRect)) {
is = true;
hitTile = tile;
break;
}
}
}
if (is) {
break;
}
}
}
return is;
}
public void update() {
if (shooting) {
shot.update();
if (bulletCollision()) {
DestroyTiles();
shooting = false;
shot = null;
}
else if (shot.pointY < 0) {
shooting = false;
shot = null;
}
}
}
public void draw(Graphics g) {
g.setColor(Color.red);
g.fillRect(pointX, pointY, yg.tileSize, yg.tileSize);
if (shooting) {
shot.draw(g);
}
}
}
看起来当你的子弹击中时,它不会记录之前被摧毁的瓷砖。
您的代码的主要问题是,您没有按职责正确分离代码,这混淆了您和任何试图帮助您的人的信息流。
玩家不应该负责清理场地,这是比赛场地本身应该做的事情。
您应该有一个游戏场地的内部表示,当游戏发生时,您可以首先进行物理模拟,然后将其渲染到屏幕上。
并尝试保留您的命名方案,请查看 Java 命名约定。
对于游戏设计,我可以推荐 Robert Nystrom 所著的《游戏编程模式》一书。