Swift 3 URLSession.shared () Riferimento ambiguo al dataTask del membro (con errore: completamentoHandler :) (bug)


169

Ciao, ho un codice di analisi json funzionante per swift2.2 ma quando lo uso per Swift 3.0 mi dà quell'errore

ViewController.swift: 132: 31: riferimento ambiguo al membro 'dataTask (con: completamentoHandler :)'

I miei codici qui

   let listUrlString =  "http://bla.com?batchSize=" + String(batchSize) + "&fromIndex=" + String(fromIndex)
    let myUrl = URL(string: listUrlString);
    let request = NSMutableURLRequest(url:myUrl!);
    request.httpMethod = "GET";

    let task = URLSession.shared().dataTask(with: request) {
        data, response, error in

        if error != nil {
            print(error!.localizedDescription)
            DispatchQueue.main.sync(execute: {
                AWLoader.hide()
            })

            return
        }

        do {

            let json = try JSONSerialization.jsonObject(with: data!, options: .mutableContainers) as? NSArray

            if let parseJSON = json {

                var items = self.categoryList

                items.append(contentsOf: parseJSON as! [String])

                if self.fromIndex < items.count {

                    self.categoryList = items
                    self.fromIndex = items.count

                    DispatchQueue.main.async(execute: {

                        self.categoriesTableView.reloadData()

                        AWLoader.hide()

                    })
                }else if( self.fromIndex == items.count){


                    DispatchQueue.main.async(execute: {

                        AWLoader.hide()

                    })

                }



            }

        } catch {
            AWLoader.hide()
            print(error)

        }
    }

    task.resume()

Grazie per le idee


2
Stavo ottenendo lo stesso errore perché stavo passando una stringa al dataTask(with:mio esempio, url = "www.yahoo.come la stavo passando direttamente nella funzione senza convertirla inURL
Honey,

Risposte:


312

Il compilatore è confuso dalla firma della funzione. Puoi sistemarlo in questo modo:

let task = URLSession.shared.dataTask(with: request as URLRequest) {

Tuttavia, tieni presente che non è necessario eseguire il cast di "richiesta" come URLRequestin questa firma se è stata dichiarata in precedenza come URLRequestanziché NSMutableURLRequest:

var request = URLRequest(url:myUrl!)

Questo è il casting automatico tra NSMutableURLRequeste il nuovo URLRequestche sta fallendo e che ci ha costretto a fare questo casting qui.


7
var request = URLRequest(url:myUrl!)
Leo Dabus,

1
SE-0072 ha detto, rimuovere il ponte implicito. quando "swifty function name" diventa "de facto override method", non possiamo invertire la ricerca Objective-C SEL, quindi dobbiamo usare o eseguire il cast su Struct Foundation.
quesera2,

2
Risposta molto utile Aggiungo solo che sarebbe bene evitare myUrl! forzato da scartare in questo modo: guard let myUrl = URL (string: listUrlString) else {return} quindi la richiesta può essere chiamata senza il! var request = URLRequest (url: myUrl)
Mark Semsel,

2
Il URL(string:)costruttore può mai fallire?
BallpointBen,

Devo votare, ma ho ancora problemi, viene visualizzato "valore non valido attorno al carattere 0" che qualcuno fa?
Marfin. F

33

Hai iniziato myRequestcome NSMutableURLRequest, ti serve questo:

var URLRequest

Swift sta abbandonando entrambe le NSMutable...cose. Basta usare varper le nuove classi.


17

Xcode 8 e Swift 3.0

Utilizzando URLSession:

 let url = URL(string:"Download URL")!
 let req = NSMutableURLRequest(url:url)
 let config = URLSessionConfiguration.default
 let session = URLSession(configuration: config, delegate: self, delegateQueue: OperationQueue.main)

 let task : URLSessionDownloadTask = session.downloadTask(with: req as URLRequest)
task.resume()

Chiamata delegata URLSession:

func urlSession(_ session: URLSession, task: URLSessionTask, didCompleteWithError error: Error?) {

}


func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, 
didWriteData bytesWritten: Int64, totalBytesWritten writ: Int64, totalBytesExpectedToWrite exp: Int64) {
                   print("downloaded \(100*writ/exp)" as AnyObject)

}

func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, didFinishDownloadingTo location: URL){

}

Utilizzando Block GET / POST / PUT / DELETE:

 let request = NSMutableURLRequest(url: URL(string: "Your API URL here" ,param: param))!,
        cachePolicy: .useProtocolCachePolicy,
        timeoutInterval:"Your request timeout time in Seconds")
    request.httpMethod = "GET"
    request.allHTTPHeaderFields = headers as? [String : String] 

    let session = URLSession.shared

    let dataTask = session.dataTask(with: request as URLRequest) {data,response,error in
        let httpResponse = response as? HTTPURLResponse

        if (error != nil) {
         print(error)
         } else {
         print(httpResponse)
         }

        DispatchQueue.main.async {
           //Update your UI here
        }

    }
    dataTask.resume()

Funzionando bene per me .. provalo garanzia del risultato al 100%


15

Questo problema è causato da URLSession con due metodi dataTask

open func dataTask(with request: URLRequest, completionHandler: @escaping (Data?, URLResponse?, Error?) -> Swift.Void) -> URLSessionDataTask
open func dataTask(with url: URL, completionHandler: @escaping (Data?, URLResponse?, Error?) -> Swift.Void) -> URLSessionDataTask

Il primo ha URLRequestcome parametro e il secondo ha URLcome parametro, quindi dobbiamo specificare quale tipo chiamare, ad esempio, voglio chiamare il secondo metodo

let task = URLSession.shared.dataTask(with: url! as URL) {
    data, response, error in
    // Handler
}

aveva senso. Grazie
iBug il

10

Nel mio caso l'errore era in NSURL

let url = NSURL(string: urlString)

In Swift 3 devi scrivere solo l' URL :

let url = URL(string: urlString)

3

Versione stabile testata per xcode 8; È necessario utilizzare la var requestvariabile con URLRequest()With per risolverlo facilmente ( bug )

var request = URLRequest(url:myUrl!) E

let task = URLSession.shared().dataTask(with: request as URLRequest) { }

Ha funzionato bene! Grazie ragazzi, penso che aiuti molte persone. !


1
Non ha senso eseguire il cast da URLRequest a URLRequest
Leo Dabus,

var request = URLRequest(url: url); let task = URLSession.shared().dataTask(with: request) { ... }
Leo Dabus,

sharedè una proprietà anziché una funzione in Swift 3 (senza parentesi).
Vadian

@vadian non al momento in cui ho pubblicato il commento
Leo Dabus

3

Per Swift 3 e Xcode 8:

      var dataTask: URLSessionDataTask?

      if  let url = URL(string: urlString) {
            self.dataTask = URLSession.shared.dataTask(with: url, completionHandler: { (data, response, error) in

                if let error = error {
                    print(error.localizedDescription)
                } else if let httpResponse = response as? HTTPURLResponse, httpResponse.statusCode == 200 {
                     // You can use data received.
                    self.process(data: data as Data?)
                }
            })
        }
     }

// Nota: è sempre possibile utilizzare il debugger per verificare l'errore


3

In swift 3 il compilatore è confuso dalla firma della funzione. Specificandolo si cancellerà l'errore. Converti anche la stringa dell'URL per digitare l'URL. Il seguente codice ha funzionato per me.

   let urlString = "http://bla.com?batchSize="
   let pathURL = URL(string: urlString)!
   var urlRequest = URLRequest(url:pathURL)

    let session = URLSession.shared
    let dataTask = session.dataTask(with: urlRequest as URLRequest) { (data,response,error) in

3

Risposta breve e concisa per Swift 3:

guard let requestUrl = URL(string: yourURL) else { return }

let request = URLRequest(url:requestUrl)
URLSession.shared.dataTask(with: request) {
    (data, response, error) in
    ...

}.resume()

2
 // prepare json data
        let mapDict = [ "1":"First", "2":"Second"]

        let json = [ "title":"ABC" , "dict": mapDict ] as [String : Any]
        let jsonData : NSData = NSKeyedArchiver.archivedData(withRootObject: json) as NSData

        // create post request
        let url = NSURL(string: "http://httpbin.org/post")!
        let request = NSMutableURLRequest(url: url as URL)
        request.httpMethod = "POST"

        // insert json data to the request
        request.httpBody = jsonData as Data


        let task = URLSession.shared.dataTask(with: request as URLRequest){ data,response,error in
            if error != nil{
                return
            }
            do {
                let result = try JSONSerialization.jsonObject(with: data!, options: []) as? [String:AnyObject]

                print("Result",result!)

            } catch {
                print("Error -> \(error)")
            }
        }

        task.resume()

2

Per caricare i dati tramite una richiesta GET non è necessario alcun URLRequest(e nessun punto e virgola)

let listUrlString =  "http://bla.com?batchSize=" + String(batchSize) + "&fromIndex=" + String(fromIndex)
let myUrl = URL(string: listUrlString)!
let task = URLSession.shared.dataTask(with: myUrl) { ...

2
let task = URLSession.shared.dataTask(with: request as URLRequest, completionHandler: { data,response,error in
        if error != nil{
            print(error!.localizedDescription)
            return
        }
        if let responseJSON = (try? JSONSerialization.jsonObject(with: data!, options: [])) as? [String:AnyObject]{
            if let response_token:String = responseJSON["token"] as? String {
                print("Singleton Firebase Token : \(response_token)")
                completion(response_token)
            }
        }
    })
    task.resume()

2

Xcode 10.1 Swift 4

Questo ha funzionato per me:

let task: URLSessionDataTask = session.dataTask(with: request as URLRequest) { (data, response, error) -> Void in
...

La chiave è stata aggiunta nella URLSessionDataTaskdichiarazione del tipo.


1

Per me lo faccio per trovare,

let url = URL(string: urlString)
URLSession.shared.dataTask(with: url!) { (data, response, error) in ...}

Non posso usare

"let url = NSURL(string: urlString)
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.