知识点:
鼠标的滚轮事件:
onmusewhere鼠标滚轮滚动事件,会在滚轮滚动时触发,但是火狐不支持该属性
在火狐中需要使用DOMMouseScroll来绑定滚动事件,该事件通过addEventListener()函数来绑定
判断鼠标滚轮滚动的方向
event.wheelDelta
event.wheelDelta在火狐中不支持,使用event.detail 向上滚动-3 向下滚动+3
当滚轮滚动时,如果浏览器有滚动条,滚动条会随之滚动,这是浏览器的默认行为,如果不希望发生,则可以取消默认行为 return false;
addEventListener()方法绑定响应函数,取消默认行为是不能使用return false需要使用event.prevenDefault();但是ie8不支持,如果直接调用会报错
当鼠标滚轮向下滚动时,box1边长,当鼠标滚轮滚动时,box1变短
详细代码:
<!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>
#box1 {
width: 100px;
height: 100px;
background-color: red;
}
</style>
<script>
window.onload = function () {
/*
当鼠标滚轮向下滚动时,box1边长
当鼠标滚轮滚动时,box1变短
*/
//获取box1的div
var box1 = document.getElementById("box1");
//为box1绑定一个鼠标滚动的事件
box1.onmousewheel = function (event) {
//判断鼠标滚轮滚动的方向
event = event || window.event;
//alert(event.wheelDelta);向上120,向下-120
if (event.wheelDelta > 0 || event.detail < 0) {//火狐event.detail 向上滚动-3 向下滚动+3
//向上滚,box1变短
box1.style.height = box1.clientHeight - 10 + "px";
} else {
//向下滚box1边长
box1.style.height = box1.clientHeight + 10 + "px";
}
return false;
};
//为火狐绑定鼠标滚轮事件
bind(box1, "DOMMouseScroll", box1.onmousewheel);
};
//定义函数
function bind(obj, eventStr, callback) {
if (obj.addEventListener) {//判断是否含有addEventListener
obj.addEventListener(eventStr, callback, false);
} else {
//obj.attachEvent("on" + eventStr, callback);//callback是浏览器调用回到函数,我们希望把调用回调函数的权利拿回来
//ie8及以下的方法不支持则使用 attachEvent();
obj.attachEvent("on" + eventStr, function () {
//在匿名函数中调用回调函数,这样回调函数改成我们自己调用的了
callback.call(obj);//修改this为obj,这样这个bind函数就统一了this
});
}
}
</script>
</head>
<body style="height:2000px;">
<div id="box1"></div>
</body>
</html>
结果:
?
?
|