小编典典

Swift 2(executeFetchRequest):错误处理

swift

我遇到了我不知道的代码问题。安装Xcode 7 Beta并将Swift代码转换为Swift 2之后

码:

override func viewDidAppear(animated: Bool) {

    let appDelegate: AppDelegate = UIApplication.sharedApplication().delegate as! AppDelegate

    let context: NSManagedObjectContext = AppDel.managedObjectContext
    let request = NSFetchRequest(entityName: "PlayerList")

    list = Context.executeFetchRequest(request)

    tableView.reloadData()
}

屏幕截图:

在此处输入图片说明


阅读 257

收藏
2020-07-07

共1个答案

小编典典

从Swift 2开始,将产生错误的Cocoa方法转换为引发错误的Swift函数。

而不是 Swift 1.x 中的可选返回值和错误参数:

var error : NSError?
if let result = context.executeFetchRequest(request, error: &error) {
    // success ...
    list = result
} else {
    // failure
    println("Fetch failed: \(error!.localizedDescription)")
}

Swift 2中, 该方法现在返回非可选值,并在错误情况下引发错误,必须使用try-catch处理:

do {
    list = try context.executeFetchRequest(request)
    // success ...
} catch let error as NSError {
    // failure
    print("Fetch failed: \(error.localizedDescription)")
}

有关更多信息,请参见“ 将Swift与Cocoa和Objective-
C一起使用

”中的“采用Cocoa设计模式”
中的“错误处理”

2020-07-07