Reputation: 323
In the javascript Event
object, there are some boolean values to check if modifier keys are pressed:
ctrlKey
: CTRL key.altKey
: ALT key.altLeft
: ALT left key. Only for IE.altGraphKey
: ALTGR key. Only for Chrome/Safari.However, there are some issues:
ctrlKey
to true
and altKey
to true
when you press the ALTGR modifier.ctrlKey
to false
and altKey
to true
when you press the ALTGR modifier, as only ALT has been pressed.altGraphKey
property, but it is always undefined
.Question: how can I difference between an ALT+CTRL or an ALTGR key press? Specially in Chrome.
Upvotes: 19
Views: 14201
Reputation: 3497
I guess the ALTGR key and CTRL+ALT key combo are the same thing and there is no way to make a difference in Javascript. Pressing ALTGR+e and CTRL+ALT+e are both producing the € (euro) symbol on my keyboard/language setup. There are pages online to check keycodes. Hope this helps.
Upvotes: 1
Reputation: 2331
The altGraphKey in webkit browsers no longer appears to exist (as at September 2013) and the behaviour of Firefox has changed. Browser behaviours for the AltGr key currently appear to be:
Which is to say, they are all currently consistent (apart from IE8, which remains consistently inconsistent).
The following snippet should catch Alt Gr - but not Alt or Ctrl - in modern browsers. You will need a special case for IE8 however:
if (event.ctrlKey && event.altKey) {
// Appears to be Alt Gr
}
Upvotes: 12
Reputation: 4412
Disclaimer: I don't have a keyboard that has this key, so I can't test myself, but the spec says that can use the key
property. This may be a good solution if you only need to support browsers that implement it (at time of writing, only Safari doesn't). You can check if the value is "AltGraph"
.
window.onkeydown = function (e) {
if (e.key === 'AltGraph') {
console.log(e.key);
}
};
Upvotes: 5
Reputation: 5380
Worth mentioning is that it is possible to detect this in modern browser by checking the location of the alt key event.
See: Is there a way to detect which side the Alt key was pressed on (right or left)?
Upvotes: 1