在 UITextView 中保存数据

Saving data in UITextView

我正在为 iOS 编写笔记应用程序,我希望用户在笔记中输入的所有数据在用户自动输入时自动保存。我正在使用 Core Data,现在我将数据保存在 viewWillDisappear 上,但我希望在用户终止应用程序或应用程序将在后台自动终止时也保存数据。

我使用这个代码:

    import UIKit
import CoreData

class AddEditNotes: UIViewController, UITextViewDelegate {

    @IBOutlet weak var textView: UITextView!

    var note: Note!
    var notebook: Notebook?
    var userIsEditing = true

    var context: NSManagedObjectContext!

    override func viewDidLoad() {
        super.viewDidLoad()

        guard let appDelegate = UIApplication.shared.delegate as? AppDelegate else { return }
        context = appDelegate.persistentContainer.viewContext

        if (userIsEditing == true) {
            textView.text = note.text!
            title = "Edit Note"
        }
        else {
            textView.text = ""
        }


    }

    override func viewWillDisappear(_ animated: Bool) {
    if (userIsEditing == true) {
            note.text = textView.text!
        }
        else {
            self.note = Note(context: context)
            note.setValue(Date(), forKey: "dateAdded")
            note.text = textView.text!
            note.notebook = self.notebook
        }

        do {
            try context.save()
            print("Note Saved!")
    }
        catch {
            print("Error saving note in Edit Note screen")
        }
    }



}

我知道我可以为此使用 applicationWillTerminate,但我如何将用户输入的数据传递到那里?此功能在 Apple 的默认笔记应用程序中。但是怎么才能发布呢?

保存数据有两个子任务:用文本视图的内容更新 Core Data 实体和保存 Core Data 上下文。

要更新核心数据实体的内容,请向 AddEditNotes class 添加一个函数来保存文本视图内容。

func saveTextViewContents() {
    note.text = textView.text
    // Add any other code you need to store the note.
}

当文本视图结束编辑或文本更改时调用此函数。如果您在文本更改时调用此函数,Core Data 实体将始终是最新的。您不必将数据传递给应用程序委托,因为应用程序委托具有核心数据托管对象上下文。

要保存 Core Data 上下文,请将第二个函数添加到 AddEditNotes class 以保存上下文。

func save() {
    if let appDelegate = UIApplication.shared.delegate as? AppDelegate {
        appDelegate.saveContext()
    }
}

此函数假定您在创建项目时选中了“使用核心数据”复选框。如果你这样做了,app delegate 有一个 saveContext 函数来执行核心数据保存。

您现在可以将您在 viewWillDisappear 中编写的代码替换为调用这两个函数来保存文本视图内容和保存上下文。

最后要编写的代码是转到您的应用程序委托文件并将以下代码行添加到 applicationDidEnterBackgroundapplicationWillTerminate 函数中:

self.saveContext()

通过添加此代码,您的数据将在有人退出您的应用时保存。