0

我开始使用 jMonekyEngine,它是与 Swing GUI 交互的简单方法。按照他们的教程http://jmonkeyengine.org/wiki/doku.php/jme3:advanced:swing_canvas

一切正常,我加载了所有内容,但是我在修改内容时遇到了麻烦。

根据他们的教程,不断更新并发生在这里:

public void simpleUpdate(float tpf) {
    geom.rotate(0, 2 * tpf, 0);
}

(这是旋转对象教程中的一个示例)。我想要做的只是增加和降低旋转速度(通过使用在 Swing gui 中的 ActionListener 中更新的变量更改 2 或 tpf。

但是,由于在他们的教程中他们声明要在 main 方法中创建 swing gui,所以我必须创建一个静态变量才能更改它。

static float rotate = 0.0f;

它在 main 方法中被修改,但是当尝试像这样使用它时:

public void simpleUpdate(float tpf) {
    geom.rotate(0, rotate * tpf, 0);
}

它保持不变为初始值。我尝试创建一个 GUI 类来构建 gui(扩展 JPanel)并使用 getter 和 setter,但仍然没有。任何帮助将不胜感激!谢谢!

编辑:这是我更改旋转值的方法:

JButton faster = new JButton("Faster");
faster.addActionListener(new ActionListener() {

    @Override
    public void actionPerformed(ActionEvent arg0) {
        rotate +=0.1f;
    }
});

在主要方法里面。旋转是一个静态字段。

4

1 回答 1

1

这对我有用

http://test.jmonkeyengine.org/wiki/doku.php/jme3:beginner:hello_main_event_loop http://test.jmonkeyengine.org/wiki/doku.php/jme3:beginner:hello_input_system?s[]=input

你的动作监听器真的在点击时触发了事件吗?也许你在那里有问题,而不是在旋转变量中。请注意,我在此示例中没有使用 swing ..

import com.jme3.app.SimpleApplication;
import com.jme3.input.KeyInput;
import com.jme3.input.controls.ActionListener;
import com.jme3.input.controls.KeyTrigger;
import com.jme3.material.Material;
import com.jme3.math.ColorRGBA;
import com.jme3.math.Vector3f;
import com.jme3.scene.Geometry;
import com.jme3.scene.shape.Box;

/** Sample 4 - how to trigger repeating actions from the main update loop.
 * In this example, we make the player character rotate. */
public class HelloLoop extends SimpleApplication {

    public static void main(String[] args){
        HelloLoop app = new HelloLoop();
        app.start();
    }

    protected Geometry player;

    @Override
    public void simpleInitApp() {

        Box b = new Box(Vector3f.ZERO, 1, 1, 1);
        player = new Geometry("blue cube", b);
        Material mat = new Material(assetManager,
          "Common/MatDefs/Misc/Unshaded.j3md");
        mat.setColor("Color", ColorRGBA.Blue);
        player.setMaterial(mat);
        rootNode.attachChild(player);

        initKeys();
    }

    /* This is the update loop */
    @Override
    public void simpleUpdate(float tpf) {
        // make the player rotate
        player.rotate(0, val*tpf, 0); 
    }
    float val = 2f;
    private void initKeys() {
        // Adds the "u" key to the command "coordsUp"
        inputManager.addMapping("sum",  new KeyTrigger(KeyInput.KEY_ADD));
        inputManager.addMapping("rest",  new KeyTrigger(KeyInput.KEY_SUBTRACT));

        inputManager.addListener(al, new String[]{"sum", "rest"});
    }
      private ActionListener al = new ActionListener() {
        public void onAction(String name, boolean keyPressed, float tpf) {
          if (name.equals("sum") ) {
              val++;
          }else if (name.equals("rest")){
              val--;
          }
        }
      };
}
于 2012-05-19T05:20:36.193 回答