Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Get key combination code of multiple keys

I want to ask you can I get key code combination of multiple keys. For example I can get the key code from this example:

public void handle(KeyEvent event) {
    if (event.getCode() == KeyCode.TAB) {
    }
}

But how I can get the key code of this example:

textField.setText("");
// Process only desired key types
if (event.getCode().isLetterKey()
        || event.getCode().isDigitKey()
        || event.getCode().isFunctionKey()) {
    String shortcut = event.getCode().getName();
    if (event.isAltDown()) {
        shortcut = "Alt + " + shortcut;
    }
    if (event.isControlDown()) {
        shortcut = "Ctrl + " + shortcut;
    }
    if (event.isShiftDown()) {
        shortcut = "Shift + " + shortcut;
    }
    textField.setText(shortcut);
    shortcutKeyEvent = event;
} else {
    shortcutKeyEvent = null;
}

Is it possible to get the key code combination of these keys Ctrl + Tab or Ctrl + A?

like image 648
Peter Penzov Avatar asked Sep 25 '13 10:09

Peter Penzov


1 Answers

No, the handled keyEvent has only one main KeyCode, for example this code

public void handle(KeyEvent event) {
    if (event.getCode() == KeyCode.TAB) { 
    }
}

will handle TAB, ALT + TAB, or CTRL + TAB etc. If you only interested in CTRL + TAB, you have 2 choices:
1) using isControlDown()

public void handle(KeyEvent event) {
    if (event.getCode() == KeyCode.TAB && event.isControlDown()) { 
    }
}

2) using KeyCodeCombination

final KeyCombination kb = new KeyCodeCombination(KeyCode.TAB, KeyCombination.CONTROL_DOWN);
...
...
public void handle(KeyEvent event) {
    if (kb.match(event)) { 
    }
}
like image 51
Uluk Biy Avatar answered Oct 23 '22 08:10

Uluk Biy