Swift: Extra argument 'error' in call

前端 未结 3 2120
广开言路
广开言路 2020-11-22 05:49

I\'m currently developing my first iOS app using Swift 2.0 and Xcode Beta 2. It reads an external JSON and generates a list in a table view with the data. However, I\'m gett

3条回答
  •  醉话见心
    2020-11-22 06:24

    Things have changed in Swift 2, methods that accepted an error parameter were transformed into methods that throw that error instead of returning it via an inout parameter. By looking at the Apple documentation:

    HANDLING ERRORS IN SWIFT: In Swift, this method returns a nonoptional result and is marked with the throws keyword to indicate that it throws an error in cases of failure.

    You call this method in a try expression and handle any errors in the catch clauses of a do statement, as described in Error Handling in The Swift Programming Language (Swift 2.1) and Error Handling in Using Swift with Cocoa and Objective-C (Swift 2.1).

    The shortest solution would be to use try? which returns nil if an error occurs:

    let message = try? NSJSONSerialization.JSONObjectWithData(receivedData, options:.AllowFragments)
    if let dict = message as? NSDictionary {
        // ... process the data
    }
    

    If you're also interested into the error, you can use a do/catch:

    do {
        let message = try NSJSONSerialization.JSONObjectWithData(receivedData, options:.AllowFragments)
        if let dict = message as? NSDictionary {
            // ... process the data
        }
    } catch let error as NSError {
        print("An error occurred: \(error)")
    }
    

提交回复
热议问题