我在 webViewDidFinishLoad 中遇到了来自 UIWebView 的问题,我得到了
if let urlResponse = NSURLCache.sharedURLCache().cachedResponseForRequest(webView.request!)?.response {
if (urlResponse as! NSHTTPURLResponse).statusCode == 200 {
}
}
as nil 所以在显示正文时我无法检查状态代码。请问问题出在哪里?我可以从服务器端做些什么吗?
编辑:从其他请求中我可以看到响应。
Best Answer-推荐答案 strong>
所以,我认为这是因为您正在检查 NSURLCache 以获取您的请求响应。但有时,您的页面可以显示,但不能缓存。事实上,服务器可以这样响应:
Cache-Control: no-cache, no-store, must-revalidate
Pragma: no-cache
Expires: 0
它说:“你绝对不应该缓存我的回复”。作为一个好公民,iOS 不会。因此,我们必须使用不同的方式来获取服务器响应。我认为最好的解决方案是使用 NSURLSession 来提出您的请求,下载内容并将其转发到您的 webview。发出请求后,您将能够访问答案是完成处理程序。这是您可以执行的操作的示例:
func loadURL(url: NSURL!) {
let config = NSURLSessionConfiguration.defaultSessionConfiguration()
let session = NSURLSession(configuration: config)
let muableRequest = NSMutableURLRequest(URL: url)
muableRequest.setValue("WhateverYouWant", forHTTPHeaderField: "x-YourHeaderField")
let task = session.dataTaskWithRequest(muableRequest) { (data, response, error) in
guard error == nil else {
print("We have an error \(error)")
// Here, you have to handle the error ...
return
}
if let response = response {
var mimeType = ""
if response.MIMEType != nil {
mimeType = response.MIMEType!
}
var encoding = ""
if response.textEncodingName != nil {
encoding = response.textEncodingName!
}
if let httpResponse = response as? NSHTTPURLResponse {
print("HTTP Status code is \(httpResponse.statusCode)")
}
self.webView.loadData(data!, MIMEType: mimeType, textEncodingName: encoding, baseURL: url)
}
}
task.resume()
}
你这样称呼这个方法:
loadURL(NSURL(string: "https://apple.com")!)
在你之前这样做的地方:
webView.loadRequest(NSURLRequest(URL: NSURL(string: "https://apple.com")!))
关于ios - UIWebView request.response = nil 问题,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/39011727/
|