Swift NSURLSession 真的真的真的很慢

Swift NSURLSession really really really slow

我在我的应用中使用 NSURLSession 是这样的:

func wsQAshowTag(tag: Int, completion: ([AnyObject]! -> Void)) {
        let requestString = NSString(format: “URL”, tag) as String
        let url: NSURL! = NSURL(string: requestString)
        let task = NSURLSession.sharedSession().dataTaskWithURL(url, completionHandler: {
            data, response, error in
            do {
                let result = try NSJSONSerialization.JSONObjectWithData(data!, options: NSJSONReadingOptions.AllowFragments) as! [AnyObject]
                completion(result)
            }
            catch {
                completion(nil)
            }
        })
        task.resume()
    }

这按预期工作,但是我发现它非常非常慢,当我使用 NSURLConnection 时我发现它非常快(这与 URL 相同)怎么会 NSURLSession 很慢而 NSURLConnection 很快?还有加速的地方吗NSURLSession?

我是这样称呼它的:

self.wsQAshowTag(Int(barcode)!, completion: { wsQAshowTagArray in
     //Code Here
})

您应该添加

dispatch_async(dispatch_get_main_queue()) {
    ...
}

如果 completion 处理程序更改 UI 状态(通常会这样做),则每隔 completion(...) 左右。

URL 会话的完成处理程序是在后台队列上调用的,从后台线程更改 UI 是错误的,通常会造成长时间的停顿。

这与 NSURLConnection 不同,后者总是在启动连接的线程(通常是主线程)上调用委托方法。

参见 this tutorial 中的示例。

您需要将 UI 更新发送到主队列。如果您更新它而不将其发送到主队列,则可能需要很长时间才能更新数据。

您还需要包装 completion(result),因为我们正在解析 JSON。

代码获取存储的完成处理程序并在主线程上调用它。

func wsQAshowTag(tag: Int, completion: ([AnyObject]! -> Void)) {
let requestString = NSString(format: "URL", tag) as String
let url: NSURL! = NSURL(string: requestString)
let task = NSURLSession.sharedSession().dataTaskWithURL(url, completionHandler: {
    data, response, error in
    do {
        let result = try NSJSONSerialization.JSONObjectWithData(data!, options: NSJSONReadingOptions.AllowFragments) as! [AnyObject]
        dispatch_async(dispatch_get_main_queue()) {
            completion(result)
        }
    } catch {
        dispatch_async(dispatch_get_main_queue()) {
        completion(nil)
        }
        print("error serializing JSON: \(error)")
    }
})
task.resume()
}