我正在尝试使用Javascript中的两个键来上下移动div。这个想法是,当某个键被按下时,一个函数循环并且每次都会增加div的“顶部”样式值。基本功能有效,但我不能让它循环,我无法得到任何回应按键。
在Javascript中很难找到有关按键处理的信息,似乎大多数人都使用jQuery来处理它。
我对do-while循环的使用是否正确?是否有更好的方法来处理keydown和keyup事件?
这是我的代码:
var x = 0;
console.log(x);
function player1MoveDown() {
var value = document.getElementById("player1").style.top;
value = value.replace("%", "");
value = parseInt(value);
value = value + 1;
value = value + "%";
document.getElementById("player1").style.top = value;
console.log(value);
} //moves paddle down; adds to paddle's 'top' style value
function player1MoveSetting() {
x = 1;
do {
setInterval(player1MoveDown(), 3000);
}
while (x == 1);
console.log(x);
} //paddle moves while x=1; runs player1MoveDown function every 3 seconds
function player1Stop() {
x = 0;
}
以下是HTML的相关内容:
<div class="paddle" id="player1" style="top:1%" onkeydown="player1MoveSetting()" onkeyup="player1Stop()"></div>
答案 0 :(得分:4)
您无法将keydown事件附加到div
,除非它有tabindex
:
<div class="paddle" id="player1"
onkeydown="player1MoveSetting()"
onkeyup="player1Stop()"
tabindex="1"
>
</div>
<小时/> 您可以替换所有这些代码:
var value = document.getElementById("player1").style.top;
value = value.replace("%", "");
value = parseInt(value);
value = value + 1;
value = value + "%";
document.getElementById("player1").style.top = value;
......用这个:
var p1= document.getElementById('player1');
p1.style.top= parseInt(p1.style.top)+1+'%';
<小时/> 这会调用
player1MoveDown
:的返回结果
setInterval(player1MoveDown(), 3000);
由于player1MoveDown
没有返回任何内容,因此它等同于
setInterval(null, 3000);
要每隔3秒调用功能,请执行以下操作:
setInterval(player1MoveDown, 3000);
<小时/> 这会产生一个无限循环:
x = 1;
do {
setInterval(player1MoveDown, 3000);
}
while (x == 1);
即使keyup
将全局x
设置为0,它也永远不会运行,因为循环永远不会结束。
而是创建一个timer
变量,该变量在keydown
上设置并在keyup
上清除。
var timer;
function player1MoveDown() {
var p1= document.getElementById('player1');
p1.style.top= parseInt(p1.style.top)+1+'%';
console.log(p1.style.top);
}
function player1MoveSetting() {
if(timer) return;
timer= setInterval(player1MoveDown, 100);
}
function player1Stop() {
clearInterval(timer);
timer= null;
}
document.getElementById('player1').focus();