切换浏览器页签时倒计时不准确或闪跳问题的解决方案

背景说明

    我们在项目中经常遇到定时器的使用,比如倒计时,当我们切换浏览器页面时,会发现倒计时不准确了或者 会有秒数从40 直接跳跃到30的场景,这是为什么呢? 
    其实会出现这种情况是因为网页失去焦点时,主浏览器对这些定时器的执行频率进行了限制,降低至每秒一次,这就导致了不准确的问题,如何解决呢?

解决方案

    worker-timers解决了以上问题,它可以保证在非活动窗口下也保持原有频率倒计时。它的核心思想在于将定时器任务交由Web Worker处理,而Web Worker不受浏览器窗口失焦点的节流限制,它能够依然按照原有频率执行代码,确保了任务的准时执行。

应用场景

    游戏逻辑计算、实时数据刷新、定时推送服务等,均能确保数据的准确性

倒计时案例

  1. 安装 npm install worker-timers dayjs
  2. 公共方法utils
// utils.timer.js
import { clearTimeout, setTimeout } from 'worker-timers';
class Timer {
  timerList = [];

  addTimer (name, callback, time = 1000) {
    this.timerList.push({
      name,
      callback,
      time
    });
    this.runTimer(name);
  }
  static runTimer (name) {
    const _this = this;
    (function inner () {
      const task = _this.timerList.find((item) => {
        return item.name === name;
      });
      if (!task) return;
      task.t = setTimeout(() => {
        task.callback();
        clearTimeout(task.t);
        inner();
      }, task.time);
    })();
  }
  clearTimer (name) {
    const taskIndex = this.timerList.findIndex((item) => {
      return item.name === name;
    });
    if (taskIndex !== -1) {
      // 由于删除该计时器时可能存在该计时器已经入栈,所以要先清除掉,防止添加的时候重复计时
      clearTimeout(this.timerList[taskIndex].t);
      this.timerList.splice(taskIndex, 1);
    }
  }
}

export default new Timer();
  1. 封装倒计时组件
// CountDown.vue 组件
<template>
  <div class="countdown">
    <slot name="time" :timeObject="timeObject"></slot>
    <div v-if="!$scopedSlots.time">
      <span class="letter" v-for="(letter, i) of display" :key="i">{{ letter }}</span>
    </div>
  </div>
</template>
<script>

import dayjs from 'dayjs'
import utc from 'dayjs/plugin/utc'
import duration from 'dayjs/plugin/duration'
import timer from '@/utils/timer.js';

dayjs.extend(utc)
dayjs.extend(duration)
export default {
  name: 'CountDown',
  props: {
    time: { type: [Date, Number, dayjs], default: () => Date.now() }, // 开始时间
    end: { type: [Number, String, Date], required: true }, // 结束时间
    format: { type: String, default: 'HH : mm : ss' } // 格式
  },
  data () {
    return {
      now: 0,
      intervalId: Symbol('statTimer'),
      endTime: null,
      isPause: false // 暂停否
    }
  },
  computed: {
    duration () {
      return dayjs.duration(this.remain * 1000)
    },
    remain () {
      let number = ''
      this.endTime = this.endTime + ''
      if (this.now) {
        if (this.endTime.length == 10) {
          number = this.endTime - this.now <= 0 ? 0 : this.endTime - this.now
        } else if (this.endTime.length == 13) {
          number = this.endTime / 1000 - this.now <= 0 ? 0 : this.endTime / 1000 - this.now
        }
      }
      return number
    },
    months () { return this.duration.months() },
    weeks () { return this.duration.weeks() },
    days () { return this.duration.days() },
    hours () { return this.duration.hours() },
    minutes () { return this.duration.minutes() },
    seconds () { return this.duration.seconds() },
    count () { return this.remain >= 1 },
    years () { return this.duration.years() },
    display () { return this.duration.format(this.format) },
    timeObject () {
      if (this.months == 0 && this.weeks == 0 && this.days == 0 && this.hours == 0 && this.minutes == 0 && this.seconds == 0 && this.years == 0) {
        this.timeEnd()
      }
      return {
        formatTime: this.display, // 时间段
        months: this.fixedNumber(this.months),
        weeks: this.weeks,
        days: this.fixedNumber(this.days),
        hours: this.fixedNumber(this.hours),
        minutes: this.fixedNumber(this.minutes),
        seconds: this.fixedNumber(this.seconds),
        years: this.fixedNumber(this.years),
      }
    }
  },
  mounted () {

  },
  methods: {
    getTimeInfo () {
      return { ...this.timeObject, end: this.end, time: this.time }
    },
   // 恢复
    recover () {
      this.isPause = false
      timer.clearTimer(this.intervalId)
      timer.addTimer(this.intervalId, () => { this.now++ }, 1000)
      this.$emit('countDownCallback', { type: 'recover', value: this.getTimeInfo() })
    },
    // 暂停
    pause () {
      this.isPause = true
      timer.clearTimer(this.intervalId)
      this.$emit('countDownCallback', { type: 'pause', value: this.getTimeInfo() })
    },
    // 结束回调
    timeEnd () {
      this.$emit('countDownCallback', {
        type: 'timeEnd',
      })
    },
    // 补零
    fixedNumber (number) {
      number += ''
      return number.length == 2 ? number : '0' + number
    }
  },
  watch: {
    time: {
      immediate: true,
      handler (n) {
        if (n && !this.isPause) {
          this.now = this.time / 1000
        }
      }
    },
    end: {
      immediate: true,
      handler (n) {
        this.endTime = Number(n)
      }
    },
    count: {
      handler (v) {
        if (v) timer.addTimer(this.intervalId, () => { this.now++ }, 1000)
        else timer.clearTimer(this.intervalId)
      },
      immediate: true
    }
  },
  destroyed () { timer.clearTimer(this.intervalId) }
}
</script>
<style scoped>
.letter {
  display: inline-block;
  white-space: pre;
}
</style>
  1. 组件使用方法
<template>
  <div class=''>
    <countdown ref="countdown" @countDownCallback="countDownCallback" :end="endTime" :time="Date.now()" format="DD[天] HH[时]  mm[分] ss[秒]">
    <!-- <template #time="{ timeObject }">
        <div>
          {{ timeObject }}
        </div>
      </template> -->
    </countdown>
    <el-button @click="pause">暂停</el-button>
    <el-button @click="recover('continue')">恢复</el-button>
    <el-button @click="changeEnd">变更结束时间</el-button>

  </div>
</template>

<script>
import dayjs from 'dayjs'
import Countdown from './Countdown.vue'
export default {
  name: 'CountDownDemo',
  components: { Countdown },
  props: {},
  data () {
    return {
      dayjs,
      endTime: dayjs('2024-08-23 16:16:00').valueOf()
    }
  },
  methods: {
    changeEnd () {
      this.endTime = dayjs('2024-08-24 16:18:00').valueOf()
    },
    pause () {
      this.$refs.countdown.pause()
    },
    recover () {
      this.$refs.countdown.recover()
    },
    countDownCallback ({ type, value }) {
      console.log('value: ', value);
      console.log('type: ', type);
    }
  }
}
</script>
  1. 实际效果


    image.png

摘抄自:https://blog.csdn.net/gitblog_00561/article/details/141294756

©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 211,194评论 6 490
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,058评论 2 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 156,780评论 0 346
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,388评论 1 283
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,430评论 5 384
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,764评论 1 290
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,907评论 3 406
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,679评论 0 266
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,122评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,459评论 2 325
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,605评论 1 340
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,270评论 4 329
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,867评论 3 312
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,734评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,961评论 1 265
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,297评论 2 360
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,472评论 2 348

推荐阅读更多精彩内容