我正在使用Timelines
并且希望将某些KeyPress
事件连接到舞台,这可能会改变时间轴在其运行过程中更改属性的方式。
我知道如何区分按键是什么以及我想要听哪些键,但需要知道我如何确定键是否只被按下一次,如键入,或者按键是否被按下在更长的时间内,所以我可以让程序在按下按键的时间越长,进行更快速的调整。
答案 0 :(得分:4)
当按下某个键时,您将继续获取KEY_PRESSED事件。您可以计算连续按下相同键的次数:
SimpleIntegerProperty aCount = new SimpleIntegerProperty(0);
SimpleIntegerProperty bCount = new SimpleIntegerProperty(0);
KeyCombination a = new KeyCodeCombination(KeyCode.A);
KeyCombination b = new KeyCodeCombination(KeyCode.B);
scene.setOnKeyPressed(ke -> {
aCount.set(a.match(ke) ? aCount.get() + 1 : 0);
bCount.set(b.match(ke) ? bCount.get() + 1 : 0);
});
scene.setOnKeyReleased(ke -> {
if(a.match(ke)) { aCount.set(0); }
else if(b.match(ke)) { bCount.set(0); }
});
这是一个简单的测试应用程序:
import javafx.application.Application;
import javafx.beans.binding.Bindings;
import javafx.beans.property.SimpleIntegerProperty;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.input.KeyCode;
import javafx.scene.input.KeyCodeCombination;
import javafx.scene.input.KeyCombination;
import javafx.scene.layout.HBox;
import javafx.stage.Stage;
public class KeySpeedTest extends Application {
@Override
public void start(Stage primaryStage) {
SimpleIntegerProperty aCount = new SimpleIntegerProperty(0);
SimpleIntegerProperty bCount = new SimpleIntegerProperty(0);
KeyCombination a = new KeyCodeCombination(KeyCode.A);
KeyCombination b = new KeyCodeCombination(KeyCode.B);
Label aLabel = new Label();
Label bLabel = new Label();
aLabel.textProperty().bind(Bindings.concat(" A: ", aCount));
bLabel.textProperty().bind(Bindings.concat(" B: ", bCount));
HBox root = new HBox(aLabel, bLabel);
Scene scene = new Scene(root, 300, 250);
scene.setOnKeyPressed(ke -> {
aCount.set(a.match(ke) ? aCount.get() + 1 : 0);
bCount.set(b.match(ke) ? bCount.get() + 1 : 0);
});
scene.setOnKeyReleased(ke -> {
if(a.match(ke)) { aCount.set(0); }
else if(b.match(ke)) { bCount.set(0); }
});
primaryStage.setScene(scene);
primaryStage.setTitle("Key Speed Test");
primaryStage.show();
}
public static void main(String[] args) {
launch(args);
}
}