我需要一个代码,当 CheckForZero 第一次发生时,30 秒后再次发生并且每 30 秒发生一次。

var waitForZeroInterval = setInterval (CheckForZero, 0);

function CheckForZero ()
{
    if ( (unsafeWindow.seconds == 0)  &&  (unsafeWindow.milisec == 0) )
    {
        clearInterval (waitForZeroInterval);

        var targButton  = document.getElementById ('bottone1799');
        var clickEvent  = document.createEvent ('MouseEvents');

        clickEvent.initEvent ('click', true, true);
        targButton.dispatchEvent (clickEvent);
    }
};

最佳答案

您可以简单地跟踪状态:

var hasRun = false;
function CheckForZero () {
    ... snip ...
    if (!hasRun) {
        hasRun = true;
        setInterval(CheckForZero, 30000);
    }
 }

我还建议使用 setTimeout() 而不是 setInterval()/clearInterval() (因为它不需要重复运行)。

编辑:我编辑了上面的代码以反射(reflect) OP 的修改要求。我也在下面添加了另一个版本来简化。
setTimeout(CheckForZero, 0); // OR just call CheckForZero() if you don't need to defer until processing is complete
function CheckForZero() {
    ... snip ...
    setTimeout(CheckForZero, 30000);
}

关于javascript - 延迟功能与greasemonkey,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/8287170/

10-11 01:39