CoreData 및 SwiftUI : 환경의 컨텍스트가 지속적 상점 코디네이터에 연결되지 않았습니다


10

숙제 관리 앱을 만들어서 핵심 데이터를 가르치려고합니다. 내 코드가 정상적으로 빌드되고 목록에 새 할당을 추가하려고 할 때까지 앱이 정상적으로 실행됩니다. 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>있습니다..

나는 핵심 데이터에 대해 거의 알지 못하고 문제가 무엇인지에 대한 손실이 있습니다. 코스가 과제와 일대 다 관계를 갖는 데이터 모델에서 "지정"및 "과정"엔터티를 설정했습니다. 각 과제는 특정 과정에 따라 분류됩니다.

다음은 목록에 새 할당을 추가하는보기의 코드입니다.

    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 19

@KevinOlmats 대답이 도움이 되었습니까?
fulvio

환경을 통해 컨텍스트를 지정 .environment(\.managedObjectContext, viewContext)
했는지

@ 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>

다음과 같이 CourseItem처리하도록 클래스를 수정할 수 있습니다 sortDescriptors.

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)
    }
}

한 가지 확실한 점은 "클래스 이름"이 "CourseItem"으로 설정되어 있으며 CourseItem이전에 작성한 클래스 와 일치합니다 .

파일 에서 ENTITIES 를 클릭 .xcdatamodeId하고 모든 것을 다음으로 설정 하십시오 ( 모듈 은 "현재 제품 모듈"로, Codegen 은 "수동 / 없음"으로 설정).

여기에 이미지 설명을 입력하십시오

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.