对于很多app来说都有需要在固定时间刷新的功能,例如游戏中的任务系统,每日任务的话就需要每天固定时间点刷新(每天早上8点刷新);在京东app中也有一个浇水的功能,里面的任务就是每天刷新。
以下代码使用lua实现
local time_info = os.date("*t", os.time())
-- 计算出当天的8点时间戳:先算出当天0点时间戳,再加8小时
local today_8_clock = nowTime - (time_info.hour * 3600 + time_info.min * 60 + time_info.sec) + (8*3600)
-- 计算下次刷新时间 nextRefreshTime :
-- 1. 如果当前的hour小于8,那么下次刷新时间就是今天8点;
-- 2. 如果hour大于8,那么刷新时间就是第二天8点,直接加 24*3600
local nextRefreshTime = time_info.hour < 8 and today_8_clock or today_8_clock + (24*3600)
local nowTime = os.time()
local time_info = os.date("*t",nowTime)
-- 计算0点到现在的时间跨度
local timeInterval = time_info.hour * 3600 + time_info.min * 60 + time_info.sec
-- 计算下次刷新时间 nextRefreshTime :
local nextRefreshTime = (8*3600 + 24 * 3600 - timeInterval) % (24 * 3600) + nowTime
nowTime 只有两种可能,8点之前A,8点之后B
那么 nextRefreshTime = A + S1 或者 B + S2
即 nextRefreshTime = nowTime + ( S1 或 S2 )
现在只要把 S1 ,S2 两段距离的计算公式统一成 S3 就行了
即最后要的公式是 nextRefreshTime = nowTime + S3
整理一下 S1 和 S2 可得到
所以综上所述,可以得到
nextRefreshTime = nowTime + S3 = nowTime + ( 8*3600 - timeInterval + 24*3600 ) % (24*3600)
每天刷新相当于每周刷新七次,也可以用这个算法来做
local refresh_list = {3*24*3600 + 15*3600, 5*24*3600 + 15*3600}
local nowTime = os.time()
local time_info = os.date("*t", nowTime)
-- 从星期天0点开始到现在到时间跨度 current_week_time
--- **`wday`** (weekday, 1–7, Sunday is 1)
local weekday = os.date("*t", nowTime).wday - 1
local current_week_time = weekday * 24 * 3600 + time_info.hour * 3600 + time_info.min * 60 + time_info.sec
local find = false
for i = 1, #refresh_list do
if current_week_time < refresh_list[i] then
find = i
break
end
end
local nextRefreshTime = 0
if find then
nextRefreshTime = nowTime - current_week_time + refresh_list[find]
else
-- 如果没有找到则表示是下周刷新
nextRefreshTime = nowTime - current_week_time + 7*24*3600 + refresh_list[1]
en