Как обновить реализацию EncryptedCoreData для приложения Swift 4 (ошибка NSSQLiteErrorDomain 14) - PullRequest
0 голосов
/ 05 марта 2019

Я реорганизую приложение обработки заказов, чтобы включить в него CoreData, чтобы оно могло кэшировать большие объемы данных, а некоторые данные содержат некоторые конфиденциальные данные, которые я предпочел бы зашифровать, чем нет.Это приложение будет использоваться в месте, которое является большой целью для хакеров.Поэтому, прежде чем я зайду слишком далеко, я решил, что лучше использовать что-то вроде EncryptedCoreData для защиты базы данных.

Следуя указаниям , эта статья оказалась более сложнойчем подразумевал автор, по крайней мере для новичка в CoreData, такого как я.

Я установил модуль и настроил соединительный заголовок, чтобы я мог получить к нему доступ в своем проекте Swift, но понятия не имею, гдекод, на который он ссылается, должен идти, или какой URL использовать и т. д.

Принятый ответ на подобный вопрос здесь имеет для меня достаточно смысла, чтобы я воспроизвел его, но он не обновлен дляSwift 4, и я получаю две ошибки:

lazy var persistentContainer: NSPersistentContainer = {

        let container = NSPersistentContainer(name: "DataModel")
        let containerOptions : NSDictionary = [
            EncryptedStorePassphraseKey : "someKey",
            EncryptedStore.optionFileManager() : EncryptedStoreFileManager.default()// Error: Use of unresolved identifier 'EncryptedStoreFileManager'
        ]
        let desc = try! EncryptedStore.makeDescription(options: containerOptions as! [AnyHashable : Any], configuration: nil)// Error: Type 'EncryptedStore' has no member 'makeDescription'; did you mean 'debugDescription'?
        container.persistentStoreDescriptions = [desc]
        container.loadPersistentStores(completionHandler:
            { (storeDescription, error) in
                if let error = error as NSError?
                {
                    // Replace this implementation with code to handle the error appropriately.

                    /*
                     Typical reasons for an error here include:
                     * The parent directory does not exist, cannot be created, or disallows writing.
                     * The persistent store is not accessible, due to permissions or data protection when the device is locked.
                     * The device is out of space.
                     * The store could not be migrated to the current model version.
                     Check the error message to determine what the actual problem was.
                     */
                    fatalError("Unresolved error \(error), \(error.userInfo)")
                }
            }
        )
        return container
    }()

Я могу разрешить "Ошибка: использование неразрешенного идентификатора 'EncryptedStoreFileManager'" достаточно легко, комментируя эту часть кода - я подозреваю, что это больше ненеобходимо.Вторая ошибка сложнее - EncryptedStoreDescription - это не тот класс, который я вижу, поэтому я не могу получить доступ к инициализатору, и у EncryptedStore больше нет метода для создания описания.

Что мне не хватает?

РЕДАКТИРОВАТЬ: Следующая попытка решения не сработала.

Я выяснил следующую реализацию UNTESTED, я надеюсь, у меня будет несколькоуспех.Будет обновляться, если у меня возникнут проблемы.

lazy var persistentContainer: NSPersistentContainer = {

        let container = NSPersistentContainer(name: "DataModel")
        container.loadPersistentStores(completionHandler:
            { (storeDescription, error) in
                if let error = error as NSError?
                {
                    // Replace this implementation with code to handle the error appropriately.
                    // fatalError() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development.

                    /*
                     Typical reasons for an error here include:
                     * The parent directory does not exist, cannot be created, or disallows writing.
                     * The persistent store is not accessible, due to permissions or data protection when the device is locked.
                     * The device is out of space.
                     * The store could not be migrated to the current model version.
                     Check the error message to determine what the actual problem was.
                     */
                    fatalError("Unresolved error \(error), \(error.userInfo)")
                }
            }
        )
        do
        {
            let containerOptions : NSDictionary = [
                EncryptedStorePassphraseKey : "someKey"
            ]
            guard let appSupportDirURL = FileManager.default.urls(for:.applicationSupportDirectory, in:.userDomainMask).last else
            {
                throw RuntimeError("appSupportDirURL was nil")
            }
            try FileManager.default.createDirectory(at: appSupportDirURL, withIntermediateDirectories: true, attributes: nil)

            try container.persistentStoreCoordinator.addPersistentStore(ofType: EncryptedStoreType, configurationName: nil, at: appSupportDirURL, options: containerOptions as? [AnyHashable : Any])
        }
        catch
        {
            print("WARNING!! : "+error.localizedDescription)
        }
        return container
    }()

РЕДАКТИРОВАТЬ: Хотя он компилируется, я сталкиваюсь с этой ошибкой с этой реализацией:

2019-03-06 17:01:36.771430-0700 Yah-El[1060:1310006] [error] error: -addPersistentStoreWithType:EncryptedStore configuration:(null) URL:file:///var/mobile/Containers/Data/Application/AF6374B3-9127-4E2E-9CAF-D9C89D050D51/Documents/ options:{
    EncryptedStorePassphrase = someKey;
} ... returned error Error Domain=NSSQLiteErrorDomain Code=14 "(null)" UserInfo={EncryptedStoreErrorMessage=unable to open database file} with userInfo dictionary {
    EncryptedStoreErrorMessage = "unable to open database file";
}
CoreData: error: -addPersistentStoreWithType:EncryptedStore configuration:(null) URL:file:///var/mobile/Containers/Data/Application/AF6374B3-9127-4E2E-9CAF-D9C89D050D51/Documents/ options:{
    EncryptedStorePassphrase = someKey;
} ... returned error Error Domain=NSSQLiteErrorDomain Code=14 "(null)" UserInfo={EncryptedStoreErrorMessage=unable to open database file} with userInfo dictionary {
    EncryptedStoreErrorMessage = "unable to open database file";
}
WARNING!! : The operation couldn’t be completed. (NSSQLiteErrorDomain error 14.)
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...