我目前正致力于太空入侵者风格游戏,但我遇到了多个子弹实例的麻烦。目前我只能解雇一个。我一直试图让它与数组列表一起工作,但我似乎无法让它工作。我得到的最接近的工作是,它发射了多颗子弹,但它们都是从子弹中产生的相同位置产生的,并没有产生与船位相关的位置。当我移除一个物体超过它的边界后,游戏也崩溃了。任何人都可以帮我看看我哪里错了。以下是我到目前为止已经注释掉的部分代码是我尝试使用数组列表
import java.util.ArrayList;
import org.newdawn.slick.Input;
import org.newdawn.slick.Graphics;
import org.newdawn.slick.GameContainer;
public class Player extends Entity
{
private int speed = 5;
private ArrayList<Bullet> bulletList;
private boolean firing;
private Bullet bullet;
public Player()
{
bullet = new Bullet();
//bulletList = new ArrayList<Bullet>();
this.setImage("ship");
this.setPosition(350,450);
this.setDimenseions(100, 100);
this.createRectangle();
}
@Override
public void entityLogic(GameContainer gc, int deltaTime)
{
Input input = gc.getInput();
if(input.isKeyDown(Input.KEY_A))
{
this.x -= speed;
}
if(input.isKeyDown(Input.KEY_D))
{
this.x += speed;
}
if(input.isKeyDown(Input.KEY_W))
{
this.y -= speed;
}
if(input.isKeyDown(Input.KEY_S))
{
this.y += speed;
}
if(input.isKeyPressed(Input.KEY_SPACE))
{
firing = true;
bullet.x = this.getX()+40;
//BulletList.add(new Bullet());
}
if(firing)
{
/*Carries out the logic for the bullet*/
//for(Bullet b : bulletList)
//{
//b.entityLogic(gc, deltaTime);
//}
//Moves the bullet negativly along the y axis
bullet.entityLogic(gc, deltaTime);
}
}
@Override
public void entityRendering(Graphics g)
{
g.drawImage(this.getImage(), this.getX(), this.getY());
if(firing)
{
/*Draws each bullet object in the list*/
//for(Bullet b : bulletList)
//{
//b.entityRendering(g);
//}
bullet.entityRendering(g);
}
}
}
答案 0 :(得分:3)
首先忘掉你的Bullet bullet
实例变量。你不需要它,列表就足够了。
另一件事是,您可以使用LinkedList
而不是ArrayList
,因为您不需要随机访问,并且当您迭代子弹以检查时,您必须经常添加和删除项目碰撞使用ListIterator<T>
并在运行中将其删除。
最后它应该是这样的:
List<Bullet> bullets = new ArrayList<Bullet>();
public void entityLogic(GameContainer gc, int deltaTime) {
// since this method is called many times you should shoot a bullet just every X msec
if (spacebar pressed) {
// you spawn a new bullet according to player position
Bullet bullet = new Bullet(player.x,player.y);
// you add it to the list
bullets.add(bullet);
}
// destroy bullets which are outside the viewport
for (int i = 0; i < bullets.size(); ++i) {
Bullet bullet = bullets.get(i);
if (bullet.isOutsideBounds()) {
bullets.remove(i);
i--;
}
}
public void entityRendering(Graphics g) {
for (Bullet bullet : bullets)
bullets.entityRenering(g);
}
}
这只是为了给你一个基本的想法。
我不知道slick2d以及它如何管理渲染和逻辑线程,如果它们是两个不同的线程,那么你应该使用同步列表,例如:
List<Bullet> bullets = Collections.synchronizedList(new ArrayList<Bullet>());