I have setup an event listener:
JavaScript
x
9
1
editor.addEventListener('keydown', function(e) {
2
if (e.shiftKey === false) {
3
alert(String.charFromCode(e.keyCode).toLowerCase());
4
}
5
else {
6
alert(String.charFromCode(e.keyCode));
7
}
8
}, false);
9
When the user presses 2 along with shift, how do I know if I should output (@) or (“)? Each users’ character mapping is different per locale.
Advertisement
Answer
Use the keypress
event instead. It will reliably (barring a few edge cases) detect the character typed.
There are a few browser oddities (such as some non-printable keys generating keypress
events with key codes in the which
property in some browsers) that prevent the following example from being 100% perfect which you can read about in great detail at the definitive page on JavaScript key events.
Example:
JavaScript
1
8
1
editor.addEventListener('keypress',
2
function(e)
3
{
4
var charCode = (typeof e.which == "number") ? e.which : e.keyCode;
5
alert( String.charFromCode(charCode) );
6
},
7
false);
8