0

我目前正在为我的 libgdx 游戏制作一个简单的加载屏幕,但是它有一个问题。加载屏幕在 android 项目上完美运行,但在桌面版本上却无法正常工作。目前,加载屏幕应显示“LOADING”->“LOADING”。-> "LOADING.." -> "LOADING..." ,间隔 1 秒,然后重复。当我在桌面应用程序上加载游戏时,它显示“正在加载”(它像疯了一样闪烁),然后按照预期的时间进行。整个时间一切都在闪烁,就像刷新率太高之类的一样,它会在后台显示不应该存在的幻象周期。有人能告诉我这是什么时候发生在桌面版本而不是 Android 版本上吗?这也是我的“LoadingScreen 实现屏幕”的两个功能的代码

渲染(浮点增量)函数:

float updateTextTime = 0;
@Override
public void render(float delta) {
    if (updateTextTime >= 1){                       //check to see if it has been a second
        if (periods == 0){
            Gdx.gl.glClear(GL10.GL_COLOR_BUFFER_BIT);   //clears the buffer bit 
        }

        textBatch.begin();                          
        font.draw(textBatch,loading.substring(0,7+periods),(Gdx.graphics.getWidth()/2)-(textwidth/2),(Gdx.graphics.getHeight()/2)+(textheight/2));
        if (periods < 3){
            periods += 1;
        }else{
            periods = 0;
        }
        textBatch.end();
        updateTextTime = 0;
    }else{
        updateTextTime += delta;                    //accumlate 
    }
}

和 show() 函数:

    @Override
public void show() {
    textBatch = new SpriteBatch();
    font = new BitmapFont(Gdx.files.internal("fonts/ArmyChalk.fnt"), Gdx.files.internal("fonts/ArmyChalk.png"),false);
    if (game.AppTypeMine == ApplicationType.Android){
        font.scale(2.0f);
    }
    textwidth = font.getBounds(loading).width;
    textheight = font.getBounds(loading).height;
}

最终解决方案:更改了 render() 函数:public void render(float delta) {

    Gdx.gl.glClear(GL10.GL_COLOR_BUFFER_BIT);
    textBatch.begin();                          
    font.draw(textBatch,loading.substring(0,7+periods),(Gdx.graphics.getWidth()/2)-(textwidth/2),(Gdx.graphics.getHeight()/2)+(textheight/2));
    textBatch.end();

    if (updateTextTime >= 0.5){                         //check to see if it has been a second
        if (periods < 3){
            periods += 1;
        }else{
            periods = 0;
        }
        updateTextTime = 0;
    }else{
        updateTextTime += delta;                    //accumlate 
    }
}
4

1 回答 1

3

你应该总是在render回调中渲染一些东西。

您可能会看到双缓冲问题(OpenGL 无法判断您没有在当前帧缓冲区中绘制任何内容,因此它最终会渲染其中留下的任何内容)。

更改您的代码,以便您始终调用该font.draw调用。我认为您可以将textBatch.begin(),font.draw()textBatch.end()调用移到初始 if/else 块之外。

如果您不希望如此频繁地调用渲染,您可以将 Libgdx 切换到非连续渲染模式(但您需要找到一个钩子来让渲染调用每隔一秒左右恢复正常)。请参阅http://bitiotic.com/blog/2012/10/01/enabling-non-continuous-rendering-in-libgdx/

于 2013-07-06T23:02:47.057 回答