我正在开发一个json解析的应用程序。我正在使用AlertView获取json消息。但我无法访问AlertView中的jsonmessage变量。如果我将AlertView放入DO中,我会收到此错误:" libc ++ abi.dylib:以NSException类型的未捕获异常终止 (LLDB)" 对不起,我的英语不好。这是我的代码:
request.httpBody = postParameters.data(using: String.Encoding.utf8)
let task = URLSession.shared.dataTask(with:request as URLRequest){
data, response, error in
if error != nil{
print("error is \(String(describing: error))")
return;
}
do {
let myJSON = try JSONSerialization.jsonObject(with: data!, options: .mutableContainers) as? NSDictionary
if let parseJSON = myJSON {
var jsonmessage : String!
jsonmessage = parseJSON["message"] as! String?
print(jsonmessage)
}
} catch {
}
}
task.resume()
let alert = UIAlertController(title: "Alert", message: jsonmessage /*not accessible*/ , preferredStyle: .alert)
alert.addAction(UIAlertAction(title:"Ok", style:UIAlertActionStyle.default, handler:{ (UIAlertAction) in
_ = self.navigationController?.popToRootViewController(animated: true)
NotificationCenter.default.post(name: NSNotification.Name(rawValue: "load"), object: nil)
}))
self.present(alert, animated: true, completion: nil)
答案 0 :(得分:1)
正如您所发现的,无法从您尝试访问它的位置访问jsonMessage。
这是因为几个原因:
请求是一个在后台运行的异步任务,需要一些时间才能完成。因此,警报视图代码实际上在返回jsonMessage之前运行
变量jsonMessage也超出了您尝试调用它的范围。
帮助解释:
let task = URLSession.shared.dataTask(with:request as URLRequest){
data, response, error in
let fakeMessage = "hi"
// data, response, error and fakeMessage only exist here upto the closing bracket.
}
task.resume()
// fakeMessage doesn't exist here at all.
要解决您的问题,您可以在闭包内(我放置fakeMessage)中显示您的警报,也可以在完成后使用completionHandler返回jsonMessage,然后显示警报。
方法1
let task = URLSession.shared.dataTask(with:request as URLRequest){
data, response, error in
if error != nil{
print("error is \(String(describing: error))")
return;
}
do {
let myJSON = try JSONSerialization.jsonObject(with: data!, options: .mutableContainers) as? NSDictionary
if let parseJSON = myJSON {
var jsonmessage : String!
jsonmessage = parseJSON["message"] as! String?
DispatchQueue.main.async {
// some helper function to show a basic alert
self.presentAlert(title: "Response", message: jsonMessage)
}
}
} catch {
}
}
task.resume()
方法2
func fetchSomething(completion: @escaping (String -> Void)?) {
// setup request
let task = URLSession.shared.dataTask(with:request as URLRequest){
data, response, error in
let fakeMessage = "hi"
completion(fakeMessage)
}
task.resume()
}
那么你可以这样使用它
self.fetchSomething { response in
DispatchQueue.main.async {
// some helper function to show a basic alert
self.presentAlert(title: "Response", message: jsonMessage)
}
}
答案 1 :(得分:0)
首先,您正在执行异步请求。一旦得到响应,就会设置jsonmessage变量。但是在这种情况发生之前你就创建了UIAlertController。我猜你想在收到回复后显示警告吗?
此外,您无法访问其范围之外的jsonmessage变量。要解决此问题,请移动var jsonmessage : String!
,使其与UIAlertController属于同一范围。
您应该能够将警报移动到do catch语句中,但您必须确保警报显示在主线程上。