/ / Precisa ajustar a NSJSONSerialization para iOS10 - swift, ios10

Precisa ajustar NSJSONSerialization para iOS10 - swift, ios10

Após a atualização para usuários do iOS10 iniciadosreclamando sobre falhas do meu aplicativo. Eu estou testando com iOS10 no simulador e de fato o aplicativo trava com uma mensagem dizendo "Não foi possível converter o valor do tipo" __NSArrayI "para" NSMutableArray "". Aqui está o meu código, por favor ajude:

import Foundation

protocol getAllListsModel: class {
func listsDownloadingComplete(downloadedLists: [ContactsList])
}

class ListsDownloader: NSObject, NSURLSessionDataDelegate{

//properties

weak var delegate: getAllListsModel!

var data : NSMutableData = NSMutableData()

func downloadLists() {

let urlPath: String = "http://..."
let url: NSURL = NSURL(string: urlPath)!
var session: NSURLSession!
let configuration =     NSURLSessionConfiguration.ephemeralSessionConfiguration()     //defaultSessionConfiguration()


session = NSURLSession(configuration: configuration, delegate: self, delegateQueue: nil)

let task = session.dataTaskWithURL(url)

task.resume()

}

func URLSession(session: NSURLSession, dataTask: NSURLSessionDataTask, didReceiveData data: NSData) {
self.data.appendData(data);
}

func URLSession(session: NSURLSession, task: NSURLSessionTask, didCompleteWithError error: NSError?) {
if error != nil {
print("Failed to download data")
}else {
self.parseJSON()
print("Lists downloaded")
}

}
func parseJSON() {

var jsonResult: NSMutableArray = NSMutableArray()

do{
try jsonResult =  NSJSONSerialization.JSONObjectWithData(self.data, options:NSJSONReadingOptions.AllowFragments) as! NSMutableArray

} catch let error as NSError {
print(error)
}

var jsonElement: NSDictionary = NSDictionary()
var downloadedLists: [ContactsList] = []

for i in 0...jsonResult.count-1 {

jsonElement = jsonResult[i] as! NSDictionary

let tempContactsList = ContactsList()

//the following insures none of the JsonElement values are nil through optional binding
let id = jsonElement["id"] as? String
let name = jsonElement["name"] as? String
let pin = jsonElement["pin"] as? String
let lastUpdated = jsonElement["created"] as? String
let listAdminDeviceID = jsonElement["admin"] as? String

tempContactsList.id = id
tempContactsList.name = name
tempContactsList.pin = pin
tempContactsList.lastUpdated = lastUpdated
tempContactsList.listAdmin = listAdminDeviceID

downloadedLists.append(tempContactsList)

}

dispatch_async(dispatch_get_main_queue(), { () -> Void in

self.delegate.listsDownloadingComplete(downloadedLists)

})
}
}

Respostas:

2 para resposta № 1

Mesmo no iOS 9, não havia garantia NSJSONSerialization.JSONObjectWithData(_:options:) retornaria objeto mutável ou não. Você deveria ter especificado NSJSONReadingOptions.MutableContainers.

E no seu código, você não está modificando jsonResult, o que significa que você não precisa declará-lo como NSMutableArray. Apenas substituir NSMutableArray para NSArray, e então você não precisa especificar NSJSONReadingOptions.MutableContainers.

Mas como vadian está sugerindo, é melhor você usar os tipos Swift em vez de NSArray ou NSDictionary. Este código deve funcionar tanto no iOS 9 quanto no 10.

func parseJSON() {

var jsonResult: [[String: AnyObject]] = [] //<- use Swift type

do{
try jsonResult =  NSJSONSerialization.JSONObjectWithData(self.data, options: []) as! [[String: AnyObject]] //<- convert to Swift type, no need to specify options

} catch let error as NSError {
print(error)
}

var downloadedLists: [ContactsList] = []

for jsonElement in jsonResult { //<- your for-in usage can be simplified

let tempContactsList = ContactsList()

//the following insures none of the JsonElement values are nil through optional binding
let id = jsonElement["id"] as? String
let name = jsonElement["name"] as? String
let pin = jsonElement["pin"] as? String
let lastUpdated = jsonElement["created"] as? String
let listAdminDeviceID = jsonElement["admin"] as? String

tempContactsList.id = id
tempContactsList.name = name
tempContactsList.pin = pin
tempContactsList.lastUpdated = lastUpdated
tempContactsList.listAdmin = listAdminDeviceID

downloadedLists.append(tempContactsList)

}

dispatch_async(dispatch_get_main_queue(), { () -> Void in

self.delegate.listsDownloadingComplete(downloadedLists)

})
}

Tente isso e verifique em dispositivos iOS 10.

(O as! conversão causaria algumas falhas estranhas quando seu servidor está com defeito, mas isso seria outro problema, então eu mantê-lo lá.)