为简化JavaFx应用程序的使用,我希望允许用户定义键盘组合/快捷方式以触发应用程序最重要的操作。
我知道如何在代码中定义KeyCodeCombination
并将其设置为Accelerator
或在KeyEvent侦听器中使用它,但我不想允许用户对其进行硬编码,而是对其进行硬编码只需在特定设置对话框中在键盘上按一下即可拥有自己的KeyCodeCombination。
基本上与此伪代码类似:
// how would I implement the next two lines
Dialog dialog = new KeyboardShortcutDefinitionDialog();
KeyCombination shortcut = dialog.recordKeyboardShortcut();
// I know how to do the rest from here
shortcutLabel.setText(shortcut.toString());
SettingsManager.storeShortcut(shortcut);
Application.setupShortcut(shortcut);
答案 0 :(得分:2)
这是一个监听KEY_PRESSED
事件并从中构建KeyCombination
的小例子。
import java.util.ArrayList;
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.Label;
import javafx.scene.input.KeyCodeCombination;
import javafx.scene.input.KeyCombination;
import javafx.scene.input.KeyCombination.Modifier;
import javafx.scene.input.KeyEvent;
import javafx.scene.layout.StackPane;
import javafx.scene.text.Font;
import javafx.stage.Stage;
public class Main extends Application {
@Override
public void start(Stage primaryStage) {
var label = new Label();
label.setFont(Font.font("Segoe UI", 15));
primaryStage.addEventHandler(KeyEvent.KEY_PRESSED, event -> {
if (!event.getCode().isModifierKey()) {
label.setText(createCombo(event).getDisplayText());
}
});
primaryStage.setScene(new Scene(new StackPane(label), 500, 300));
primaryStage.setResizable(false);
primaryStage.show();
}
private KeyCombination createCombo(KeyEvent event) {
var modifiers = new ArrayList<Modifier>();
if (event.isControlDown()) {
modifiers.add(KeyCombination.CONTROL_DOWN);
}
if (event.isMetaDown()) {
modifiers.add(KeyCombination.META_DOWN);
}
if (event.isAltDown()) {
modifiers.add(KeyCombination.ALT_DOWN);
}
if (event.isShiftDown()) {
modifiers.add(KeyCombination.SHIFT_DOWN);
}
return new KeyCodeCombination(event.getCode(), modifiers.toArray(Modifier[]::new));
}
}