1. 键盘的按键事件
keydown 按键按下
keyup 按键抬起
keypreww 按键按下
1. 键盘事件默认只有可以获取焦点的标签支持,一般只是 input标签 和 textarea,以及 document document.documentElement document.body
2. 键盘按下事件,如果一直按住键盘按钮,会一直触发事件
3.keydown 和 keypress 的区别
所有的按键都会触发keydown事件
有些特殊按键不会触发keypress事件(esc ctrl alt shift等)
2.键盘事件的事件对象
不同的事件类型,事件对象中存储的数据信息是不同的
键盘事件中没有 所谓的鼠标点击坐标
e.keyCode(键盘按键编号)
每个键盘的按键都有一个独立的按键编号,用于区分触发的按键是那个
低版本的火狐浏览器使用,e.which 存储 按键编号
现在所有的浏览器都是用,e.keyCode 和 e.which 同时存储按键编号
e.altkey e.ctrlkey e.shiftkey
都是判断有没有按下按键,如果按下返回值是true,如果没有按下返回值是false
注意:实际项目中,通过判断按下的按键,触发执行不同的程序代码
3.案例:通过键盘上下左右控制标签移动
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
<style>
* {
margin: 0;
padding: 0;
}
div {
width: 600px;
height: 600px;
padding: 100px;
border: 20px solid paleturquoise;
background: rgb(160, 241, 160);
display: flex;
justify-content: center;
align-items: center;
margin: 200px auto;
position: relative;
}
p {
width: 50px;
height: 50px;
padding: 50px;
border: 10px solid orange;
background: pink;
position: absolute;
}
</style>
</head>
<body>
<div>
<p></p>
</div>
<script>
//获取标签对象
var oDiv = document.querySelector('div');
var oP = document.querySelector('p');
//获取父级占位(内容+padding)
let oDivWidth = oDiv.clientWidth;
let oDivHeight = oDiv.clientHeight;
//获取子级占位(内容+padding+border)
let oPWidth = oP.offsetWidth;
let oPHeight = oP.offsetHeight;
//给整个document绑定事件
document.addEventListener('keydown', function (e) {
//键盘按键编号是 37 证明点击的是 向左按键
if (e.keyCode === 37) {
//按下的是左按键 需要 p标签向左定位移动
//获取当前标签 left 定位数值
let oPLeft = parseInt(window.getComputedStyle(oP).left);
//累减 设定的步长值
oPLeft -= 5;
//设置最小值
oPLeft = oPLeft < 0 ? 0 : oPLeft;
//将 新的数值 作为定位属性的属性值
oP.style.left = oPLeft + 'px';
} else if (e.keyCode === 38) {
let oPTop = parseInt(window.getComputedStyle(oP).top);
oPTop -= 5;
oPTop = oPTop < 0 ? 0 : oPTop
oP.style.top = oPTop + 'px';
} else if (e.keyCode === 39) {
let oPLeft = parseInt(window.getComputedStyle(oP).left);
oPLeft += 5;
oPLeft = oPLeft > oDivWidth - oPWidth ? oDivWidth - oPWidth : oPLeft;
oP.style.left = oPLeft + 'px';
} else if (e.keyCode === 40) {
let oPTop = parseInt(window.getComputedStyle(oP).top);
oPTop += 5;
oPTop = oPTop > oDivHeight - oPHeight ? oDivHeight - oPHeight : oPTop;
oP.style.top = oPTop + 'px';
}
})
</script>
</body>
</html>