Hello I want to make it so that I can start and stop a function with a keypress and I’ve been having a problem with setting a timer on my function and I don’t know why the addEventListener is giving me errors like this is not a function or window not defined I tried to switch window with global because I’m using node.js but it still doesn’t work
JavaScript
x
34
34
1
var refreshIntervalId;
2
3
window.addEventListener("onkeydown", keyDown, true);
4
window.addEventListener("keydown", keyDown);
5
6
function keyDown() {
7
var e = window.event;
8
switch (e.keyCode) {
9
case 115:
10
start();
11
break;
12
case 83:
13
stop();
14
break;
15
}
16
}
17
18
function start() {
19
stop();
20
refreshIntervalId = setInterval(function () {
21
var data = Data();
22
data.then((result) => {
23
console.log(result);
24
});
25
}, 5000);
26
}
27
function stop() {
28
if (refreshIntervalId != null) {
29
clearInterval(refreshIntervalId);
30
refreshIntervalId = null;
31
}
32
}
33
34
Advertisement
Answer
Here’s a remake of your original code:
- Use only the
"keydown"
Event. - Set the
itv
toundefined
inside thestop()
function - Don’t use
evt.keyCode
. You’re writing code mainly for developers and a future self. Useevt.key
instead, or eventuallyevt.code
(if other keys like ShiftKey matter) - Use
evt.repeat
to check whether the user is long-pressing a key
JavaScript
1
37
37
1
let itv;
2
let dummyIndex = 0;
3
const Data = () => Promise.resolve(`Dummy data ${++dummyIndex}`);
4
5
const start = () => {
6
stop();
7
dummyIndex = 0;
8
itv = setInterval(() => {
9
Data().then((res) => console.log(res));
10
}, 1000);
11
console.log("Started");
12
};
13
14
const stop = () => {
15
if (!itv) {
16
return; // Do nothing (Already stopped).
17
}
18
clearInterval(itv);
19
itv = undefined;
20
console.log("Stopped");
21
};
22
23
const keyDown = (evt) => {
24
if (evt.repeat) {
25
return; // Do nothing on long keydown
26
}
27
switch (evt.key) {
28
case "F4":
29
start();
30
break;
31
case "s":
32
stop();
33
break;
34
}
35
};
36
37
addEventListener("keydown", keyDown);
JavaScript
1
4
1
Click here to focus.<br>
2
Hit "F4" to Start<br>
3
Hit "s" to Stop<br>
4
Or hit "F4" to Restart
PS: needless to say, the above JavaScript is specifically intended for the browser environment, not NodeJS.