我正在为我的上一个HS年项目开发2D平台游戏。 游戏基本上是关于玩家向前和向后行走,收集点数并达到目标的……玩家可以发射子弹,而当子弹击中障碍物时,它会被摧毁。现在,我想使用所谓的“粒子”对象添加爆炸效果。我已经为此写了经理类,它似乎是第一次工作,但是拍摄了几次之后,我注意到粒子不再被删除,它们只是继续并离开屏幕。生命周期限制为500ns。
我还注意到,如果我在游戏开始时就立即发射子弹,则效果会按预期完成。但是等待了几秒钟然后发射了子弹后,效果粒子的表现却不尽如人意。
public class ParticleManager {
private ArrayList<Particle> particles;
private ArrayList<Particle> removeParticles;
public ParticleManager() {
particles = new ArrayList<Particle>();
removeParticles = new ArrayList<Particle>();
}
public int getListSize() {
return particles.size();
}
/*
Generate particles
*/
public void genParticle(int x, int y, int amount) {
for(int i = 0; i < amount; i++) {
particles.add(new Particle("explosion" , x,y, i));
}
}
public void update() {
// Iterate trough particle objects
// update them & check for lifeTime
for(Particle p: particles) {
// Updating particle object before
// checking for time lapse
p.update();
// Append outdated particles to removeParticles
// if time limit has passed
if(System.nanoTime() - p.timePassed >= Config.particleLife) {
removeParticles.add(p);
}
}
// finally, delete all "remove-marked" objects
particles.removeAll(removeParticles);
}
public void render(Graphics2D g) {
for(Particle p: particles) {
p.render(g);
}
}
}
class Particle {
private double px, py, x, y;
private int radius, angle;
public long timePassed;
String type;
public Particle(String type, double x, double y, int angle) {
this.x = x;
this.y = y;
this.radius = 0;
this.angle = angle;
this.timePassed = 0;
this.type = type; // explosion, tail
}
public void update() {
px = x + radius * Math.cos(angle);
py = y + radius * Math.sin(angle);
radius += 2;
this.timePassed = System.nanoTime();
}
public void render(Graphics2D g) {
g.setColor(Color.WHITE);
g.fillOval((int)px, (int)py, 5, 5);
}
}
我还没有弄清楚我在做什么错,我在Google上搜索了一些内容,有一次我遇到一个回答,提到某些引用由于某种原因没有被直接删除...
>我的问题是“经过一定时间后如何使这些粒子消失?-如第一个GIF中所示”
答案 0 :(得分:3)
我认为问题在于您不断覆盖timePassed
。
// Updating particle object before
// checking for time lapse
p.update();
// Append outdated particles to removeParticles
// if time limit has passed
if(System.nanoTime() - p.timePassed >= Config.particleLife) {
removeParticles.add(p);
}
p.update()
将timePassed
设置为现在,然后if检查检查所经过的时间是否离现在很远(因为它只是被设置,所以永远不会过去)。
我认为您确实想在构造函数中设置timePassed
(也许最好将其命名为timeCreated
)。
另外,请注意,您永远不会清除removeParticles
,这样该列表将永远增长,直到导致进程内存不足为止。