一、瀏覽器的按鍵事件html
瀏覽器有3種按鍵事件——keydown,keypress和keyup,分別對應onkeydown、onkeypress和onkeyup3個事件句柄。瀏覽器
一個典型的按鍵會產生全部這三種事件,依次是keydown-->keypress-->keyup。app
- <input type="text" id="text">
- <script>
- document.getElementById("text").onkeypress = function() {
- console.log("keypress");
- };
- document.getElementById("text").onkeyup = function() {
- console.log("keyup");
- };
- document.getElementById("text").onkeydown = function() {
- console.log("keydown");
- };
- </script>
控制檯輸出:函數
keydown
keypress
keyupspa
二、瀏覽器的兼容性xml
(1)FireFox、Opera、Chromehtm
事件對應的函數有一個隱藏的變量e,表示發生事件。對象
e有一個屬性e.which指示哪一個鍵被按下,給出該鍵的索引值(按鍵碼)。索引
靜態函數String.fromCharCode()能夠把索引值(按鍵碼)轉化成該鍵對應的的字符。事件
- <input type="text" id="text">
- <script>
- document.getElementById("text").onkeypress = function(e) {
- alert("按鍵碼: " + e.which + " 字符: " + String.fromCharCode(e.which));
- };
- </script>
FireFox、Opera、Chrome中輸入:a
輸出:按鍵碼:97 字符:a
(2)IE
IE不須要e變量,window.event表示發生事件。
window.event有一個屬性window.event.keyCode指示哪一個鍵被按下,給出該鍵的索引值(按鍵碼)。
靜態函數String.fromCharCode()能夠把索引值(按鍵碼)轉化成該鍵對應的的字符。
- <input type="text" id="text">
- <script>
- document.getElementById("text").onkeypress = function() {
- alert("按鍵碼: " + window.event.keyCode + " 字符: " + String.fromCharCode(window.event.keyCode));
- };
- </script>
IE中輸入:a
輸出:按鍵碼:97 字符:a
三、判斷瀏覽器類型
利用navigator對象的appName屬性。
IE:navigator.appName=="Microsoft Internet Explorer"
FireFox、Opera、Chrome:navigator.appName=="Netscape"
- <input type="text" id="text">
- <script>
- document.getElementById("text").onkeypress = function(e) {
- if (navigator.appName == "Microsoft Internet Explorer")
- alert("按鍵碼: " + window.event.keyCode + " 字符: " + String.fromCharCode(window.event.keyCode));
- else if (navigator.appName == "Netscape")
- alert("按鍵碼: " + e.which + " 字符: " + String.fromCharCode(e.which));
- };
- </script>
IE、FireFox、Opera、Chrome中輸入:a
輸出:按鍵碼:97 字符:a
簡化的寫法:
- <input type="text" id="text">
- <script>
- document.getElementById("text").onkeypress = function(e) {
- e = e || window.event;
- key = e.keyCode || e.which || e.charCode;
- alert("按鍵碼: " + key + " 字符: " + String.fromCharCode(key));
- };
- </script>
說明:IE只有keyCode屬性,FireFox中有which和charCode屬性,Opera中有keyCode和which屬性,Chrome中有keyCode、which和charCode屬性。