mirror of https://github.com/oxen-io/session-ios
You cannot select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
740 lines
32 KiB
Swift
740 lines
32 KiB
Swift
7 years ago
|
//
|
||
6 years ago
|
// Copyright (c) 2019 Open Whisper Systems. All rights reserved.
|
||
7 years ago
|
//
|
||
|
|
||
|
import Foundation
|
||
4 years ago
|
import SignalUtilitiesKit
|
||
7 years ago
|
import CloudKit
|
||
6 years ago
|
import PromiseKit
|
||
7 years ago
|
|
||
7 years ago
|
// We don't worry about atomic writes. Each backup export
|
||
|
// will diff against last successful backup.
|
||
|
//
|
||
|
// Note that all of our CloudKit records are immutable.
|
||
|
// "Persistent" records are only uploaded once.
|
||
|
// "Ephemeral" records are always uploaded to a new record name.
|
||
7 years ago
|
@objc public class OWSBackupAPI: NSObject {
|
||
7 years ago
|
|
||
|
// If we change the record types, we need to ensure indices
|
||
|
// are configured properly in the CloudKit dashboard.
|
||
7 years ago
|
//
|
||
|
// TODO: Change the record types when we ship to production.
|
||
7 years ago
|
static let signalBackupRecordType = "signalBackup"
|
||
6 years ago
|
static let manifestRecordNameSuffix = "manifest"
|
||
7 years ago
|
static let payloadKey = "payload"
|
||
7 years ago
|
static let maxRetries = 5
|
||
7 years ago
|
|
||
7 years ago
|
private class func database() -> CKDatabase {
|
||
|
let myContainer = CKContainer.default()
|
||
|
let privateDatabase = myContainer.privateCloudDatabase
|
||
|
return privateDatabase
|
||
|
}
|
||
|
|
||
7 years ago
|
private class func invalidServiceResponseError() -> Error {
|
||
|
return OWSErrorWithCodeDescription(.backupFailure,
|
||
|
NSLocalizedString("BACKUP_EXPORT_ERROR_INVALID_CLOUDKIT_RESPONSE",
|
||
|
comment: "Error indicating that the app received an invalid response from CloudKit."))
|
||
|
}
|
||
|
|
||
7 years ago
|
// MARK: - Upload
|
||
|
|
||
7 years ago
|
@objc
|
||
6 years ago
|
public class func recordNameForTestFile(recipientId: String) -> String {
|
||
|
return "\(recordNamePrefix(forRecipientId: recipientId))test-\(NSUUID().uuidString)"
|
||
7 years ago
|
}
|
||
|
|
||
6 years ago
|
// "Ephemeral" files are specific to this backup export and will always need to
|
||
|
// be saved. For example, a complete image of the database is exported each time.
|
||
|
// We wouldn't want to overwrite previous images until the entire backup export is
|
||
|
// complete.
|
||
|
@objc
|
||
|
public class func recordNameForEphemeralFile(recipientId: String,
|
||
|
label: String) -> String {
|
||
|
return "\(recordNamePrefix(forRecipientId: recipientId))ephemeral-\(label)-\(NSUUID().uuidString)"
|
||
|
}
|
||
|
|
||
7 years ago
|
// "Persistent" files may be shared between backup export; they should only be saved
|
||
|
// once. For example, attachment files should only be uploaded once. Subsequent
|
||
|
// backups can reuse the same record.
|
||
|
@objc
|
||
6 years ago
|
public class func recordNameForPersistentFile(recipientId: String,
|
||
|
fileId: String) -> String {
|
||
|
return "\(recordNamePrefix(forRecipientId: recipientId))persistentFile-\(fileId)"
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
// "Persistent" files may be shared between backup export; they should only be saved
|
||
|
// once. For example, attachment files should only be uploaded once. Subsequent
|
||
7 years ago
|
// backups can reuse the same record.
|
||
7 years ago
|
@objc
|
||
6 years ago
|
public class func recordNameForManifest(recipientId: String) -> String {
|
||
6 years ago
|
return "\(recordNamePrefix(forRecipientId: recipientId))\(manifestRecordNameSuffix)"
|
||
|
}
|
||
|
|
||
|
private class func isManifest(recordName: String) -> Bool {
|
||
|
return recordName.hasSuffix(manifestRecordNameSuffix)
|
||
6 years ago
|
}
|
||
|
|
||
|
private class func recordNamePrefix(forRecipientId recipientId: String) -> String {
|
||
6 years ago
|
return "\(recipientId)-"
|
||
6 years ago
|
}
|
||
|
|
||
|
private class func recipientId(forRecordName recordName: String) -> String? {
|
||
|
let recipientIds = self.recipientIds(forRecordNames: [recordName])
|
||
|
guard let recipientId = recipientIds.first else {
|
||
|
return nil
|
||
|
}
|
||
|
return recipientId
|
||
|
}
|
||
|
|
||
6 years ago
|
private static var recordNamePrefixRegex = {
|
||
|
return try! NSRegularExpression(pattern: "^(\\+[0-9]+)\\-")
|
||
|
}()
|
||
|
|
||
6 years ago
|
private class func recipientIds(forRecordNames recordNames: [String]) -> [String] {
|
||
|
var recipientIds = [String]()
|
||
|
for recordName in recordNames {
|
||
6 years ago
|
let regex = recordNamePrefixRegex
|
||
6 years ago
|
guard let match: NSTextCheckingResult = regex.firstMatch(in: recordName, options: [], range: NSRange(location: 0, length: recordName.utf16.count)) else {
|
||
6 years ago
|
Logger.warn("no match: \(recordName)")
|
||
|
continue
|
||
|
}
|
||
|
guard match.numberOfRanges > 0 else {
|
||
|
// Match must include first group.
|
||
|
Logger.warn("invalid match: \(recordName)")
|
||
6 years ago
|
continue
|
||
|
}
|
||
6 years ago
|
let firstRange = match.range(at: 1)
|
||
|
guard firstRange.location == 0,
|
||
|
firstRange.length > 0 else {
|
||
6 years ago
|
// Match must be at start of string and non-empty.
|
||
|
Logger.warn("invalid match: \(recordName) \(firstRange)")
|
||
|
continue
|
||
6 years ago
|
}
|
||
6 years ago
|
let recipientId = (recordName as NSString).substring(with: firstRange) as String
|
||
6 years ago
|
recipientIds.append(recipientId)
|
||
|
}
|
||
|
return recipientIds
|
||
|
}
|
||
|
|
||
6 years ago
|
@objc
|
||
|
public class func record(forFileUrl fileUrl: URL,
|
||
|
recordName: String) -> CKRecord {
|
||
|
let recordType = signalBackupRecordType
|
||
6 years ago
|
let recordID = CKRecord.ID(recordName: recordName)
|
||
6 years ago
|
let record = CKRecord(recordType: recordType, recordID: recordID)
|
||
|
let asset = CKAsset(fileURL: fileUrl)
|
||
|
record[payloadKey] = asset
|
||
|
|
||
|
return record
|
||
|
}
|
||
|
|
||
|
@objc
|
||
|
public class func saveRecordsToCloudObjc(records: [CKRecord]) -> AnyPromise {
|
||
|
return AnyPromise(saveRecordsToCloud(records: records))
|
||
|
}
|
||
|
|
||
|
public class func saveRecordsToCloud(records: [CKRecord]) -> Promise<Void> {
|
||
6 years ago
|
|
||
|
// CloudKit's internal limit is 400, but I haven't found a constant for this.
|
||
|
let kMaxBatchSize = 100
|
||
6 years ago
|
return records.chunked(by: kMaxBatchSize).reduce(Promise.value(())) { (promise, batch) -> Promise<Void> in
|
||
|
return promise.then(on: .global()) {
|
||
|
saveRecordsToCloud(records: batch, remainingRetries: maxRetries)
|
||
|
}.done {
|
||
|
Logger.verbose("Saved batch: \(batch.count)")
|
||
6 years ago
|
}
|
||
|
}
|
||
6 years ago
|
}
|
||
|
|
||
|
private class func saveRecordsToCloud(records: [CKRecord],
|
||
|
remainingRetries: Int) -> Promise<Void> {
|
||
|
|
||
|
let recordNames = records.map { (record) in
|
||
|
return record.recordID.recordName
|
||
|
}
|
||
6 years ago
|
Logger.verbose("recordNames[\(recordNames.count)] \(recordNames[0..<10])...")
|
||
6 years ago
|
|
||
|
return Promise { resolver in
|
||
|
let saveOperation = CKModifyRecordsOperation(recordsToSave: records, recordIDsToDelete: nil)
|
||
|
saveOperation.modifyRecordsCompletionBlock = { (savedRecords: [CKRecord]?, _, error) in
|
||
|
|
||
|
let retry = {
|
||
|
// Only retry records which didn't already succeed.
|
||
|
var savedRecordNames = [String]()
|
||
|
if let savedRecords = savedRecords {
|
||
|
savedRecordNames = savedRecords.map { (record) in
|
||
|
return record.recordID.recordName
|
||
|
}
|
||
|
}
|
||
|
let retryRecords = records.filter({ (record) in
|
||
|
return !savedRecordNames.contains(record.recordID.recordName)
|
||
|
})
|
||
|
|
||
|
saveRecordsToCloud(records: retryRecords,
|
||
|
remainingRetries: remainingRetries - 1)
|
||
|
.done { _ in
|
||
|
resolver.fulfill(())
|
||
|
}.catch { (error) in
|
||
|
resolver.reject(error)
|
||
|
}.retainUntilComplete()
|
||
|
}
|
||
|
|
||
|
let outcome = outcomeForCloudKitError(error: error,
|
||
|
remainingRetries: remainingRetries,
|
||
6 years ago
|
label: "Save Records[\(recordNames.count)]")
|
||
6 years ago
|
switch outcome {
|
||
|
case .success:
|
||
|
resolver.fulfill(())
|
||
|
case .failureDoNotRetry(let outcomeError):
|
||
|
resolver.reject(outcomeError)
|
||
|
case .failureRetryAfterDelay(let retryDelay):
|
||
|
DispatchQueue.global().asyncAfter(deadline: DispatchTime.now() + retryDelay, execute: {
|
||
|
retry()
|
||
|
})
|
||
|
case .failureRetryWithoutDelay:
|
||
|
DispatchQueue.global().async {
|
||
|
retry()
|
||
|
}
|
||
|
case .unknownItem:
|
||
|
owsFailDebug("unexpected CloudKit response.")
|
||
|
resolver.reject(invalidServiceResponseError())
|
||
|
}
|
||
|
}
|
||
|
saveOperation.isAtomic = false
|
||
|
saveOperation.savePolicy = .allKeys
|
||
|
|
||
|
// TODO: use perRecordProgressBlock and perRecordCompletionBlock.
|
||
|
// open var perRecordProgressBlock: ((CKRecord, Double) -> Void)?
|
||
|
// open var perRecordCompletionBlock: ((CKRecord, Error?) -> Void)?
|
||
|
|
||
|
// These APIs are only available in iOS 9.3 and later.
|
||
|
if #available(iOS 9.3, *) {
|
||
|
saveOperation.isLongLived = true
|
||
|
saveOperation.qualityOfService = .background
|
||
|
}
|
||
|
|
||
|
database().add(saveOperation)
|
||
|
}
|
||
|
}
|
||
|
|
||
7 years ago
|
// MARK: - Delete
|
||
|
|
||
|
@objc
|
||
7 years ago
|
public class func deleteRecordsFromCloud(recordNames: [String],
|
||
6 years ago
|
success: @escaping () -> Void,
|
||
|
failure: @escaping (Error) -> Void) {
|
||
7 years ago
|
deleteRecordsFromCloud(recordNames: recordNames,
|
||
6 years ago
|
remainingRetries: maxRetries,
|
||
|
success: success,
|
||
|
failure: failure)
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
private class func deleteRecordsFromCloud(recordNames: [String],
|
||
6 years ago
|
remainingRetries: Int,
|
||
|
success: @escaping () -> Void,
|
||
|
failure: @escaping (Error) -> Void) {
|
||
7 years ago
|
|
||
6 years ago
|
let recordIDs = recordNames.map { CKRecord.ID(recordName: $0) }
|
||
7 years ago
|
let deleteOperation = CKModifyRecordsOperation(recordsToSave: nil, recordIDsToDelete: recordIDs)
|
||
|
deleteOperation.modifyRecordsCompletionBlock = { (records, recordIds, error) in
|
||
7 years ago
|
|
||
7 years ago
|
let outcome = outcomeForCloudKitError(error: error,
|
||
7 years ago
|
remainingRetries: remainingRetries,
|
||
|
label: "Delete Records")
|
||
7 years ago
|
switch outcome {
|
||
7 years ago
|
case .success:
|
||
7 years ago
|
success()
|
||
7 years ago
|
case .failureDoNotRetry(let outcomeError):
|
||
|
failure(outcomeError)
|
||
7 years ago
|
case .failureRetryAfterDelay(let retryDelay):
|
||
|
DispatchQueue.global().asyncAfter(deadline: DispatchTime.now() + retryDelay, execute: {
|
||
7 years ago
|
deleteRecordsFromCloud(recordNames: recordNames,
|
||
6 years ago
|
remainingRetries: remainingRetries - 1,
|
||
|
success: success,
|
||
|
failure: failure)
|
||
7 years ago
|
})
|
||
|
case .failureRetryWithoutDelay:
|
||
|
DispatchQueue.global().async {
|
||
7 years ago
|
deleteRecordsFromCloud(recordNames: recordNames,
|
||
6 years ago
|
remainingRetries: remainingRetries - 1,
|
||
|
success: success,
|
||
|
failure: failure)
|
||
7 years ago
|
}
|
||
7 years ago
|
case .unknownItem:
|
||
7 years ago
|
owsFailDebug("unexpected CloudKit response.")
|
||
7 years ago
|
failure(invalidServiceResponseError())
|
||
7 years ago
|
}
|
||
|
}
|
||
7 years ago
|
database().add(deleteOperation)
|
||
7 years ago
|
}
|
||
|
|
||
|
// MARK: - Exists?
|
||
|
|
||
7 years ago
|
private class func checkForFileInCloud(recordName: String,
|
||
6 years ago
|
remainingRetries: Int) -> Promise<CKRecord?> {
|
||
|
|
||
6 years ago
|
Logger.verbose("checkForFileInCloud \(recordName)")
|
||
|
|
||
6 years ago
|
let (promise, resolver) = Promise<CKRecord?>.pending()
|
||
|
|
||
6 years ago
|
let recordId = CKRecord.ID(recordName: recordName)
|
||
7 years ago
|
let fetchOperation = CKFetchRecordsOperation(recordIDs: [recordId ])
|
||
7 years ago
|
// Don't download the file; we're just using the fetch to check whether or
|
||
|
// not this record already exists.
|
||
|
fetchOperation.desiredKeys = []
|
||
7 years ago
|
fetchOperation.perRecordCompletionBlock = { (record, recordId, error) in
|
||
7 years ago
|
|
||
7 years ago
|
let outcome = outcomeForCloudKitError(error: error,
|
||
6 years ago
|
remainingRetries: remainingRetries,
|
||
|
label: "Check for Record")
|
||
7 years ago
|
switch outcome {
|
||
7 years ago
|
case .success:
|
||
|
guard let record = record else {
|
||
7 years ago
|
owsFailDebug("missing fetching record.")
|
||
6 years ago
|
resolver.reject(invalidServiceResponseError())
|
||
7 years ago
|
return
|
||
7 years ago
|
}
|
||
7 years ago
|
// Record found.
|
||
6 years ago
|
resolver.fulfill(record)
|
||
7 years ago
|
case .failureDoNotRetry(let outcomeError):
|
||
6 years ago
|
resolver.reject(outcomeError)
|
||
7 years ago
|
case .failureRetryAfterDelay(let retryDelay):
|
||
|
DispatchQueue.global().asyncAfter(deadline: DispatchTime.now() + retryDelay, execute: {
|
||
|
checkForFileInCloud(recordName: recordName,
|
||
6 years ago
|
remainingRetries: remainingRetries - 1)
|
||
|
.done { (record) in
|
||
|
resolver.fulfill(record)
|
||
|
}.catch { (error) in
|
||
|
resolver.reject(error)
|
||
6 years ago
|
}.retainUntilComplete()
|
||
7 years ago
|
})
|
||
|
case .failureRetryWithoutDelay:
|
||
|
DispatchQueue.global().async {
|
||
|
checkForFileInCloud(recordName: recordName,
|
||
6 years ago
|
remainingRetries: remainingRetries - 1)
|
||
|
.done { (record) in
|
||
|
resolver.fulfill(record)
|
||
|
}.catch { (error) in
|
||
|
resolver.reject(error)
|
||
6 years ago
|
}.retainUntilComplete()
|
||
7 years ago
|
}
|
||
|
case .unknownItem:
|
||
|
// Record not found.
|
||
6 years ago
|
resolver.fulfill(nil)
|
||
7 years ago
|
}
|
||
7 years ago
|
}
|
||
7 years ago
|
database().add(fetchOperation)
|
||
6 years ago
|
return promise
|
||
7 years ago
|
}
|
||
|
|
||
|
@objc
|
||
6 years ago
|
public class func checkForManifestInCloudObjc(recipientId: String) -> AnyPromise {
|
||
|
return AnyPromise(checkForManifestInCloud(recipientId: recipientId))
|
||
|
}
|
||
|
|
||
|
public class func checkForManifestInCloud(recipientId: String) -> Promise<Bool> {
|
||
7 years ago
|
|
||
6 years ago
|
let recordName = recordNameForManifest(recipientId: recipientId)
|
||
6 years ago
|
return checkForFileInCloud(recordName: recordName,
|
||
|
remainingRetries: maxRetries)
|
||
|
.map { (record) in
|
||
|
return record != nil
|
||
|
}
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
@objc
|
||
6 years ago
|
public class func allRecipientIdsWithManifestsInCloud(success: @escaping ([String]) -> Void,
|
||
|
failure: @escaping (Error) -> Void) {
|
||
|
|
||
|
let processResults = { (recordNames: [String]) in
|
||
|
DispatchQueue.global().async {
|
||
|
let manifestRecordNames = recordNames.filter({ (recordName) -> Bool in
|
||
|
self.isManifest(recordName: recordName)
|
||
|
})
|
||
|
let recipientIds = self.recipientIds(forRecordNames: manifestRecordNames)
|
||
|
success(recipientIds)
|
||
|
}
|
||
|
}
|
||
7 years ago
|
|
||
|
let query = CKQuery(recordType: signalBackupRecordType, predicate: NSPredicate(value: true))
|
||
|
// Fetch the first page of results for this query.
|
||
6 years ago
|
fetchAllRecordNamesStep(recipientId: nil,
|
||
6 years ago
|
query: query,
|
||
7 years ago
|
previousRecordNames: [String](),
|
||
|
cursor: nil,
|
||
7 years ago
|
remainingRetries: maxRetries,
|
||
6 years ago
|
success: processResults,
|
||
7 years ago
|
failure: failure)
|
||
|
}
|
||
|
|
||
6 years ago
|
@objc
|
||
6 years ago
|
public class func fetchAllRecordNames(recipientId: String,
|
||
|
success: @escaping ([String]) -> Void,
|
||
|
failure: @escaping (Error) -> Void) {
|
||
6 years ago
|
|
||
|
let query = CKQuery(recordType: signalBackupRecordType, predicate: NSPredicate(value: true))
|
||
|
// Fetch the first page of results for this query.
|
||
6 years ago
|
fetchAllRecordNamesStep(recipientId: recipientId,
|
||
6 years ago
|
query: query,
|
||
|
previousRecordNames: [String](),
|
||
|
cursor: nil,
|
||
|
remainingRetries: maxRetries,
|
||
6 years ago
|
success: success,
|
||
6 years ago
|
failure: failure)
|
||
|
}
|
||
|
|
||
|
private class func fetchAllRecordNamesStep(recipientId: String?,
|
||
|
query: CKQuery,
|
||
7 years ago
|
previousRecordNames: [String],
|
||
6 years ago
|
cursor: CKQueryOperation.Cursor?,
|
||
7 years ago
|
remainingRetries: Int,
|
||
7 years ago
|
success: @escaping ([String]) -> Void,
|
||
|
failure: @escaping (Error) -> Void) {
|
||
7 years ago
|
|
||
|
var allRecordNames = previousRecordNames
|
||
|
|
||
7 years ago
|
let queryOperation = CKQueryOperation(query: query)
|
||
7 years ago
|
// If this isn't the first page of results for this query, resume
|
||
|
// where we left off.
|
||
|
queryOperation.cursor = cursor
|
||
|
// Don't download the file; we're just using the query to get a list of record names.
|
||
|
queryOperation.desiredKeys = []
|
||
|
queryOperation.recordFetchedBlock = { (record) in
|
||
|
assert(record.recordID.recordName.count > 0)
|
||
6 years ago
|
|
||
|
let recordName = record.recordID.recordName
|
||
|
|
||
|
if let recipientId = recipientId {
|
||
|
let prefix = recordNamePrefix(forRecipientId: recipientId)
|
||
|
guard recordName.hasPrefix(prefix) else {
|
||
|
Logger.info("Ignoring record: \(recordName)")
|
||
|
return
|
||
|
}
|
||
|
}
|
||
|
|
||
|
allRecordNames.append(recordName)
|
||
7 years ago
|
}
|
||
|
queryOperation.queryCompletionBlock = { (cursor, error) in
|
||
7 years ago
|
|
||
7 years ago
|
let outcome = outcomeForCloudKitError(error: error,
|
||
6 years ago
|
remainingRetries: remainingRetries,
|
||
|
label: "Fetch All Records")
|
||
7 years ago
|
switch outcome {
|
||
7 years ago
|
case .success:
|
||
|
if let cursor = cursor {
|
||
7 years ago
|
Logger.verbose("fetching more record names \(allRecordNames.count).")
|
||
7 years ago
|
// There are more pages of results, continue fetching.
|
||
6 years ago
|
fetchAllRecordNamesStep(recipientId: recipientId,
|
||
|
query: query,
|
||
7 years ago
|
previousRecordNames: allRecordNames,
|
||
|
cursor: cursor,
|
||
|
remainingRetries: maxRetries,
|
||
|
success: success,
|
||
|
failure: failure)
|
||
|
return
|
||
|
}
|
||
7 years ago
|
Logger.info("fetched \(allRecordNames.count) record names.")
|
||
7 years ago
|
success(allRecordNames)
|
||
7 years ago
|
case .failureDoNotRetry(let outcomeError):
|
||
|
failure(outcomeError)
|
||
7 years ago
|
case .failureRetryAfterDelay(let retryDelay):
|
||
|
DispatchQueue.global().asyncAfter(deadline: DispatchTime.now() + retryDelay, execute: {
|
||
6 years ago
|
fetchAllRecordNamesStep(recipientId: recipientId,
|
||
|
query: query,
|
||
7 years ago
|
previousRecordNames: allRecordNames,
|
||
|
cursor: cursor,
|
||
|
remainingRetries: remainingRetries - 1,
|
||
|
success: success,
|
||
|
failure: failure)
|
||
|
})
|
||
|
case .failureRetryWithoutDelay:
|
||
|
DispatchQueue.global().async {
|
||
6 years ago
|
fetchAllRecordNamesStep(recipientId: recipientId,
|
||
|
query: query,
|
||
7 years ago
|
previousRecordNames: allRecordNames,
|
||
|
cursor: cursor,
|
||
|
remainingRetries: remainingRetries - 1,
|
||
|
success: success,
|
||
|
failure: failure)
|
||
|
}
|
||
|
case .unknownItem:
|
||
7 years ago
|
owsFailDebug("unexpected CloudKit response.")
|
||
7 years ago
|
failure(invalidServiceResponseError())
|
||
7 years ago
|
}
|
||
|
}
|
||
7 years ago
|
database().add(queryOperation)
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
// MARK: - Download
|
||
|
|
||
7 years ago
|
@objc
|
||
6 years ago
|
public class func downloadManifestFromCloudObjc(recipientId: String) -> AnyPromise {
|
||
|
return AnyPromise(downloadManifestFromCloud(recipientId: recipientId))
|
||
|
}
|
||
|
|
||
|
public class func downloadManifestFromCloud(recipientId: String) -> Promise<Data> {
|
||
6 years ago
|
|
||
|
let recordName = recordNameForManifest(recipientId: recipientId)
|
||
6 years ago
|
return downloadDataFromCloud(recordName: recordName)
|
||
7 years ago
|
}
|
||
|
|
||
|
@objc
|
||
6 years ago
|
public class func downloadDataFromCloudObjc(recordName: String) -> AnyPromise {
|
||
|
return AnyPromise(downloadDataFromCloud(recordName: recordName))
|
||
|
}
|
||
|
|
||
|
public class func downloadDataFromCloud(recordName: String) -> Promise<Data> {
|
||
|
return downloadFromCloud(recordName: recordName,
|
||
|
remainingRetries: maxRetries)
|
||
6 years ago
|
.map { (asset) -> Data in
|
||
|
guard let fileURL = asset.fileURL else {
|
||
|
throw invalidServiceResponseError()
|
||
6 years ago
|
}
|
||
6 years ago
|
return try Data(contentsOf: fileURL)
|
||
6 years ago
|
}
|
||
7 years ago
|
}
|
||
|
|
||
|
@objc
|
||
6 years ago
|
public class func downloadFileFromCloudObjc(recordName: String,
|
||
6 years ago
|
toFileUrl: URL) -> AnyPromise {
|
||
6 years ago
|
return AnyPromise(downloadFileFromCloud(recordName: recordName,
|
||
|
toFileUrl: toFileUrl))
|
||
|
}
|
||
|
|
||
7 years ago
|
public class func downloadFileFromCloud(recordName: String,
|
||
6 years ago
|
toFileUrl: URL) -> Promise<Void> {
|
||
|
|
||
|
return downloadFromCloud(recordName: recordName,
|
||
6 years ago
|
remainingRetries: maxRetries)
|
||
6 years ago
|
.done { asset in
|
||
|
guard let fileURL = asset.fileURL else {
|
||
|
throw invalidServiceResponseError()
|
||
6 years ago
|
}
|
||
6 years ago
|
try FileManager.default.copyItem(at: fileURL, to: toFileUrl)
|
||
6 years ago
|
}
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
// We return the CKAsset and not its fileUrl because
|
||
|
// CloudKit offers no guarantees around how long it'll
|
||
|
// keep around the underlying file. Presumably we can
|
||
|
// defer cleanup by maintaining a strong reference to
|
||
|
// the asset.
|
||
7 years ago
|
private class func downloadFromCloud(recordName: String,
|
||
6 years ago
|
remainingRetries: Int) -> Promise<CKAsset> {
|
||
|
|
||
6 years ago
|
Logger.verbose("downloadFromCloud \(recordName)")
|
||
|
|
||
6 years ago
|
let (promise, resolver) = Promise<CKAsset>.pending()
|
||
7 years ago
|
|
||
6 years ago
|
let recordId = CKRecord.ID(recordName: recordName)
|
||
7 years ago
|
let fetchOperation = CKFetchRecordsOperation(recordIDs: [recordId ])
|
||
|
// Download all keys for this record.
|
||
|
fetchOperation.perRecordCompletionBlock = { (record, recordId, error) in
|
||
7 years ago
|
|
||
7 years ago
|
let outcome = outcomeForCloudKitError(error: error,
|
||
6 years ago
|
remainingRetries: remainingRetries,
|
||
|
label: "Download Record")
|
||
7 years ago
|
switch outcome {
|
||
7 years ago
|
case .success:
|
||
|
guard let record = record else {
|
||
7 years ago
|
Logger.error("missing fetching record.")
|
||
6 years ago
|
resolver.reject(invalidServiceResponseError())
|
||
7 years ago
|
return
|
||
|
}
|
||
|
guard let asset = record[payloadKey] as? CKAsset else {
|
||
7 years ago
|
Logger.error("record missing payload.")
|
||
6 years ago
|
resolver.reject(invalidServiceResponseError())
|
||
7 years ago
|
return
|
||
|
}
|
||
6 years ago
|
resolver.fulfill(asset)
|
||
7 years ago
|
case .failureDoNotRetry(let outcomeError):
|
||
6 years ago
|
resolver.reject(outcomeError)
|
||
7 years ago
|
case .failureRetryAfterDelay(let retryDelay):
|
||
|
DispatchQueue.global().asyncAfter(deadline: DispatchTime.now() + retryDelay, execute: {
|
||
|
downloadFromCloud(recordName: recordName,
|
||
6 years ago
|
remainingRetries: remainingRetries - 1)
|
||
|
.done { (asset) in
|
||
|
resolver.fulfill(asset)
|
||
|
}.catch { (error) in
|
||
|
resolver.reject(error)
|
||
6 years ago
|
}.retainUntilComplete()
|
||
7 years ago
|
})
|
||
|
case .failureRetryWithoutDelay:
|
||
|
DispatchQueue.global().async {
|
||
|
downloadFromCloud(recordName: recordName,
|
||
6 years ago
|
remainingRetries: remainingRetries - 1)
|
||
|
.done { (asset) in
|
||
|
resolver.fulfill(asset)
|
||
|
}.catch { (error) in
|
||
|
resolver.reject(error)
|
||
|
}.retainUntilComplete()
|
||
7 years ago
|
}
|
||
|
case .unknownItem:
|
||
7 years ago
|
Logger.error("missing fetching record.")
|
||
6 years ago
|
resolver.reject(invalidServiceResponseError())
|
||
7 years ago
|
}
|
||
|
}
|
||
7 years ago
|
database().add(fetchOperation)
|
||
6 years ago
|
|
||
|
return promise
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
// MARK: - Access
|
||
|
|
||
6 years ago
|
@objc public enum BackupError: Int, Error {
|
||
|
case couldNotDetermineAccountStatus
|
||
|
case noAccount
|
||
|
case restrictedAccountStatus
|
||
|
}
|
||
|
|
||
7 years ago
|
@objc
|
||
6 years ago
|
public class func ensureCloudKitAccessObjc() -> AnyPromise {
|
||
|
return AnyPromise(ensureCloudKitAccess())
|
||
6 years ago
|
}
|
||
|
|
||
6 years ago
|
public class func ensureCloudKitAccess() -> Promise<Void> {
|
||
6 years ago
|
let (promise, resolver) = Promise<Void>.pending()
|
||
6 years ago
|
CKContainer.default().accountStatus { (accountStatus, error) in
|
||
6 years ago
|
if let error = error {
|
||
|
Logger.error("Unknown error: \(String(describing: error)).")
|
||
|
resolver.reject(error)
|
||
|
return
|
||
|
}
|
||
|
switch accountStatus {
|
||
|
case .couldNotDetermine:
|
||
|
Logger.error("could not determine CloudKit account status: \(String(describing: error)).")
|
||
|
resolver.reject(BackupError.couldNotDetermineAccountStatus)
|
||
|
case .noAccount:
|
||
|
Logger.error("no CloudKit account.")
|
||
|
resolver.reject(BackupError.noAccount)
|
||
|
case .restricted:
|
||
|
Logger.error("restricted CloudKit account.")
|
||
|
resolver.reject(BackupError.restrictedAccountStatus)
|
||
|
case .available:
|
||
|
Logger.verbose("CloudKit access okay.")
|
||
|
resolver.fulfill(())
|
||
7 years ago
|
}
|
||
6 years ago
|
}
|
||
6 years ago
|
return promise
|
||
|
}
|
||
|
|
||
|
@objc
|
||
|
public class func errorMessage(forCloudKitAccessError error: Error) -> String {
|
||
|
if let backupError = error as? BackupError {
|
||
|
Logger.error("Backup error: \(String(describing: backupError)).")
|
||
|
switch backupError {
|
||
|
case .couldNotDetermineAccountStatus:
|
||
|
return NSLocalizedString("CLOUDKIT_STATUS_COULD_NOT_DETERMINE", comment: "Error indicating that the app could not determine that user's iCloud account status")
|
||
|
case .noAccount:
|
||
|
return NSLocalizedString("CLOUDKIT_STATUS_NO_ACCOUNT", comment: "Error indicating that user does not have an iCloud account.")
|
||
|
case .restrictedAccountStatus:
|
||
|
return NSLocalizedString("CLOUDKIT_STATUS_RESTRICTED", comment: "Error indicating that the app was prevented from accessing the user's iCloud account.")
|
||
|
}
|
||
|
} else {
|
||
|
Logger.error("Unknown error: \(String(describing: error)).")
|
||
|
return NSLocalizedString("CLOUDKIT_STATUS_COULD_NOT_DETERMINE", comment: "Error indicating that the app could not determine that user's iCloud account status")
|
||
|
}
|
||
7 years ago
|
}
|
||
7 years ago
|
|
||
|
// MARK: - Retry
|
||
|
|
||
7 years ago
|
private enum APIOutcome {
|
||
7 years ago
|
case success
|
||
|
case failureDoNotRetry(error:Error)
|
||
7 years ago
|
case failureRetryAfterDelay(retryDelay: TimeInterval)
|
||
7 years ago
|
case failureRetryWithoutDelay
|
||
7 years ago
|
// This only applies to fetches.
|
||
|
case unknownItem
|
||
7 years ago
|
}
|
||
|
|
||
7 years ago
|
private class func outcomeForCloudKitError(error: Error?,
|
||
6 years ago
|
remainingRetries: Int,
|
||
|
label: String) -> APIOutcome {
|
||
7 years ago
|
if let error = error as? CKError {
|
||
7 years ago
|
if error.code == CKError.unknownItem {
|
||
|
// This is not always an error for our purposes.
|
||
7 years ago
|
Logger.verbose("\(label) unknown item.")
|
||
7 years ago
|
return .unknownItem
|
||
|
}
|
||
|
|
||
7 years ago
|
Logger.error("\(label) failed: \(error)")
|
||
7 years ago
|
|
||
7 years ago
|
if remainingRetries < 1 {
|
||
7 years ago
|
Logger.verbose("\(label) no more retries.")
|
||
7 years ago
|
return .failureDoNotRetry(error:error)
|
||
|
}
|
||
|
|
||
|
if #available(iOS 11, *) {
|
||
|
if error.code == CKError.serverResponseLost {
|
||
7 years ago
|
Logger.verbose("\(label) retry without delay.")
|
||
7 years ago
|
return .failureRetryWithoutDelay
|
||
|
}
|
||
|
}
|
||
|
|
||
|
switch error {
|
||
|
case CKError.requestRateLimited, CKError.serviceUnavailable, CKError.zoneBusy:
|
||
|
let retryDelay = error.retryAfterSeconds ?? 3.0
|
||
7 years ago
|
Logger.verbose("\(label) retry with delay: \(retryDelay).")
|
||
7 years ago
|
return .failureRetryAfterDelay(retryDelay:retryDelay)
|
||
|
case CKError.networkFailure:
|
||
7 years ago
|
Logger.verbose("\(label) retry without delay.")
|
||
7 years ago
|
return .failureRetryWithoutDelay
|
||
|
default:
|
||
7 years ago
|
Logger.verbose("\(label) unknown CKError.")
|
||
7 years ago
|
return .failureDoNotRetry(error:error)
|
||
|
}
|
||
|
} else if let error = error {
|
||
7 years ago
|
Logger.error("\(label) failed: \(error)")
|
||
7 years ago
|
if remainingRetries < 1 {
|
||
7 years ago
|
Logger.verbose("\(label) no more retries.")
|
||
7 years ago
|
return .failureDoNotRetry(error:error)
|
||
|
}
|
||
7 years ago
|
Logger.verbose("\(label) unknown error.")
|
||
7 years ago
|
return .failureDoNotRetry(error:error)
|
||
|
} else {
|
||
7 years ago
|
Logger.info("\(label) succeeded.")
|
||
7 years ago
|
return .success
|
||
|
}
|
||
|
}
|
||
6 years ago
|
|
||
|
// MARK: -
|
||
|
|
||
|
@objc
|
||
|
public class func setup() {
|
||
|
cancelAllLongLivedOperations()
|
||
|
}
|
||
|
|
||
|
private class func cancelAllLongLivedOperations() {
|
||
|
// These APIs are only available in iOS 9.3 and later.
|
||
|
guard #available(iOS 9.3, *) else {
|
||
|
return
|
||
|
}
|
||
|
|
||
|
let container = CKContainer.default()
|
||
|
container.fetchAllLongLivedOperationIDs { (operationIds, error) in
|
||
|
if let error = error {
|
||
|
Logger.error("Could not get all long lived operations: \(error)")
|
||
|
return
|
||
|
}
|
||
|
guard let operationIds = operationIds else {
|
||
|
Logger.error("No operation ids.")
|
||
|
return
|
||
|
}
|
||
|
|
||
|
for operationId in operationIds {
|
||
|
container.fetchLongLivedOperation(withID: operationId, completionHandler: { (operation, error) in
|
||
|
if let error = error {
|
||
|
Logger.error("Could not get long lived operation [\(operationId)]: \(error)")
|
||
|
return
|
||
|
}
|
||
|
guard let operation = operation else {
|
||
|
Logger.error("No operation.")
|
||
|
return
|
||
|
}
|
||
|
operation.cancel()
|
||
|
})
|
||
|
}
|
||
|
}
|
||
|
}
|
||
7 years ago
|
}
|