Reworked deadlock handling, fixed a few other issues

• Fixed an issue where the background task to finish sending messages may not have sent the sync message or the main message after and upload
• Fixed an issue where the SessionBackgroundTask was incorrectly reporting a failure to be created
• Fixed an incorrect modal action colour
• Fixed a crash when creating legacy groups
• Updated the code so that we take charge of resolving the deadlock issue instead of relying on GRDB to do it
• Updated the logic to timeout the SessionBackgroundTask with 5 seconds of background time remaining (to ensure we have enough time to suspend the network & database)
pull/1016/head
Morgan Pretty 7 months ago
parent 39e7005be9
commit ddd36b96a2

@ -1 +1 @@
Subproject commit 2bf8c81443494f227a9509ddd95889f196b668d6
Subproject commit de7d8a6580d8317007460d8dcbf4ce821644f80a

@ -7673,7 +7673,7 @@
CLANG_WARN__ARC_BRIDGE_CAST_NONARC = YES;
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES;
CODE_SIGN_IDENTITY = "iPhone Developer";
CURRENT_PROJECT_VERSION = 478;
CURRENT_PROJECT_VERSION = 483;
ENABLE_BITCODE = NO;
ENABLE_STRICT_OBJC_MSGSEND = YES;
ENABLE_TESTABILITY = YES;
@ -7710,7 +7710,7 @@
GCC_WARN_UNUSED_VARIABLE = YES;
HEADER_SEARCH_PATHS = "";
IPHONEOS_DEPLOYMENT_TARGET = 13.0;
MARKETING_VERSION = 2.7.2;
MARKETING_VERSION = 2.7.3;
ONLY_ACTIVE_ARCH = YES;
OTHER_CFLAGS = (
"-fobjc-arc-exceptions",
@ -7751,7 +7751,7 @@
CLANG_WARN__ARC_BRIDGE_CAST_NONARC = YES;
CLANG_WARN__DUPLICATE_METHOD_MATCH = YES;
CODE_SIGN_IDENTITY = "iPhone Distribution";
CURRENT_PROJECT_VERSION = 478;
CURRENT_PROJECT_VERSION = 483;
ENABLE_BITCODE = NO;
ENABLE_STRICT_OBJC_MSGSEND = YES;
GCC_NO_COMMON_BLOCKS = YES;
@ -7783,7 +7783,7 @@
GCC_WARN_UNUSED_VARIABLE = YES;
HEADER_SEARCH_PATHS = "";
IPHONEOS_DEPLOYMENT_TARGET = 13.0;
MARKETING_VERSION = 2.7.2;
MARKETING_VERSION = 2.7.3;
ONLY_ACTIVE_ARCH = NO;
OTHER_CFLAGS = (
"-DNS_BLOCK_ASSERTIONS=1",

@ -205,7 +205,7 @@ public final class SessionCallManager: NSObject, CallManagerProtocol {
// Stop all jobs except for message sending and when completed suspend the database
JobRunner.stopAndClearPendingJobs(exceptForVariant: .messageSend, using: dependencies) { _ in
LibSession.suspendNetworkAccess()
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
Log.flush()
}
}

@ -147,7 +147,7 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
/// Apple's documentation on the matter)
UNUserNotificationCenter.current().delegate = self
Storage.resumeDatabaseAccess()
Storage.resumeDatabaseAccess(using: dependencies)
LibSession.resumeNetworkAccess()
// Reset the 'startTime' (since it would be invalid from the last launch)
@ -209,10 +209,10 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
stopPollers(shouldStopUserPoller: !self.hasCallOngoing())
// Stop all jobs except for message sending and when completed suspend the database
JobRunner.stopAndClearPendingJobs(exceptForVariant: .messageSend, using: dependencies) { neededBackgroundProcessing in
JobRunner.stopAndClearPendingJobs(exceptForVariant: .messageSend, using: dependencies) { [dependencies] neededBackgroundProcessing in
if !self.hasCallOngoing() && (!neededBackgroundProcessing || Singleton.hasAppContext && Singleton.appContext.isInBackground) {
LibSession.suspendNetworkAccess()
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
Log.info("[AppDelegate] completed network and database shutdowns.")
Log.flush()
}
@ -238,7 +238,7 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
UserDefaults.sharedLokiProject?[.isMainAppActive] = true
// FIXME: Seems like there are some discrepancies between the expectations of how the iOS lifecycle methods work, we should look into them and ensure the code behaves as expected (in this case there were situations where these two wouldn't get called when returning from the background)
Storage.resumeDatabaseAccess()
Storage.resumeDatabaseAccess(using: dependencies)
LibSession.resumeNetworkAccess()
ensureRootViewController(calledFrom: .didBecomeActive)
@ -288,7 +288,7 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
func application(_ application: UIApplication, performFetchWithCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) {
Log.appResumedExecution()
Log.info("Starting background fetch.")
Storage.resumeDatabaseAccess()
Storage.resumeDatabaseAccess(using: dependencies)
LibSession.resumeNetworkAccess()
let queue: DispatchQueue = .global(qos: .userInitiated)
@ -302,7 +302,7 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
let cancelTimer: Timer = Timer.scheduledTimerOnMainThread(
withTimeInterval: (application.backgroundTimeRemaining - 5),
repeats: false
) { [poller] timer in
) { [poller, dependencies] timer in
timer.invalidate()
guard cancellable != nil else { return }
@ -312,7 +312,7 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
if Singleton.hasAppContext && Singleton.appContext.isInBackground {
LibSession.suspendNetworkAccess()
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
Log.flush()
}
@ -338,7 +338,7 @@ class AppDelegate: UIResponder, UIApplicationDelegate, UNUserNotificationCenterD
if Singleton.hasAppContext && Singleton.appContext.isInBackground {
LibSession.suspendNetworkAccess()
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
Log.flush()
}
@ -934,7 +934,7 @@ private enum StartupError: Error {
var name: String {
switch self {
case .databaseError(StorageError.startupFailed), .databaseError(DatabaseError.SQLITE_LOCKED):
case .databaseError(StorageError.startupFailed), .databaseError(DatabaseError.SQLITE_LOCKED), .databaseError(StorageError.databaseSuspended):
return "Database startup failed"
case .databaseError(StorageError.migrationNoLongerSupported): return "Unsupported version"
@ -946,7 +946,7 @@ private enum StartupError: Error {
var message: String {
switch self {
case .databaseError(StorageError.startupFailed), .databaseError(DatabaseError.SQLITE_LOCKED):
case .databaseError(StorageError.startupFailed), .databaseError(DatabaseError.SQLITE_LOCKED), .databaseError(StorageError.databaseSuspended):
return "DATABASE_STARTUP_FAILED".localized()
case .databaseError(StorageError.migrationNoLongerSupported):

@ -23,6 +23,7 @@ final class MainAppContext: AppContext {
return result
}
var frontmostViewController: UIViewController? { UIApplication.shared.frontmostViewControllerIgnoringAlerts }
var backgroundTimeRemaining: TimeInterval { UIApplication.shared.backgroundTimeRemaining }
var mainWindow: UIWindow?
var wasWokenUpByPushNotification: Bool = false

@ -126,7 +126,11 @@ public struct SessionApp {
Log.info("Data Reset Complete.")
Log.flush()
exit(0)
/// Wait until the next run loop to kill the app (hoping to avoid a crash due to the connection closes
/// triggering logs)
DispatchQueue.main.async {
exit(0)
}
}
public static func showHomeView(using dependencies: Dependencies) {

@ -290,7 +290,10 @@ public enum PushRegistrationError: Error {
return
}
Storage.resumeDatabaseAccess()
// FIXME: Initialise the `PushRegistrationManager` with a dependencies instance
let dependencies: Dependencies = Dependencies()
Storage.resumeDatabaseAccess(using: dependencies)
LibSession.resumeNetworkAccess()
let maybeCall: SessionCall? = Storage.shared.write { db in

@ -307,7 +307,8 @@ class PrivacySettingsViewModel: SessionTableViewModel, NavigationItemSource, Nav
showCondition: .disabled,
confirmTitle: "continue_2".localized(),
confirmAccessibility: Accessibility(identifier: "Enable"),
confirmStyle: .textPrimary,
confirmStyle: .danger,
cancelStyle: .alert_text,
onConfirm: { _ in Permissions.requestMicrophonePermissionIfNeeded() }
),
onTap: {

@ -51,7 +51,7 @@ public final class NotificationServiceExtension: UNNotificationServiceExtension
}
// Perform main setup
Storage.resumeDatabaseAccess()
Storage.resumeDatabaseAccess(using: dependencies)
DispatchQueue.main.sync {
self.setUpIfNecessary() { [weak self] in
self?.handleNotification(notificationContent, isPerformingResetup: false)
@ -415,7 +415,7 @@ public final class NotificationServiceExtension: UNNotificationServiceExtension
Log.info(handledNotification ? "Completed after handling notification." : "Completed silently.")
if !isMainAppAndActive {
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
}
Log.flush()
@ -495,7 +495,7 @@ public final class NotificationServiceExtension: UNNotificationServiceExtension
private func handleFailure(for content: UNMutableNotificationContent, error: NotificationError) {
Log.error("Show generic failure message due to error: \(error).")
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
Log.flush()
content.title = "Session"

@ -111,7 +111,7 @@ final class ThreadPickerVC: UIViewController, UITableViewDataSource, UITableView
// When the thread picker disappears it means the user has left the screen (this will be called
// whether the user has sent the message or cancelled sending)
LibSession.suspendNetworkAccess()
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: viewModel.dependencies)
Log.flush()
}
@ -240,7 +240,7 @@ final class ThreadPickerVC: UIViewController, UITableViewDataSource, UITableView
shareNavController?.dismiss(animated: true, completion: nil)
ModalActivityIndicatorViewController.present(fromViewController: shareNavController!, canCancel: false, message: "vc_share_sending_message".localized()) { [dependencies = viewModel.dependencies] activityIndicator in
Storage.resumeDatabaseAccess()
Storage.resumeDatabaseAccess(using: dependencies)
LibSession.resumeNetworkAccess()
let swarmPublicKey: String = {
@ -336,7 +336,7 @@ final class ThreadPickerVC: UIViewController, UITableViewDataSource, UITableView
.sinkUntilComplete(
receiveCompletion: { [weak self] result in
LibSession.suspendNetworkAccess()
Storage.suspendDatabaseAccess()
Storage.suspendDatabaseAccess(using: dependencies)
Log.flush()
activityIndicator.dismiss { }

@ -142,7 +142,7 @@ public extension Identity {
static func mnemonic() throws -> String {
let dbIsValid: Bool = Storage.shared.isValid
let dbIsSuspendedUnsafe: Bool = Storage.shared.isSuspendedUnsafe
let dbIsSuspended: Bool = Storage.shared.isSuspended
if let hexEncodedSeed: String = Identity.fetchHexEncodedSeed() {
return Mnemonic.encode(hexEncodedString: hexEncodedSeed)
@ -153,7 +153,7 @@ public extension Identity {
let hasStoredEdKeyPair: Bool = (Identity.fetchUserEd25519KeyPair() != nil)
let dbStates: [String] = [
"dbIsValid: \(dbIsValid)",
"dbIsSuspendedUnsafe: \(dbIsSuspendedUnsafe)",
"dbIsSuspended: \(dbIsSuspended)",
"storedSeed: false",
"userPublicKey: \(hasStoredPublicKey)",
"userPrivateKey: false",

@ -17,7 +17,12 @@ open class Storage {
public static let queuePrefix: String = "SessionDatabase"
private static let dbFileName: String = "Session.sqlite"
private static let kSQLCipherKeySpecLength: Int = 48
private static let writeWarningThreadshold: TimeInterval = 3
/// If a transaction takes longer than this duration a warning will be logged but the transaction will continue to run
private static let slowTransactionThreshold: TimeInterval = 3
/// When attempting to do a write the transaction will wait this long to acquite a lock before failing
private static let writeTransactionStartTimeout: TimeInterval = 5
private static var sharedDatabaseDirectoryPath: String { "\(FileManager.default.appSharedDataDirectoryPath)/database" }
private static var databasePath: String { "\(Storage.sharedDatabaseDirectoryPath)/\(Storage.dbFileName)" }
@ -38,11 +43,7 @@ open class Storage {
public static let shared: Storage = Storage()
public private(set) var isValid: Bool = false
/// This property gets set when triggering the suspend/resume notifications for the database but `GRDB` will attempt to
/// resume the suspention when it attempts to perform a write so it's possible for this to return a **false-positive** so
/// this should be taken into consideration when used
public private(set) var isSuspendedUnsafe: Bool = false
public private(set) var isSuspended: Bool = false
/// This property gets set the first time we successfully read from the database
public private(set) var hasSuccessfullyRead: Bool = false
@ -98,8 +99,15 @@ open class Storage {
// Configure the database and create the DatabasePool for interacting with the database
var config = Configuration()
config.label = Storage.queuePrefix
config.maximumReaderCount = 10 // Increase the max read connection limit - Default is 5
config.observesSuspensionNotifications = true // Minimise `0xDEAD10CC` exceptions
config.maximumReaderCount = 10 /// Increase the max read connection limit - Default is 5
/// It seems we should do this per https://github.com/groue/GRDB.swift/pull/1485 but with this change
/// we then need to define how long a write transaction should wait for before timing out (read transactions always run
/// in`DEFERRED` mode so won't be affected by these settings)
config.defaultTransactionKind = .immediate
config.busyMode = .timeout(Storage.writeTransactionStartTimeout)
/// Load in the SQLCipher keys
config.prepareDatabase { db in
var keySpec: Data = try Storage.getOrGenerateDatabaseKeySpec()
defer { keySpec.resetBytes(in: 0..<keySpec.count) } // Reset content immediately after use
@ -411,25 +419,30 @@ open class Storage {
// MARK: - File Management
/// In order to avoid the `0xdead10cc` exception when accessing the database while another target is accessing it we call
/// the experimental `Database.suspendNotification` notification (and store the current suspended state) to prevent
/// `GRDB` from trying to access the locked database file
/// In order to avoid the `0xdead10cc` exception we manually track whether database access should be suspended, when
/// in a suspended state this class will fail/reject all read/write calls made to it. Additionally if there was an existing transaction
/// in progress it will be interrupted.
///
/// The generally suggested approach is to avoid this entirely by not storing the database in an AppGroup folder and sharing it
/// with extensions - this may be possible but will require significant refactoring and a potentially painful migration to move the
/// database and other files into the App folder
public static func suspendDatabaseAccess(using dependencies: Dependencies = Dependencies()) {
Log.info("[Storage] suspendDatabaseAccess called.")
NotificationCenter.default.post(name: Database.suspendNotification, object: self)
if Storage.hasCreatedValidInstance { dependencies.storage.isSuspendedUnsafe = true }
public static func suspendDatabaseAccess(using dependencies: Dependencies) {
guard !dependencies.storage.isSuspended else { return }
dependencies.storage.isSuspended = true
Log.info("[Storage] Database access suspended.")
/// Interrupt any open transactions (if this function is called then we are expecting that all processes have finished running
/// and don't actually want any more transactions to occur)
dependencies.storage.dbWriter?.interrupt()
}
/// This method reverses the database suspension used to prevent the `0xdead10cc` exception (see `suspendDatabaseAccess()`
/// above for more information
public static func resumeDatabaseAccess(using dependencies: Dependencies = Dependencies()) {
NotificationCenter.default.post(name: Database.resumeNotification, object: self)
if Storage.hasCreatedValidInstance { dependencies.storage.isSuspendedUnsafe = false }
Log.info("[Storage] resumeDatabaseAccess called.")
public static func resumeDatabaseAccess(using dependencies: Dependencies) {
guard dependencies.storage.isSuspended else { return }
dependencies.storage.isSuspended = false
Log.info("[Storage] Database access resumed.")
}
public static func resetAllStorage() {
@ -466,78 +479,65 @@ open class Storage {
// MARK: - Logging Functions
private enum Action {
case read
case write
case logIfSlow
enum StorageState {
case valid(DatabaseWriter)
case invalid(Error)
init(_ storage: Storage) {
switch (storage.isSuspended, storage.isValid, storage.dbWriter) {
case (true, _, _): self = .invalid(StorageError.databaseSuspended)
case (false, true, .some(let dbWriter)): self = .valid(dbWriter)
default: self = .invalid(StorageError.databaseInvalid)
}
}
static func logIfNeeded(_ error: Error, isWrite: Bool) {
switch error {
case DatabaseError.SQLITE_ABORT, DatabaseError.SQLITE_INTERRUPT:
let message: String = ((error as? DatabaseError)?.message ?? "Unknown")
Log.error("[Storage] Database \(isWrite ? "write" : "read") failed due to error: \(message)")
case StorageError.databaseSuspended:
Log.error("[Storage] Database \(isWrite ? "write" : "read") failed as the database is suspended.")
default: break
}
}
static func logIfNeeded<T>(_ error: Error, isWrite: Bool) -> T? {
logIfNeeded(error, isWrite: isWrite)
return nil
}
static func logIfNeeded<T>(_ error: Error, isWrite: Bool) -> AnyPublisher<T, Error> {
logIfNeeded(error, isWrite: isWrite)
return Fail<T, Error>(error: error).eraseToAnyPublisher()
}
}
private typealias CallInfo = (storage: Storage?, actions: [Action], file: String, function: String, line: Int)
private static func perform<T>(
info: CallInfo,
updates: @escaping (Database) throws -> T
) -> (Database) throws -> T {
return { db in
let start: CFTimeInterval = CACurrentMediaTime()
let actionName: String = (info.actions.contains(.write) ? "write" : "read")
let fileName: String = (info.file.components(separatedBy: "/").last.map { " \($0):\(info.line)" } ?? "")
let timeout: Timer? = {
guard info.actions.contains(.logIfSlow) else { return nil }
return Timer.scheduledTimerOnMainThread(withTimeInterval: Storage.writeWarningThreadshold) {
$0.invalidate()
// Don't want to log on the main thread as to avoid confusion when debugging issues
DispatchQueue.global(qos: .background).async {
Log.warn("[Storage\(fileName)] Slow \(actionName) taking longer than \(Storage.writeWarningThreadshold, format: ".2", omitZeroDecimal: true)s - \(info.function)")
}
}
}()
guard info.storage?.isSuspended == false else { throw StorageError.databaseSuspended }
// If we timed out and are logging slow actions then log the actual duration to help us
// prioritise performance issues
defer {
if timeout != nil && timeout?.isValid == false {
let end: CFTimeInterval = CACurrentMediaTime()
DispatchQueue.global(qos: .background).async {
Log.warn("[Storage\(fileName)] Slow \(actionName) completed after \(end - start, format: ".2", omitZeroDecimal: true)s")
}
}
timeout?.invalidate()
}
let timer: TransactionTimer = TransactionTimer.start(duration: Storage.slowTransactionThreshold, info: info)
defer { timer.stop() }
// Get the result
let result: T = try updates(db)
// Update the state flags
switch info.actions {
case [.write], [.write, .logIfSlow]: info.storage?.hasSuccessfullyWritten = true
case [.read], [.read, .logIfSlow]: info.storage?.hasSuccessfullyRead = true
default: break
switch info.isWrite {
case true: info.storage?.hasSuccessfullyWritten = true
case false: info.storage?.hasSuccessfullyRead = true
}
return result
}
}
private static func logIfNeeded(_ error: Error, isWrite: Bool) {
switch error {
case DatabaseError.SQLITE_ABORT:
let message: String = ((error as? DatabaseError)?.message ?? "Unknown")
SNLog("[Storage] Database \(isWrite ? "write" : "read") failed due to error: \(message)")
default: break
}
}
private static func logIfNeeded<T>(_ error: Error, isWrite: Bool) -> T? {
logIfNeeded(error, isWrite: isWrite)
return nil
}
// MARK: - Functions
@discardableResult public func write<T>(
@ -547,28 +547,13 @@ open class Storage {
using dependencies: Dependencies = Dependencies(),
updates: @escaping (Database) throws -> T?
) -> T? {
guard isValid, let dbWriter: DatabaseWriter = dbWriter else { return nil }
let info: CallInfo = { [weak self] in (self, [.write, .logIfSlow], fileName, functionName, lineNumber) }()
do { return try dbWriter.write(Storage.perform(info: info, updates: updates)) }
catch { return Storage.logIfNeeded(error, isWrite: true) }
}
open func writeAsync<T>(
fileName: String = #file,
functionName: String = #function,
lineNumber: Int = #line,
using dependencies: Dependencies = Dependencies(),
updates: @escaping (Database) throws -> T
) {
writeAsync(
fileName: fileName,
functionName: functionName,
lineNumber: lineNumber,
using: dependencies,
updates: updates,
completion: { _, _ in }
)
switch StorageState(self) {
case .invalid(let error): return StorageState.logIfNeeded(error, isWrite: true)
case .valid(let dbWriter):
let info: CallInfo = CallInfo(fileName, functionName, lineNumber, true, self)
do { return try dbWriter.write(Storage.perform(info: info, updates: updates)) }
catch { return StorageState.logIfNeeded(error, isWrite: true) }
}
}
open func writeAsync<T>(
@ -577,23 +562,24 @@ open class Storage {
lineNumber: Int = #line,
using dependencies: Dependencies = Dependencies(),
updates: @escaping (Database) throws -> T,
completion: @escaping (Database, Swift.Result<T, Error>) throws -> Void
completion: @escaping (Database, Swift.Result<T, Error>) throws -> Void = { _, _ in }
) {
guard isValid, let dbWriter: DatabaseWriter = dbWriter else { return }
let info: CallInfo = { [weak self] in (self, [.write, .logIfSlow], fileName, functionName, lineNumber) }()
dbWriter.asyncWrite(
Storage.perform(info: info, updates: updates),
completion: { db, result in
switch result {
case .failure(let error): Storage.logIfNeeded(error, isWrite: true)
default: break
}
try? completion(db, result)
}
)
switch StorageState(self) {
case .invalid(let error): return StorageState.logIfNeeded(error, isWrite: true)
case .valid(let dbWriter):
let info: CallInfo = CallInfo(fileName, functionName, lineNumber, true, self)
dbWriter.asyncWrite(
Storage.perform(info: info, updates: updates),
completion: { db, result in
switch result {
case .failure(let error): StorageState.logIfNeeded(error, isWrite: true)
default: break
}
try? completion(db, result)
}
)
}
}
open func writePublisher<T>(
@ -603,75 +589,73 @@ open class Storage {
using dependencies: Dependencies = Dependencies(),
updates: @escaping (Database) throws -> T
) -> AnyPublisher<T, Error> {
guard isValid, let dbWriter: DatabaseWriter = dbWriter else {
return Fail<T, Error>(error: StorageError.databaseInvalid)
.eraseToAnyPublisher()
switch StorageState(self) {
case .invalid(let error): return StorageState.logIfNeeded(error, isWrite: true)
case .valid(let dbWriter):
/// **Note:** GRDB does have a `writePublisher` method but it appears to asynchronously trigger
/// both the `output` and `complete` closures at the same time which causes a lot of unexpected
/// behaviours (this behaviour is apparently expected but still causes a number of odd behaviours in our code
/// for more information see https://github.com/groue/GRDB.swift/issues/1334)
///
/// Instead of this we are just using `Deferred { Future {} }` which is executed on the specified scheduled
/// which behaves in a much more expected way than the GRDB `writePublisher` does
let info: CallInfo = CallInfo(fileName, functionName, lineNumber, true, self)
return Deferred {
Future { resolver in
do { resolver(Result.success(try dbWriter.write(Storage.perform(info: info, updates: updates)))) }
catch {
StorageState.logIfNeeded(error, isWrite: true)
resolver(Result.failure(error))
}
}
}.eraseToAnyPublisher()
}
let info: CallInfo = { [weak self] in (self, [.write, .logIfSlow], fileName, functionName, lineNumber) }()
/// **Note:** GRDB does have a `writePublisher` method but it appears to asynchronously trigger
/// both the `output` and `complete` closures at the same time which causes a lot of unexpected
/// behaviours (this behaviour is apparently expected but still causes a number of odd behaviours in our code
/// for more information see https://github.com/groue/GRDB.swift/issues/1334)
///
/// Instead of this we are just using `Deferred { Future {} }` which is executed on the specified scheduled
/// which behaves in a much more expected way than the GRDB `writePublisher` does
return Deferred {
Future { resolver in
do { resolver(Result.success(try dbWriter.write(Storage.perform(info: info, updates: updates)))) }
catch {
Storage.logIfNeeded(error, isWrite: true)
resolver(Result.failure(error))
}
}
}.eraseToAnyPublisher()
}
open func readPublisher<T>(
@discardableResult public func read<T>(
fileName: String = #file,
functionName: String = #function,
lineNumber: Int = #line,
using dependencies: Dependencies = Dependencies(),
value: @escaping (Database) throws -> T
) -> AnyPublisher<T, Error> {
guard isValid, let dbWriter: DatabaseWriter = dbWriter else {
return Fail<T, Error>(error: StorageError.databaseInvalid)
.eraseToAnyPublisher()
_ value: @escaping (Database) throws -> T?
) -> T? {
switch StorageState(self) {
case .invalid(let error): return StorageState.logIfNeeded(error, isWrite: false)
case .valid(let dbWriter):
let info: CallInfo = CallInfo(fileName, functionName, lineNumber, false, self)
do { return try dbWriter.read(Storage.perform(info: info, updates: value)) }
catch { return StorageState.logIfNeeded(error, isWrite: false) }
}
let info: CallInfo = { [weak self] in (self, [.read], fileName, functionName, lineNumber) }()
/// **Note:** GRDB does have a `readPublisher` method but it appears to asynchronously trigger
/// both the `output` and `complete` closures at the same time which causes a lot of unexpected
/// behaviours (this behaviour is apparently expected but still causes a number of odd behaviours in our code
/// for more information see https://github.com/groue/GRDB.swift/issues/1334)
///
/// Instead of this we are just using `Deferred { Future {} }` which is executed on the specified scheduled
/// which behaves in a much more expected way than the GRDB `readPublisher` does
return Deferred {
Future { resolver in
do { resolver(Result.success(try dbWriter.read(Storage.perform(info: info, updates: value)))) }
catch {
Storage.logIfNeeded(error, isWrite: false)
resolver(Result.failure(error))
}
}
}.eraseToAnyPublisher()
}
@discardableResult public func read<T>(
open func readPublisher<T>(
fileName: String = #file,
functionName: String = #function,
lineNumber: Int = #line,
using dependencies: Dependencies = Dependencies(),
_ value: @escaping (Database) throws -> T?
) -> T? {
guard isValid, let dbWriter: DatabaseWriter = dbWriter else { return nil }
let info: CallInfo = { [weak self] in (self, [.read], fileName, functionName, lineNumber) }()
do { return try dbWriter.read(Storage.perform(info: info, updates: value)) }
catch { return Storage.logIfNeeded(error, isWrite: false) }
value: @escaping (Database) throws -> T
) -> AnyPublisher<T, Error> {
switch StorageState(self) {
case .invalid(let error): return StorageState.logIfNeeded(error, isWrite: false)
case .valid(let dbWriter):
/// **Note:** GRDB does have a `readPublisher` method but it appears to asynchronously trigger
/// both the `output` and `complete` closures at the same time which causes a lot of unexpected
/// behaviours (this behaviour is apparently expected but still causes a number of odd behaviours in our code
/// for more information see https://github.com/groue/GRDB.swift/issues/1334)
///
/// Instead of this we are just using `Deferred { Future {} }` which is executed on the specified scheduled
/// which behaves in a much more expected way than the GRDB `readPublisher` does
let info: CallInfo = CallInfo(fileName, functionName, lineNumber, false, self)
return Deferred {
Future { resolver in
do { resolver(Result.success(try dbWriter.read(Storage.perform(info: info, updates: value)))) }
catch {
StorageState.logIfNeeded(error, isWrite: false)
resolver(Result.failure(error))
}
}
}.eraseToAnyPublisher()
}
}
/// Rever to the `ValueObservation.start` method for full documentation
@ -779,3 +763,79 @@ public extension Storage {
}
}
#endif
// MARK: - CallInfo
private extension Storage {
class CallInfo {
let file: String
let function: String
let line: Int
let isWrite: Bool
weak var storage: Storage?
var callInfo: String {
let fileInfo: String = (file.components(separatedBy: "/").last.map { "\($0):\(line) - " } ?? "")
return "\(fileInfo)\(function)"
}
init(
_ file: String,
_ function: String,
_ line: Int,
_ isWrite: Bool,
_ storage: Storage?
) {
self.file = file
self.function = function
self.line = line
self.isWrite = isWrite
self.storage = storage
}
}
}
// MARK: - TransactionTimer
private extension Storage {
private static let timerQueue = DispatchQueue(label: "\(Storage.queuePrefix)-.transactionTimer", qos: .background)
class TransactionTimer {
private let info: Storage.CallInfo
private let start: CFTimeInterval = CACurrentMediaTime()
private var timer: DispatchSourceTimer? = DispatchSource.makeTimerSource(queue: Storage.timerQueue)
private var wasSlowTransaction: Bool = false
private init(info: Storage.CallInfo) {
self.info = info
}
static func start(duration: TimeInterval, info: Storage.CallInfo) -> TransactionTimer {
let result: TransactionTimer = TransactionTimer(info: info)
result.timer?.schedule(deadline: .now() + .seconds(Int(duration)), repeating: .infinity) // Infinity to fire once
result.timer?.setEventHandler { [weak result] in
result?.timer?.cancel()
result?.timer = nil
let action: String = (info.isWrite ? "write" : "read")
Log.warn("[Storage] Slow \(action) taking longer than \(Storage.slowTransactionThreshold, format: ".2", omitZeroDecimal: true)s - [ \(info.callInfo) ]")
result?.wasSlowTransaction = true
}
result.timer?.resume()
return result
}
func stop() {
timer?.cancel()
timer = nil
guard wasSlowTransaction else { return }
let end: CFTimeInterval = CACurrentMediaTime()
let action: String = (info.isWrite ? "write" : "read")
Log.warn("[Storage] Slow \(action) completed after \(end - start, format: ".2", omitZeroDecimal: true)s - [ \(info.callInfo) ]")
}
}
}

@ -5,6 +5,7 @@ import Foundation
public enum StorageError: Error {
case generic
case databaseInvalid
case databaseSuspended
case startupFailed
case migrationFailed
case migrationNoLongerSupported

@ -24,6 +24,7 @@ public protocol AppContext: AnyObject {
var mainWindow: UIWindow? { get }
var isRTL: Bool { get }
var frontmostViewController: UIViewController? { get }
var backgroundTimeRemaining: TimeInterval { get }
func setMainWindow(_ mainWindow: UIWindow)
func ensureSleepBlocking(_ shouldBeBlocking: Bool, blockingObjects: [Any])
@ -43,6 +44,7 @@ public extension AppContext {
var isShareExtension: Bool { false }
var mainWindow: UIWindow? { nil }
var frontmostViewController: UIViewController? { nil }
var backgroundTimeRemaining: TimeInterval { 0 }
var isInBackground: Bool { reportedApplicationState == .background }
var isAppForegroundAndActive: Bool { reportedApplicationState == .active }

@ -21,7 +21,7 @@ public protocol JobRunnerType {
func appDidBecomeActive(using dependencies: Dependencies)
func startNonBlockingQueues(using dependencies: Dependencies)
/// Stops and clears any pending jobs except for the specified variant, the `onComplete` closure will be called once complete providing a flag indicating whether any additionak
/// Stops and clears any pending jobs except for the specified variant, the `onComplete` closure will be called once complete providing a flag indicating whether any additional
/// processing was needed before the closure was called (if not then the closure will be called synchronously)
func stopAndClearPendingJobs(exceptForVariant: Job.Variant?, using dependencies: Dependencies, onComplete: ((Bool) -> ())?)
@ -555,6 +555,11 @@ public final class JobRunner: JobRunnerType {
let jobQueues: [Job.Variant: JobQueue] = queues.wrappedValue
let blockingQueueIsRunning: Bool = (blockingQueue.wrappedValue?.isRunning.wrappedValue == true)
// Reset the 'isRunningInBackgroundTask' flag just in case (since we aren't in the background anymore)
jobQueues.forEach { _, queue in
queue.isRunningInBackgroundTask.mutate { $0 = false }
}
guard !jobsToRun.isEmpty else {
if !blockingQueueIsRunning {
jobQueues.map { _, queue in queue }.asSet().forEach { $0.start(using: dependencies) }
@ -629,6 +634,7 @@ public final class JobRunner: JobRunnerType {
}
let oldQueueDrained: (() -> ())? = queue.onQueueDrained
queue.isRunningInBackgroundTask.mutate { $0 = true }
// Create a backgroundTask to give the queue the chance to properly be drained
shutdownBackgroundTask.mutate {
@ -636,12 +642,14 @@ public final class JobRunner: JobRunnerType {
// If the background task didn't succeed then trigger the onComplete (and hope we have
// enough time to complete it's logic)
guard state != .cancelled else {
queue?.isRunningInBackgroundTask.mutate { $0 = false }
queue?.onQueueDrained = oldQueueDrained
return
}
guard state != .success else { return }
onComplete?(true)
queue?.isRunningInBackgroundTask.mutate { $0 = false }
queue?.onQueueDrained = oldQueueDrained
queue?.stopAndClearPendingJobs()
}
@ -650,6 +658,7 @@ public final class JobRunner: JobRunnerType {
// Add a callback to be triggered once the queue is drained
queue.onQueueDrained = { [weak self, weak queue] in
oldQueueDrained?()
queue?.isRunningInBackgroundTask.mutate { $0 = false }
queue?.onQueueDrained = oldQueueDrained
onComplete?(true)
@ -677,11 +686,14 @@ public final class JobRunner: JobRunnerType {
.insert(db)
}
// Get the target queue
let jobQueue: JobQueue? = queues.wrappedValue[updatedJob.variant]
// Don't add to the queue if the JobRunner isn't ready (it's been saved to the db so it'll be loaded
// once the queue actually get started later)
guard canAddToQueue(updatedJob) else { return updatedJob }
guard canAddToQueue(updatedJob) || jobQueue?.isRunningInBackgroundTask.wrappedValue == true else { return updatedJob }
let jobQueue: JobQueue? = queues.wrappedValue[updatedJob.variant]
// The queue is ready or running in a background task so we can add the job
jobQueue?.add(db, job: updatedJob, canStartJob: canStartJob, using: dependencies)
// Don't start the queue if the job can't be started
@ -986,6 +998,7 @@ public final class JobQueue: Hashable {
fileprivate var hasStartedAtLeastOnce: Atomic<Bool> = Atomic(false)
fileprivate var isRunning: Atomic<Bool> = Atomic(false)
fileprivate var pendingJobsQueue: Atomic<[Job]> = Atomic([])
fileprivate var isRunningInBackgroundTask: Atomic<Bool> = Atomic(false)
private var nextTrigger: Atomic<Trigger?> = Atomic(nil)
fileprivate var jobCallbacks: Atomic<[Int64: [(JobRunner.JobResult) -> ()]]> = Atomic([:])
@ -1263,9 +1276,12 @@ public final class JobQueue: Hashable {
forceWhenAlreadyRunning: Bool = false,
using dependencies: Dependencies
) {
// Only start if the JobRunner is allowed to start the queue
guard canStart?(self) == true else { return }
guard forceWhenAlreadyRunning || !isRunning.wrappedValue else { return }
// Only start if the JobRunner is allowed to start the queue or if this queue is running in
// a background task
let isRunningInBackgroundTask: Bool = self.isRunningInBackgroundTask.wrappedValue
guard canStart?(self) == true || isRunningInBackgroundTask else { return }
guard forceWhenAlreadyRunning || !isRunning.wrappedValue || isRunningInBackgroundTask else { return }
// The JobRunner runs synchronously we need to ensure this doesn't start
// on the main thread (if it is on the main thread then swap to a different thread)
@ -1290,18 +1306,24 @@ public final class JobQueue: Hashable {
let jobVariants: [Job.Variant] = self.jobVariants
let jobIdsAlreadyRunning: Set<Int64> = currentlyRunningJobIds.wrappedValue
let jobsAlreadyInQueue: Set<Int64> = pendingJobsQueue.wrappedValue.compactMap { $0.id }.asSet()
let jobsToRun: [Job] = dependencies.storage.read(using: dependencies) { db in
try Job
.filterPendingJobs(
variants: jobVariants,
excludeFutureJobs: true,
includeJobsWithDependencies: false
)
.filter(!jobIdsAlreadyRunning.contains(Job.Columns.id)) // Exclude jobs already running
.filter(!jobsAlreadyInQueue.contains(Job.Columns.id)) // Exclude jobs already in the queue
.fetchAll(db)
let jobsToRun: [Job]
switch isRunningInBackgroundTask {
case true: jobsToRun = [] // When running in a background task we don't want to schedule extra jobs
case false:
jobsToRun = dependencies.storage.read(using: dependencies) { db in
try Job
.filterPendingJobs(
variants: jobVariants,
excludeFutureJobs: true,
includeJobsWithDependencies: false
)
.filter(!jobIdsAlreadyRunning.contains(Job.Columns.id)) // Exclude jobs already running
.filter(!jobsAlreadyInQueue.contains(Job.Columns.id)) // Exclude jobs already in the queue
.fetchAll(db)
}
.defaulting(to: [])
}
.defaulting(to: [])
// Determine the number of jobs to run
var jobCount: Int = 0

@ -42,6 +42,11 @@ public class SessionBackgroundTaskManager {
/// This property should only be accessed while synchronized on this instance.
private var continuityTimer: Timer?
/// In order to ensure we have sufficient time to clean up before background tasks expire (without having to kick off additional tasks)
/// we track the remaining background execution time and end tasks 5 seconds early (same as the AppDelegate background fetch)
private var expirationTimeObserver: Timer?
private var hasGottenValidBackgroundTimeRemaining: Bool = false
fileprivate init() {
self.isAppActive = (
Singleton.hasAppContext &&
@ -118,6 +123,16 @@ public class SessionBackgroundTaskManager {
self?.continuityTimer?.invalidate()
self?.continuityTimer = nil
// Start observing the background time remaining
if self?.expirationTimeObserver?.isValid != true {
self?.hasGottenValidBackgroundTimeRemaining = false
self?.expirationTimeObserver = Timer.scheduledTimerOnMainThread(
withTimeInterval: 1,
repeats: true,
block: { _ in self?.expirationTimerDidFire() }
)
}
return taskId
}
}
@ -137,7 +152,7 @@ public class SessionBackgroundTaskManager {
self?.continuityTimer?.invalidate()
self?.continuityTimer = Timer.scheduledTimerOnMainThread(
withTimeInterval: 0.25,
block: { _ in self?.timerDidFire() }
block: { _ in self?.continuityTimerDidFire() }
)
self?.ensureBackgroundTaskState()
}
@ -175,6 +190,8 @@ public class SessionBackgroundTaskManager {
// Need to end background task.
let maybeBackgroundTaskId: UIBackgroundTaskIdentifier? = self?.backgroundTaskId
self?.backgroundTaskId = .invalid
self?.expirationTimeObserver?.invalidate()
self?.expirationTimeObserver = nil
if let backgroundTaskId: UIBackgroundTaskIdentifier = maybeBackgroundTaskId, backgroundTaskId != .invalid {
Singleton.appContext.endBackgroundTask(backgroundTaskId)
@ -188,7 +205,6 @@ public class SessionBackgroundTaskManager {
private func startBackgroundTask() -> Bool {
guard Singleton.hasAppContext else { return false }
// TODO: Need to test that this does block itself (I guess the old @sync'ed allowed reentry?
return SessionBackgroundTaskManager.synced(self) { [weak self] in
self?.backgroundTaskId = Singleton.appContext.beginBackgroundTask {
/// Supposedly `[UIApplication beginBackgroundTaskWithExpirationHandler]`'s handler
@ -211,6 +227,8 @@ public class SessionBackgroundTaskManager {
SessionBackgroundTaskManager.synced(self) { [weak self] in
backgroundTaskId = (self?.backgroundTaskId ?? .invalid)
self?.backgroundTaskId = .invalid
self?.expirationTimeObserver?.invalidate()
self?.expirationTimeObserver = nil
expirationMap = (self?.expirationMap ?? [:])
self?.expirationMap.removeAll()
@ -232,13 +250,35 @@ public class SessionBackgroundTaskManager {
}
}
private func timerDidFire() {
private func continuityTimerDidFire() {
SessionBackgroundTaskManager.synced(self) { [weak self] in
self?.continuityTimer?.invalidate()
self?.continuityTimer = nil
self?.ensureBackgroundTaskState()
}
}
private func expirationTimerDidFire() {
guard Singleton.hasAppContext else { return }
let backgroundTimeRemaining: TimeInterval = Singleton.appContext.backgroundTimeRemaining
SessionBackgroundTaskManager.synced(self) { [weak self] in
// It takes the OS a little while to update the 'backgroundTimeRemaining' value so if it hasn't been updated
// yet then don't do anything
guard self?.hasGottenValidBackgroundTimeRemaining == true || backgroundTimeRemaining != .greatestFiniteMagnitude else {
return
}
self?.hasGottenValidBackgroundTimeRemaining = true
// If there is more than 5 seconds remaining then no need to do anything yet (plenty of time to continue running)
guard backgroundTimeRemaining <= 5 else { return }
// There isn't a lot of time remaining so trigger the expiration
self?.backgroundTaskExpired()
}
}
}
// MARK: - SessionBackgroundTask
@ -292,8 +332,9 @@ public class SessionBackgroundTask {
}
}
// If a background task could not be begun, call the completion block
guard taskId != nil else { return }
// If we didn't get a taskId then the background task could not be started so
// we should call the completion block with a 'couldNotStart' error
guard taskId == nil else { return }
SessionBackgroundTask.synced(self) { [weak self] in
completion = self?.completion

Loading…
Cancel
Save