我有一个setInterval,每秒运行一段代码30次。这工作得很好,但是当我选择另一个选项卡(使我的代码选项卡变得不活跃),setInterval由于某种原因被设置为空闲状态。

我制作了这个简化的测试用例(http://jsfiddle.net/7f6DX/3/):

var $div = $('div');
var a = 0;

setInterval(function() {
    a++;
    $div.css("left", a)
}, 1000 / 30);

如果您运行这段代码,然后切换到另一个选项卡,等待几秒钟并返回,动画将继续在切换到另一个选项卡时的位置。

因此,如果标签处于非活动状态,动画不会每秒运行30次。这可以通过计算每秒调用setInterval函数的次数来确认——如果选项卡处于非活动状态,这将不是30,而是1或2。

我想这样做是为了提高系统性能,但是有什么方法可以禁用这种行为吗?

这在我看来是劣势。


当前回答

我为那些试图在计时器函数中解决这个问题的人带来了一个简单的解决方案,正如@kbtzr在另一个答案中提到的那样,我们可以使用Date对象而不是固定增量来计算自开始以来经过的时间,即使您离开了应用程序的选项卡,这也可以工作。

这是HTML示例。

<body>
  <p id="time"></p>
</body>

然后这个JavaScript:

let display = document.querySelector('#time')
let interval
let time
function startTimer() {
    let initialTime = new Date().getTime()
    interval = setInterval(() => {
        let now = new Date().getTime()
        time = (now - initialTime) + 10
        display.innerText = `${Math.floor((time / (60 * 1000)) % 60)}:${Math.floor((time / 1000) % 60)}:${Math.floor((time / 10) % 100)}`
    }, 10)
}
startTimer()

这样,即使由于非活动选项卡的性能原因而增加了间隔值,所做的计算也将保证正确的时间。这是一个普通的代码,但我在我的React应用程序中使用了这种逻辑,你也可以在任何你需要的地方修改它。

其他回答

这是我的粗略解决方案

(function(){
var index = 1;
var intervals = {},
    timeouts = {};

function postMessageHandler(e) {
    window.postMessage('', "*");

    var now = new Date().getTime();

    sysFunc._each.call(timeouts, function(ind, obj) {
        var targetTime = obj[1];

        if (now >= targetTime) {
            obj[0]();
            delete timeouts[ind];
        }
    });
    sysFunc._each.call(intervals, function(ind, obj) {
        var startTime = obj[1];
        var func = obj[0];
        var ms = obj[2];

        if (now >= startTime + ms) {
            func();
            obj[1] = new Date().getTime();
        }
    });
}
window.addEventListener("message", postMessageHandler, true);
window.postMessage('', "*");

function _setTimeout(func, ms) {
    timeouts[index] = [func, new Date().getTime() + ms];
    return index++;
}

function _setInterval(func, ms) {
    intervals[index] = [func, new Date().getTime(), ms];
    return index++;
}

function _clearInterval(ind) {
    if (intervals[ind]) {
        delete intervals[ind]
    }
}
function _clearTimeout(ind) {
    if (timeouts[ind]) {
        delete timeouts[ind]
    }
}

var intervalIndex = _setInterval(function() {
    console.log('every 100ms');
}, 100);
_setTimeout(function() {
    console.log('run after 200ms');
}, 200);
_setTimeout(function() {
    console.log('closing the one that\'s 100ms');
    _clearInterval(intervalIndex)
}, 2000);

window._setTimeout = _setTimeout;
window._setInterval = _setInterval;
window._clearTimeout = _clearTimeout;
window._clearInterval = _clearInterval;
})();

有一种使用Web Workers的解决方案(如前所述),因为它们运行在单独的进程中,不会减慢速度

我已经写了一个小的脚本,可以在不更改代码的情况下使用-它只是覆盖函数setTimeout, clearTimeout, setInterval, clearInterval。

只需在所有代码之前包含它。

更多信息请点击这里

有一个解决这个问题的方法,尽管实际上标签必须在某些窗口中被激活。

让你的非活动标签成为一个单独的浏览器窗口。 不要让任何其他窗口最大化(除非最大化的窗口在你的后面)。

这应该给浏览器一个始终处于活动状态的印象。

这有点麻烦,但也是一个快速的胜利。只要你能控制窗户的排列。

我修改了Lacerda的回应,添加了一个功能正常的UI。

我添加了启动/恢复/暂停/停止操作。

const timer = document.querySelector('.timer'), timerDisplay = timer.querySelector('.timer-display'), toggleAction = timer.querySelector('[data-action="toggle"]'), stopAction = timer.querySelector('[data-action="stop"]'), tickRate = 10; let intervalId, initialTime, pauseTime = 0; const now = () => new Date().getTime(); const formatTime = (hours, minutes, seconds) => [hours, minutes, seconds] .map(v => `${isNaN(v) ? 0 : v}`.padStart(2, '0')) .join(':'); const update = () => { let time = (now() - initialTime) + 10, hours = Math.floor((time / (60000)) % 60), minutes = Math.floor((time / 1000) % 60), seconds = Math.floor((time / 10) % 100); timerDisplay.textContent = formatTime(hours, minutes, seconds); }; const startTimer = () => { initialTime = now(); intervalId = setInterval(update, tickRate); }, resumeTimer = () => { initialTime = now() - (pauseTime - initialTime); intervalId = setInterval(update, tickRate); }, pauseTimer = () => { clearInterval(intervalId); intervalId = null; pauseTime = now(); }, stopTimer = () => { clearInterval(intervalId); intervalId = null; initialTime = undefined; pauseTime = 0; }, restartTimer = () => { stopTimer(); startTimer(); }; const setButtonState = (button, state, text) => { button.dataset.state = state; button.textContent = text; }; const handleToggle = (e) => { switch (e.target.dataset.state) { case 'pause': setButtonState(e.target, 'resume', 'Resume'); pauseTimer(); break; case 'resume': setButtonState(e.target, 'pause', 'Pause'); resumeTimer(); break; default: setButtonState(e.target, 'pause', 'Pause'); restartTimer(); } }, handleStop = (e) => { stopTimer(); update(); setButtonState(toggleAction, 'initial', 'Start'); }; toggleAction.addEventListener('click', handleToggle); stopAction.addEventListener('click', handleStop); update(); html, body { width: 100%; height: 100%; margin: 0; padding: 0; } body { display: flex; justify-content: center; align-items: center; background: #000; } .timer { display: flex; flex-direction: column; justify-content: center; align-items: center; gap: 0.5em; } .timer .timer-display { font-family: monospace; font-size: 3em; background: #111; color: #8F8; border: thin solid #222; padding: 0.25em; } .timer .timer-actions { display: flex; justify-content: center; gap: 0.5em; } .timer .timer-actions button[data-action] { font-family: monospace; width: 6em; border: thin solid #444; background: #222; color: #EEE; padding: 0.5em; cursor: pointer; text-transform: uppercase; } .timer .timer-actions button[data-action]:hover { background: #444; border: thin solid #666; color: #FFF; } <div class="timer"> <div class="timer-display"></div> <div class="timer-actions"> <button data-action="toggle" data-state="initial">Start</button> <button data-action="stop">Stop</button> </div> </div>

这是一个很老的问题,但我遇到了同样的问题。

如果你在chrome上运行你的网页,你可以阅读这篇文章在chrome 57的背景标签。

基本上间隔计时器可以运行,如果它没有耗尽定时器预算。

预算的消耗基于计时器内任务的CPU时间使用情况。

基于我的场景,我将视频绘制到画布上并传输到WebRTC。

webrtc视频连接将保持更新,即使标签是不活跃的。

然而,你必须使用setInterval而不是requestAnimationFrame,但是itt不推荐用于UI渲染。

最好是监听visibilityChange事件并相应地改变渲染机制。

此外,您可以尝试Kaan Soral建议的方法,它应该可以根据文档工作。