如何从 NSError 代码中找到错误描述?

How to find the error description from an NSError code?

我正在尝试找到一种 easier/more 可靠的方法来从错误代码中找出 NSError 的本地化描述,而不是 Google 搜索它。

例如,我知道 NSURLErrorDomain 代码 -1003 对应于“找不到具有指定主机名的服务器”。但是如果我尝试在代码中验证它不匹配。

let error = NSError(domain: "NSURLErrorDomain", code: -1003)
print(error.localizedDescription)
// "The operation couldn’t be completed. (NSURLErrorDomain error -1003.)"

documentation 中查找 -1003 也不匹配:“无法解析 URL 的主机名。”

所以我正在寻找一种方法来从带有函数的错误代码或具有我期望的描述的文档中找出描述。我希望有一个类似于 HTTPURLResponse.localizedString(forStatusCode:)

的函数

不,大部分内容都没有自动查找(使用 SecCopyErrorMessageString 会自动查找安全错误,但通常不会)。您必须检查 headers。这是在 NSURLError.h:

NSURLErrorCannotFindHost =          -1003,

通常,您要查找的字符串将在 NSError 的 userInfo 中,并由生成错误的对象放置在那里。它不会从代码中查找。当 userInfo 中没有消息时,localizedDescription 的默认值是写入“操作无法完成...”

我不相信有任何 built-in 方法可以生成“像系统那样”的错误。 (这将非常依赖于子系统,因为 URLErrors 有很多键需要填写,不适用于其他类型的错误。)

当您像这样创建自己的 NSError 对象时,不会为您生成 localizedDescription。但是,当 URLSession 生成错误对象时,将填充本地化描述:

let url = URL(string: "https://bad.domain")!
URLSession.shared.dataTask(with: url) { data, response, error in
    if let error = error as? URLError {
        print(error.localizedDescription)  // “A server with the specified hostname could not be found.”
    }
}.resume()

所以,如果您遇到错误并想查看本地化描述,就这样做吧。如果您手动创建自己的 NSError 对象,它根本无法工作。

但一般来说,我们不会担心本地化描述,而是测试 URLError, looking for a code of .cannotFindHost:

的各种 code
let url = URL(string: "https://bad.domain")!
URLSession.shared.dataTask(with: url) { data, response, error in
    if let error = error as? URLError {
        switch error.code {
        case .cannotFindHost: print("cannotFindHost")
        case .cancelled:      print("cancelled")
        case .badURL:         print("badURL")
        // ...
        default:              break
        }
    }
}.resume()

或者,您也可以使用 NSError 搜索旧的 NSURLError 代码值,寻找 NSURLErrorCannotFindHost:

URLSession.shared.dataTask(with: url) { data, response, error in
    if let error = error as NSError? {
        switch error.code {
        case NSURLErrorCannotFindHost: print("cannotFindHost")
        case NSURLErrorCancelled:      print("cancelled")
        case NSURLErrorBadURL:         print("badURL")
        // ...
        default:                       break
        }
    }
}.resume()

您也可以通过按shift-command-O“快速打开”(字母“Oh”),搜索NSURLError,取消选中快速打开对话框右上角的“Swift”按钮:

当您打开 NSURLError.h 文件时,您可以看到其中列出的所有代码。

但是,不,只是通过使用指定的域和代码创建 NSErrorlocalizedDescription 并没有为您神奇地填充。不过,URLSession 创建带有描述的正确错误对象。

伙计们,我想包括这个 link 供其他人参考,因为他们正在尝试识别特定的错误代码编号。 Error Codes provided by the Swift.org open source project on GitHub