See this code:
JavaScript
x
15
15
1
function handleTouchStart(event) {
2
event.preventDefault();
3
cnvs.removeEventListener("touchstart", handleTouchStart);
4
var x1 = event.touches[0].clientX-cnvs.offsetLeft;
5
callerOfCNVSTouchStart = setInterval(function () {
6
if (x1 > cnvs.width/2 && whiteShip.x2 < cnvs.width) {
7
whiteShip.x1+= 3;
8
} else if (x1 < cnvs.width/2 && whiteShip.x1 > 0) {
9
whiteShip.x1-= 3;
10
}
11
}, 20);
12
nBMC = setInterval(makeNewBullets,200);
13
setInterval(sendEnemies,2000);//I want to run this line only once
14
}
15
I want the other functions to run every time the event occurs, but set the interval for sendEnemies
only once. How can I do that?
Advertisement
Answer
Use a variable like var sentEnemies = false;
outside function handleTouchStart
and update it in the function to true
the first time and use if(!sentEnemies)
for the line to execute only once.
JavaScript
1
22
22
1
var sentEnemies = false;
2
3
function handleTouchStart(event) {
4
event.preventDefault();
5
cnvs.removeEventListener("touchstart", handleTouchStart);
6
var x1 = event.touches[0].clientX-cnvs.offsetLeft;
7
callerOfCNVSTouchStart = setInterval(function () {
8
if (x1 > cnvs.width/2 && whiteShip.x2 < cnvs.width) {
9
whiteShip.x1+= 3;
10
} else if (x1 < cnvs.width/2 && whiteShip.x1 > 0) {
11
whiteShip.x1-= 3;
12
}
13
}, 20);
14
nBMC = setInterval(makeNewBullets,200);
15
16
if (!sentEnemies) {
17
setInterval(sendEnemies,2000); // Will execute only once
18
sentEnemies = true;
19
}
20
21
}
22