CoreDataとSwiftUI:環境のコンテキストが永続ストアコーディネーターに接続されていません


10

宿題管理アプリを作成して、Core Dataを習得しようとしています。リストに新しい割り当てを追加しようとするまで、コードは正常にビルドされ、アプリは問題なく実行されます。Thread 1: EXC_BREAKPOINT (code=1, subcode=0x1c25719e8)次の行でこのエラーが発生しますForEach(courses, id: \.self) { course in。コンソールにもこのエラーがあります:Context in environment is not connected to a persistent store coordinator: <NSManagedObjectContext: 0x2823cb3a0>

Core Dataについてはほとんど知りませんが、問題が何であるかについて途方に暮れています。データモデルに「割り当て」エンティティと「コース」エンティティを設定しました。ここで、コースは割り当てと1対多の関係にあります。各課題は、特定のコースに分類されます。

これは、リストに新しい割り当てを追加するビューのコードです。

    struct NewAssignmentView: View {

    @Environment(\.presentationMode) var presentationMode
    @Environment(\.managedObjectContext) var moc
    @FetchRequest(entity: Course.entity(), sortDescriptors: []) var courses: FetchedResults<Course>

    @State var name = ""
    @State var hasDueDate = false
    @State var dueDate = Date()
    @State var course = Course()

    var body: some View {
        NavigationView {
            Form {
                TextField("Assignment Name", text: $name)
                Section {
                    Picker("Course", selection: $course) {
                        ForEach(courses, id: \.self) { course in
                            Text("\(course.name ?? "")").foregroundColor(course.color)
                        }
                    }
                }
                Section {
                    Toggle(isOn: $hasDueDate.animation()) {
                        Text("Due Date")
                    }
                    if hasDueDate {
                        DatePicker(selection: $dueDate, displayedComponents: .date, label: { Text("Set Date:") })
                    }
                }
            }
            .navigationBarTitle("New Assignment", displayMode: .inline)
            .navigationBarItems(leading: Button(action: {
                self.presentationMode.wrappedValue.dismiss()
            }, label: { Text("Cancel") }),
                                trailing: Button(action: {
                                    let newAssignment = Assignment(context: self.moc)
                                    newAssignment.name = self.name
                                    newAssignment.hasDueDate = self.hasDueDate
                                    newAssignment.dueDate = self.dueDate
                                    newAssignment.statusString = Status.incomplete.rawValue
                                    newAssignment.course = self.course
                                    self.presentationMode.wrappedValue.dismiss()
                                }, label: { Text("Add").bold() }))
        }
    }
}

編集:永続的なコンテナーを設定するAppDelegateのコードは次のとおりです。

lazy var persistentContainer: NSPersistentCloudKitContainer = {
    let container = NSPersistentCloudKitContainer(name: "test")
    container.loadPersistentStores(completionHandler: { (storeDescription, error) in
        if let error = error as NSError? {
            fatalError("Unresolved error \(error), \(error.userInfo)")
        }
    })
    return container
}()

そして、環境をセットアップするSceneDelegateのコード:

    func scene(_ scene: UIScene, willConnectTo session: UISceneSession, options connectionOptions: UIScene.ConnectionOptions) {
    // Use this method to optionally configure and attach the UIWindow `window` to the provided UIWindowScene `scene`.
    // If using a storyboard, the `window` property will automatically be initialized and attached to the scene.
    // This delegate does not imply the connecting scene or session are new (see `application:configurationForConnectingSceneSession` instead).

    // Get the managed object context from the shared persistent container.
    let context = (UIApplication.shared.delegate as! AppDelegate).persistentContainer.viewContext

    // Create the SwiftUI view and set the context as the value for the managedObjectContext environment keyPath.
    // Add `@Environment(\.managedObjectContext)` in the views that will need the context.
    let contentView = ContentView().environment(\.managedObjectContext, context)

    // Use a UIHostingController as window root view controller.
    if let windowScene = scene as? UIWindowScene {
        let window = UIWindow(windowScene: windowScene)
        window.rootViewController = UIHostingController(rootView: contentView)
        self.window = window
        window.makeKeyAndVisible()
    }
}

管理オブジェクトコンテキストをどこに環境に追加しますか?その管理オブジェクトコンテキストはどのように作成されますか?永続的なストアコーディネーターに接続していないようです
Paulw11

元の投稿の環境にmocを追加するコードを追加しました。
Kevin Olmats

@KevinOlmats私の回答は役に立ちましたか?
fulvio

環境を介してコンテキストを割り当てたことを確認します.environment(\.managedObjectContext, viewContext)
onmyway133

@ onmyway133これが正解です
Kevin Olmats

回答:


8

実際にコンテキストを保存しているわけではありません。以下を実行する必要があります。

let newAssignment = Assignment(context: self.moc)
newAssignment.name = self.name
newAssignment.hasDueDate = self.hasDueDate
newAssignment.dueDate = self.dueDate
newAssignment.statusString = Status.incomplete.rawValue
newAssignment.course = self.course

do {
    try self.moc.save()
} catch {
    print(error)
}

また、次の@FetchRequest(...)ようになります。

@FetchRequest(fetchRequest: CourseItem.getCourseItems()) var courses: FetchedResults<CourseItem>

CourseItemsortDescriptorsように処理するようにクラスを変更できます。

public class CourseItem: NSManagedObject, Identifiable {
    @NSManaged public var name: String?
    @NSManaged public var dueDate: Date?
    // ...etc
}

extension CourseItem {
    static func getCourseItems() -> NSFetchRequest<CourseItem> {
        let request: NSFetchRequest<CourseItem> = CourseItem.fetchRequest() as! NSFetchRequest<CourseItem>

        let sortDescriptor = NSSortDescriptor(key: "dueDate", ascending: true)

        request.sortDescriptors = [sortDescriptor]

        return request
    }
}

次にForEach(...)、次のように変更し、アイテムの削除も非常に簡単に処理できます。

ForEach(self.courses) { course in
    // ...
}.onDelete { indexSet in
    let deleteItem = self.courses[indexSet.first!]
    self.moc.delete(deleteItem)

    do {
        try self.moc.save()
    } catch {
        print(error)
    }
}

確認したいことの1つは、「クラス名」が「CourseItem」に設定されているCourseItemことです。これは、前に作成したクラスと一致します。

ファイルのENTITIESをクリックし、.xcdatamodeIdすべてを次のように設定します(モジュールを「現在の製品モジュール」に、コード生成を「手動/なし」に設定します)。

ここに画像の説明を入力してください

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.