Swift 3 URLSession.shared () Referência ambígua ao membro 'dataTask (with: completeHandler :) error (bug)


169

Olá, eu estou trabalhando com o código de análise do json para o swift2.2, mas quando eu o uso para o Swift 3.0 me dá esse erro

ViewController.swift: 132: 31: referência ambígua ao membro 'dataTask (com: conclusãoHandler :)'

Meus códigos aqui

   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()

Obrigado por idéias.


2
Eu estava recebendo o mesmo erro, porque eu estava passando uma string para o dataTask(with:exemplo que eu tinha url = "www.yahoo.come eu estava passando-o direto para a função , sem convertê-lo para umURL
Mel

Respostas:


312

O compilador é confundido pela assinatura da função. Você pode corrigi-lo assim:

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

Mas observe que não precisamos converter "request" como URLRequestnesta assinatura se ele tiver sido declarado anteriormente como em URLRequestvez de NSMutableURLRequest:

var request = URLRequest(url:myUrl!)

Esse é o elenco automático entre NSMutableURLRequesto novo e o URLRequestque está falhando e que nos forçou a fazer esse elenco aqui.


7
var request = URLRequest(url:myUrl!)
precisa

1
SE-0072 disse, remova a ponte implícita. quando "swifty function name" se torna "método de substituição de fato", não podemos reverter a pesquisa Objective-C SEL; portanto, devemos usar ou converter a estrutura do Foundation.
quesera2

2
Resposta muito útil. Eu apenas acrescentaria que seria bom evitar o myUrl! desempacotamento forçado, fazendo o seguinte: guard deixe myUrl = URL (string: listUrlString) else {return}, em seguida, a solicitação poderá ser chamada sem o! var request = URLRequest (url: myUrl)
Mark Semsel

2
O URL(string:)construtor pode falhar?
usar o seguinte

Tenho que votar, mas ainda tenho problema, ele gera "valor inválido em torno do caractere 0" que alguém faz?
Marfin. F

33

Você iniciou myRequestcomo NSMutableURLRequest, precisa do seguinte:

var URLRequest

Swift está abandonando a NSMutable...coisa. Basta usar varpara as novas classes.


17

Xcode 8 e Swift 3.0

Usando 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()

Chamada de delegado do 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){

}

Usando o bloco 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()

Trabalhando bem para mim .. tente 100% garantia de resultado


15

Esse problema é causado pelo URLSession tem dois métodos 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

O primeiro tem URLRequestcomo parâmetro e o segundo URLcomo parâmetro, portanto, precisamos especificar qual tipo chamar, por exemplo, quero chamar o segundo método

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

fez sentido. Obrigado
iBug 23/01

10

No meu caso, o erro estava em NSURL

let url = NSURL(string: urlString)

No Swift 3, você deve escrever apenas o URL :

let url = URL(string: urlString)

3

Versão estável testada do xcode 8; Precisa usar var requestvariável com URLRequest()With thats, você pode facilmente corrigir isso ( bug )

var request = URLRequest(url:myUrl!) E

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

Funcionou bem! Obrigado pessoal, acho que ajudar muitas pessoas. !


1
Não faz sentido transmitir de URLRequest para URLRequest #
Leo Dabus

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

sharedé uma propriedade e não uma função no Swift 3 (sem parênteses).
Vadian

@vadian não no momento em que eu postei o comentário
Leo Dabus

3

Para 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: você sempre pode usar o depurador para verificar o erro


3

No swift 3, o compilador é confundido pela assinatura da função. Especificá-lo limpará o erro. Converta também a string do URL no tipo URL. O código a seguir funcionou para mim.

   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

Resposta curta e concisa para o 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

Para carregar dados por meio de uma solicitação GET, você não precisa de nenhum URLRequest(e nenhum ponto e vírgula)

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

Isso funcionou para mim:

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

A chave estava adicionando na URLSessionDataTaskdeclaração de tipo.


1

Para mim, eu faço isso para encontrar,

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

Não pode usar

"let url = NSURL(string: urlString)
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.