这是一个示例,它首先在 CSS 中设置颜色并使用 javascript addEventListener来侦听单击事件并在单击时更改按钮的颜色,它还删除了附加的事件侦听器。
CSS
#a {
background-color: yellow;
}
HTML
<button id="a">My Button</div>
Javascript
document.getElementById("a").addEventListener("click", function onClick() {
this.removeEventListener("click", onClick);
this.style.backgroundColor = "#004f40";
}, false);
在jsfiddle 上
此示例使用鼠标单击事件,但您需要查看键事件而不是鼠标事件,它可能是众多事件之一;例如keydown、keypress或keyup。
更新:这是使用关键事件的一种可能解决方案。
CSS
button {
background-color: yellow;
}
Javascript
var start = 97,
end = 122,
button;
while (start <= end) {
button = document.createElement("button");
button.id = button.textContent = String.fromCharCode(start);
document.body.appendChild(button);
start += 1;
}
document.addEventListener("keypress", function onKeypress(evt) {
var element = document.getElementById(String.fromCharCode(evt.charCode || evt.char));
if (element) {
document.addEventListener("keyup", function onKeyup() {
document.removeEventListener("keyup", onKeyup);
element.style.backgroundColor = "yellow";
}, false);
element.style.backgroundColor = "#004f40";
}
}, false);
在jsfiddle 上
注意:这个例子并不完美,它只是一个如何使用事件的例子。
更新:这是另一个示例,它使用所有 3 个事件在按下和释放多个键时消除键盘的弹跳。(在使用中与上面进行比较。)
CSS
button {
background-color: yellow;
}
button:active {
background-color: #004f40;
}
Javascript
var start = 97,
end = 122,
button;
while (start <= end) {
button = document.createElement("button");
button.id = button.textContent = String.fromCharCode(start);
document.body.appendChild(button);
start += 1;
}
var keydown,
keypress = [];
document.addEventListener("keydown", function onKeydown(e1) {
keydown = e1;
}, false);
document.addEventListener("keypress", function onKeypress(e2) {
var record = {
"char": e2.char || e2.charCode,
"key": keydown.key || keydown.keyCode || keyDown.which,
"shiftKey": keydown.shiftKey,
"metaKey": keydown.metaKey,
"altKey": keydown.altKey,
"ctrlKey": keydown.ctrlKey
},
element = document.getElementById(String.fromCharCode(e2.charCode || e2.char));
if (element) {
element.style.backgroundColor = "#004f40";
keypress.push(record);
}
}, false);
document.addEventListener("keyup", function onKeyup(e3) {
var key = e3.key || e3.keyCode || e3.which;
keypress.forEach(function (record) {
if (record.key === key && record.shiftKey === e3.shiftKey && record.metaKey === e3.metaKey && record.altKey === e3.altKey && record.ctrlKey === e3.ctrlKey) {
document.getElementById(String.fromCharCode(record.char)).style.backgroundColor = "yellow";
}
});
}, false);
在jsfiddle 上
注意:即使这也不是完美的,因为它取决于匹配 keydown 和 keypress 事件的毫秒时间。