web-dev-qa-db-fra.com

Conversion non valide de la fonction de projection de type (_, _, _) lance -> Void vers un type de fonction qui ne lance pas (NSData ?, NSURLResponse ?, NSError?) -> Void

J'ai écrit ce code: 

func getjson() {
        let urlPath = "https://api.whitehouse.gov/v1/petitions.json?limit=100"
        let url = NSURL(string: urlPath)
        let session = NSURLSession.sharedSession()
        let task = session.dataTaskWithURL(url!, completionHandler: {data, response, error -> Void in
            print("Task completed")
            if(error != nil) {
                print(error!.localizedDescription)
            }
            let err: NSError?
            if let jsonResult = try NSJSONSerialization.JSONObjectWithData(data!, options: NSJSONReadingOptions.MutableContainers) as? NSDictionary {
                if(err != nil) {
                    print("JSON Error \(err!.localizedDescription)")
                }
                if let results: NSArray = jsonResult["results"] as? NSArray {
                    dispatch_async(dispatch_get_main_queue(), {
                        self.tableData = results
                        self.Indextableview.reloadData()
                    })
                }
            }
        })

        task.resume()

    }

Et après la mise à jour vers XCode 7, cela me donne l'erreur suivante: Une conversion non valide d'une fonction de projection de type (_, _, _) renvoie -> Void vers le type de fonction non-jetante (NSData?, NSURLResponse ?, NSError?) -> Nul. Il est en ligne, où est laissé la tâche.

Merci

23
Martin Mikusovic

Vous devez implémenter la gestion des erreurs Do Try Catch comme suit:

import UIKit
import PlaygroundSupport
PlaygroundPage.current.needsIndefiniteExecution = true

extension URL {
    func asyncDownload(completion: @escaping (_ data: Data?, _ response: URLResponse?, _ error: Error?) -> ()) {
        URLSession.shared
            .dataTask(with: self, completionHandler: completion)
            .resume()
    }
}

let jsonURL = URL(string: "https://api.whitehouse.gov/v1/petitions.json?limit=100")!
let start = Date()
jsonURL.asyncDownload { data, response, error in

    print("Download ended:", Date().description(with: .current))
    print("Elapsed Time:", Date().timeIntervalSince(start), terminator: " seconds\n")
    print("Data size:", data?.count ?? "nil", terminator: " bytes\n\n")

    guard let data = data else {
        print("URLSession dataTask error:", error ?? "nil")
        return
    }

    do {
        let jsonObject = try JSONSerialization.jsonObject(with: data)
        if let dictionary = jsonObject as? [String: Any],
            let results = dictionary["results"] as? [[String: Any]] {
            DispatchQueue.main.async {
                results.forEach { print($0["body"] ?? "", terminator: "\n\n") }
      //        self.tableData = results
      //        self.Indextableview.reloadData()
            }
        }
    } catch {
        print("JSONSerialization error:", error)
    }
}
print("\nDownload started:", start.description(with: .current))
41
Leo Dabus

Comme Leo l'a suggéré, votre problème est que vous utilisez try, mais pas dans la construction do-try-catch, ce qui signifie qu'il en déduit que la fermeture est définie pour générer l'erreur, obtenir cette erreur.

Donc, ajoutez do-try-catch:

func getjson() {
    let urlPath = "https://api.whitehouse.gov/v1/petitions.json?limit=100"
    let url = NSURL(string: urlPath)
    let session = NSURLSession.sharedSession()
    let task = session.dataTaskWithURL(url!) { data, response, error in
        print("Task completed")

        guard data != nil && error == nil else {
            print(error?.localizedDescription)
            return
        }

        do {
            if let jsonResult = try NSJSONSerialization.JSONObjectWithData(data!, options: []) as? NSDictionary {
                if let results = jsonResult["results"] as? NSArray {
                    dispatch_async(dispatch_get_main_queue()) {
                        self.tableData = results
                        self.Indextableview.reloadData()
                    }
                }
            }
        } catch let parseError as NSError {
            print("JSON Error \(parseError.localizedDescription)")
        }
    }

    task.resume()
}
5
Rob

Dans Swift 2, remplacez tous les NSError par ErrorType 

Essaye ça.

  class func fetchWeatherForLocation(locationCode: String = "", shouldShowHUD: Bool = false, completionHandler: (data: NSDictionary?, error: ErrorType?) -> ()) {



    let url = NSURL(string: "myurl")               
    let task =  NSURLSession.sharedSession().dataTaskWithURL(url!) {(data, response, error) in

        if let dataWithKey = data {

            do {
                let jsonForDataWithTemprature = try NSJSONSerialization.JSONObjectWithData(dataWithKey, options:NSJSONReadingOptions.MutableContainers)

                guard let arrayForDataWithKey :NSArray = jsonForDataWithTemprature as? NSArray else {
                    print("Not a Dictionary")
                    return
                }

                let dictionaryWithTemprature = arrayForDataWithKey.firstObject as! NSDictionary

                completionHandler(data: dictionaryWithTemprature, error: nil)

            }
            catch let JSONError as ErrorType {
                print("\(JSONError)")
            }

        }
    }

    task.resume()
}
0
Adarsh V C

Changer le type d'erreur dans le code try-catch a fonctionné pour moi.

"remplacer tout NSError avec ErrorType"

0
Kishor