Last active
September 5, 2024 07:07
-
-
Save danielgalasko/1da90276f23ea24cb3467c33d2c05768 to your computer and use it in GitHub Desktop.
A repeating GCD timer that can run on a background queue
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/// RepeatingTimer mimics the API of DispatchSourceTimer but in a way that prevents | |
/// crashes that occur from calling resume multiple times on a timer that is | |
/// already resumed (noted by https://github.com/SiftScience/sift-ios/issues/52 | |
class RepeatingTimer { | |
let timeInterval: TimeInterval | |
init(timeInterval: TimeInterval) { | |
self.timeInterval = timeInterval | |
} | |
private lazy var timer: DispatchSourceTimer = { | |
let t = DispatchSource.makeTimerSource() | |
t.schedule(deadline: .now() + self.timeInterval, repeating: self.timeInterval) | |
t.setEventHandler(handler: { [weak self] in | |
self?.eventHandler?() | |
}) | |
return t | |
}() | |
var eventHandler: (() -> Void)? | |
private enum State { | |
case suspended | |
case resumed | |
} | |
private var state: State = .suspended | |
deinit { | |
timer.setEventHandler {} | |
timer.cancel() | |
/* | |
If the timer is suspended, calling cancel without resuming | |
triggers a crash. This is documented here https://forums.developer.apple.com/thread/15902 | |
*/ | |
resume() | |
eventHandler = nil | |
} | |
func resume() { | |
if state == .resumed { | |
return | |
} | |
state = .resumed | |
timer.resume() | |
} | |
func suspend() { | |
if state == .suspended { | |
return | |
} | |
state = .suspended | |
timer.suspend() | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
As far as I know, timers do not work in the background. What do you user your timer for?
If you have a stopwatch type of UI where your time needs to update when user reopens the app, try saving a timestamp when the app is backgrounded. Then, when app is foregrounded again by the user, calculate the diff in time and update your UI and restart your timer.