获取有意义的堆栈轨迹误差
能够在发生错误时向用户显示自定义错误消息(这意味着该应用不会崩溃ANS自身)。
struct TestSentryApp: App {
init() {
//Initialize Sentry
SentrySDK.start { options in
options.dsn = "SECRET_DSN_GOES_HERE"
options.debug = false
options.tracesSampleRate = 1.0
options.profilesSampleRate = 1.0
}
}
var body: some Scene {
WindowGroup {
ContentView()
}
}
}
//Define a custom error
enum CustomError : Error {
case validationError(message: String)
case internalError(message: String, innerError: Error? = nil)
}
struct ContentView: View {
var body: some View {
VStack(alignment: .leading) {
Text("Error Handling Tests")
Button("Test A") {
try! throwingFunction()
}
Button("Test B") {
do {
try throwingFunction()
}
catch {
//We could show a message to the user here informing about the error here
SentrySDK.capture(error: error)
}
}
Button("Test C") {
do {
try wrappedErrorThrowingFunction()
}
catch {
//We could show the message of the internalError here to the user, but still understand what happened because we have the innerError
SentrySDK.capture(error: error)
}
}
}
}
func throwingFunction() throws {
throw CustomError.validationError(message: "Error thrown on purpose.")
}
func wrappedErrorThrowingFunction() throws {
do {
try throwingFunction()
}
catch {
throw CustomError.internalError(message: "Unexpecetd error", innerError: error)
}
}
}
ButtonA:没有执行错误的任何特殊处理,作为回报,我们会清楚地了解该错误,但应用程序崩溃了,因此用户没有获得有关出了什么问题的任何信息。
BUTTONB:捕获任何可能的错误,允许我们通知用户,但错误点的堆栈跟踪指向我们称之为错误的行,这是不正确的。Buttonc:显示了另一种方法,在其中我们用自己的
SentrySDK.capture
CustomError .internalError
创建struct CustomError: Error {
let message: String
let innerError: (any Error)?
let callStack: [String] = Thread.callStackSymbols
init(message: String, innerError: (any Error)? = nil) {
self.message = message
self.innerError = innerError
}
}
func throwingFunction() throws {
throw CustomError(message: "Error thrown on purpose.")
}
func wrappedErrorThrowingFunction() throws {
do {
try throwingFunction()
}
catch {
throw CustomError(message: "Unexpecetd error", innerError: error)
}
}
CustomError
有任何任意
Error
Error
。不需要包含任何调用堆栈信息。