使用setTimeout()
它可以在指定的时间启动一个函数:
setTimeout(function, 60000);
但是如果我想多次启动该功能怎么办?每次经过一个时间间隔时,我都想执行该函数(假设每 60 秒一次)。
使用setTimeout()
它可以在指定的时间启动一个函数:
setTimeout(function, 60000);
但是如果我想多次启动该功能怎么办?每次经过一个时间间隔时,我都想执行该函数(假设每 60 秒一次)。
如果您不关心其中的代码是否timer
可能需要比您的时间间隔更长的时间,请使用setInterval()
:
setInterval(function, delay)
这会一遍又一遍地触发作为第一个参数传入的函数。
更好的方法是,setTimeout
与self-executing anonymous
函数一起使用:
(function(){
// do some stuff
setTimeout(arguments.callee, 60000);
})();
这保证了在您的代码执行之前不会进行下一次调用。我arguments.callee
在这个例子中用作函数参考。这是给函数命名并在其中调用的更好方法,setTimeout
因为arguments.callee
在 ecmascript 5 中已弃用。
使用
setInterval(function, 60000);
编辑:(如果您想在时钟启动后停止时钟)
脚本部分
<script>
var int=self.setInterval(function, 60000);
</script>
和 HTML 代码
<!-- Stop Button -->
<a href="#" onclick="window.clearInterval(int);return false;">Stop</a>
更好地利用jAndy的答案来实现轮询功能,每秒钟轮询一次interval
,并在timeout
几秒后结束。
function pollFunc(fn, timeout, interval) {
var startTime = (new Date()).getTime();
interval = interval || 1000;
(function p() {
fn();
if (((new Date).getTime() - startTime ) <= timeout) {
setTimeout(p, interval);
}
})();
}
pollFunc(sendHeartBeat, 60000, 1000);
更新
根据评论,更新它以获取传递函数停止轮询的能力:
function pollFunc(fn, timeout, interval) {
var startTime = (new Date()).getTime();
interval = interval || 1000,
canPoll = true;
(function p() {
canPoll = ((new Date).getTime() - startTime ) <= timeout;
if (!fn() && canPoll) { // ensures the function exucutes
setTimeout(p, interval);
}
})();
}
pollFunc(sendHeartBeat, 60000, 1000);
function sendHeartBeat(params) {
...
...
if (receivedData) {
// no need to execute further
return true; // or false, change the IIFE inside condition accordingly.
}
}
在 jQuery 中,您可以这样做。
function random_no(){
var ran=Math.random();
jQuery('#random_no_container').html(ran);
}
window.setInterval(function(){
/// call your function here
random_no();
}, 6000); // Change Interval here to test. For eg: 5000 for 5 sec
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div id="random_no_container">
Hello. Here you can see random numbers after every 6 sec
</div>
setInterval(fn,time)
是你所追求的方法。