如果对象是不可见的相机,我想在一段时间后改变它的精灵。我有一个创建对象的方法
private void spawnRaindrop() {
Rectangle raindrop = new Rectangle();
raindrop.x = MathUtils.random(0, Drop.WIDTH - 100);
raindrop.y = Drop.WIDTH;
raindrop.width = 100;
raindrop.height = 100;
raindrops.add(raindrop);
lastDropTime = TimeUtils.nanoTime();
}
I have a method that changes the time interval through the sprites:
public void timerSpriteChange() {
Timer timer = new Timer();
timer.schedule(new Timer.Task() {
@Override
public void run() {
index = ((int) (Math.random() * MAX_SPRITES));
}
}
, 0, 5);
}
在这里,我检查并比较时间,然后调用该方法
if (TimeUtils.nanoTime() - lastDropTime > 1000000000) {
spawnRaindrop();
}
OrthographicCamera摄像头;
发布于 2016-07-26 10:04:01
你有没有想过创建一个像'raindropVisible‘这样的布尔值,当你创建对象并生成它时,它会将布尔值设置为真,当游戏处理掉它时,它会将布尔值设置为假。然后让计时器检查布尔值是否为false,如果是,则更改子画面?
发布于 2016-07-27 07:53:36
如果您还没有这样做,那么您的Raindrop类应该扩展libGDX Actor
类,然后使用act
和draw
方法来处理所有事情。
此代码未经测试
class Raindrop extends Actor
{
boolean onScreen = true;
float offScreenTimer = 0.0f;
final float OFFSCREENLLIMIT = 10.0f; // change as required
// here you will also define all the other variables you need
// such as movement speed, position information, sprite/image, etc
public void act()
{
if ( onScreen )
{
if ( isOnScreen() ) // you'll need to create this method yourself!
{
// do all your on screen 'acting' here (movement, etc), but not the drawing
}
else
{
onScreen = false;
setVisible(false);
}
}
else
{
offScreenTimer += Gdx.gl.getDelta(); // <= this is most likely wrong, you'll need to double check the method name
if ( offScreenTimer > OFFSCREENLLIMIT )
{
// here add all the code you need to change the image
// and reset its movement and position values
setVisible(true);
}
}
}
public void draw()
{
// add your code to handle the drawing of the image here
}
}
https://stackoverflow.com/questions/38576012
复制