我想在每个循环中以1秒的延迟运行select count(*) from table
where personID in (select coupleID from table)
and coupleID in (select personid from table)
and coupleID > personID
在“ Google Chrome浏览器控制台”内部。
尝试了myCustomFunction
,但由于在Google Chrome浏览器的控制台内未观察到执行延迟而无济于事。
setInterval
const myCustomFunction = i => console.log('iteration test number', i);
for (let i = 0; i < 11; i++) {
setInterval(myCustomFunction(i), 1000);
};
之前都会为每次迭代延迟1秒(或更长时间)。答案 0 :(得分:0)
您可以执行以下操作,使用setInterval作为主要功能而不是循环。
const myCustomFunction = i => console.log('iteration test number', i);
let iteration = 0;
const delay = 1000;
const tillCount = 11;
setInterval(() => {
if (iteration < tillCount) {
iteration ++;
myCustomFunction(iteration);
}
}, delay);
答案 1 :(得分:0)
您需要使用setInterval执行功能 (设置多次) 并使用clearInterval < / strong>。否则,您的setInterval将永远运行。
const customFunction = i => console.log('Iteration:', i);
let counter = 0;
const maxIteration = 5;
const delay = 1000;
const intervalId = setInterval(() => {
if (counter < maxIteration) {
counter++;
customFunction(counter);
} else {
clearInterval(intervalId);
}
}, delay);
答案 2 :(得分:0)
选择下面的代码并阅读评论以了解
const myCustomFunction = i => console.log('iteration test number', i);
repeat = 10; // how many time to repeat;
var i =0; // value to increase.
function loop(){
myCustomFunction(i);
i++;
if (i<= repeat) // if the loop is suppose to continue
setTimeout(loop, 1000); // wait 1s and loop agen
}
loop();
答案 3 :(得分:0)
我已经修改了您的代码以提供预期的输出。
const myCustomFunction = i => console.log('iteration test number', i);
for (let i = 0; i < 11; i++) {
setTimeout(myCustomFunction, 1000 * i, i);
}
让我们讨论变化,
setInterval
替换为setTimeout
:setInterval
在给定间隔执行给定功能。因此,如果您调用setInterval(myCustomFunction, 1000)
,它将每隔1秒重复执行myCustomFunction
。这不是您想要的行为,您只希望延迟1秒,因此setTimeout
更合适。setInterval
/ setTimeout
的第一个参数是一个函数,但是myCustomFunction(i)
的输出为undefined
。因此,只需调用它即可,而不是调用myCustomFunction
。1000
更改为i*1000
:因为for循环的内容执行没有延迟。因此,请更改延迟以在myCustomFunction
之后执行i seconds
。setTimeout
i
的第三个参数:setTimeout
将第二个(延迟)之后的所有参数传递给回调函数(在我们的情况下为myCustomFunction
)。供参考访问