我有一个网络管理器类,它与我们的服务后端进行所有通信。当网络请求可能失败时,我正在努力为用户提供良好的体验。
现在,网络管理器类发出请求以向后端进行身份验证:
internal func authenticate(withEmailAddress emailAddress: String, andPassword password: String, withCompletion completion: @escaping (Result<Data>) -> Void) {
// ...Create the request...
task = session.dataTask(with: request, completionHandler: { (data: Data?, response: URLResponse?, error: Error?) -> Void in
if let requestError = error as? NSError {
// ...Handle CFNetworkErrors (-1001, etc.)...
}
if let httpResponse = response as? HTTPURLResponse {
// ...Handle the response codes (200, 400, 401, 500)...
} else {
// ...Handle the response not being of type `HTTPURLResponse`...
}
})
// ...Start the task...
}
我有另一个类管理 aData
或Error
完成处理程序的返回,它基于响应的状态代码或请求的错误。
查看HTTP 状态代码列表和CFNetworkErrors列表后,我可以看到处理此类错误的可能性很大。我意识到并非所有这些CFNetworkErrors
都适合我的情况,但我仍然会留下一长串要处理的错误。
除了requestError.code
打开
如果我要处理所有的CFNetworkErrors
,那么我最终会得到一个非常长的逻辑块来检查这样的代码:
switch code {
case -1005: // ...Handle error...
case -1001: // ...Handle error...
case 1: // ...Handle error...
case 200: // ...Handle error...
// ...Handle the rest of the errors...
default: // ...Handle error...
}
我还会得到一个很长的块来处理所有适当的响应状态代码,如下所示:
switch response.statusCode {
case 200: // ...Do something with data...
case 400: // ...Handle missing user credentials...
case 401: // ...Handle incorrect credentials...
case 500: // ...Handle internal server error...
// ...Handle the rest of the status codes...
default: // ...Handle default error...
}
在尝试处理可能遇到的所有网络错误时,您能给我一些指导吗?