我有一个精灵,正在用触摸板旋转。我唯一的问题是,当触摸板不移动时,旋转停止。即使触摸板的Y值为100%,即使将其保持不变,Sprite旋转也会停止。无论触摸板是否移动,如何保持旋转不变?我的代码如下

    public class RotationTest implements ApplicationListener {
   private OrthographicCamera camera;
   private SpriteBatch batch;
   private Texture texture;
   private Sprite sprite;
   Stage stage;
   public boolean leonAiming = true;

   @Override
   public void create() {
      float w = Gdx.graphics.getWidth();
      float h = Gdx.graphics.getHeight();

      camera = new OrthographicCamera(1, h/w);
      batch = new SpriteBatch();

      texture = new Texture(Gdx.files.internal("data/libgdx.png"));
      texture.setFilter(TextureFilter.Linear, TextureFilter.Linear);

      TextureRegion region = new TextureRegion(texture, 0, 0, 512, 275);

      sprite = new Sprite(region);
      sprite.setSize(0.9f, 0.9f * sprite.getHeight() / sprite.getWidth());
      sprite.setOrigin(sprite.getWidth()/2, sprite.getHeight()/2);
      sprite.setPosition(-sprite.getWidth()/2, -sprite.getHeight()/2);

      stage = new Stage();
      Gdx.input.setInputProcessor(stage);

      Skin skin = new Skin(Gdx.files.internal("data/uiskin.json"));
         Texture touchpadTexture = new Texture(Gdx.files.internal("data/touchpad.png"));
         touchpadTexture.setFilter(TextureFilter.Linear, TextureFilter.Linear);
         TextureRegion background = new TextureRegion(touchpadTexture, 0, 0, 75, 75);
         TextureRegion knob = new TextureRegion(touchpadTexture, 80, 0, 120, 120);
         TextureRegionDrawable backgroundDrawable = new TextureRegionDrawable(background);
         TextureRegionDrawable knobDrawable = new TextureRegionDrawable(knob);
         final Touchpad touchpad = new Touchpad(10, new Touchpad.TouchpadStyle(backgroundDrawable, knobDrawable));
         ChangeListener listener = null;
         touchpad.addListener(new ChangeListener() {

         @Override
         public void changed(ChangeEvent event, Actor actor) {
            sprite.rotate(touchpad.getKnobPercentY());
         }
      });

            touchpad.setBounds(15, 15, 225, 225);
         stage.addActor(touchpad);

   }

   @Override
   public void dispose() {
      batch.dispose();
      texture.dispose();
   }

   @Override
   public void render() {
      Gdx.gl.glClearColor(1, 1, 1, 1);
      Gdx.gl.glClear(GL10.GL_COLOR_BUFFER_BIT);

      batch.setProjectionMatrix(camera.combined);
      batch.begin();
      sprite.draw(batch);
      batch.end();
      stage.act();
      stage.draw();
   }


谢谢你的帮助!

最佳答案

您正在ChangeListener上注册Touchpad。仅当触摸板上的某些内容发生变化时才调用其changed方法。

您应该在render()方法中轮询触摸板的状态,而不是响应输入事件进行更新(因此,每次绘制框架时,如果触摸板处于活动状态,则更新旋转度)。

if (touchpad.isTouched()) {
    sprite.rotate(touchpad.getKnobPercentY());
}


您可能需要缩放旋转速率,使其与时间成比例,而不与帧速率成比例。请参见Gdx.graphics.getDeltaTime()

关于android - 如何使用触摸板保持旋转恒定?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14630302/

10-12 04:28