我发现
this question应该帮助了我,但是解决方案对我来说并不工作,我不知道有没有改变,或者问题是我的代码。
let messageBody = "hello" let urlSafeBody = messageBody.stringByAddingPercentEncodingWithAllowedCharacters(NSCharacterSet.URLHostAllowedCharacterSet()) print("URLSAFEBODY: \(urlSafeBody)") WKExtension.sharedExtension().openSystemURL(NSURL(string: "sms:&body=\(urlSafeBody)")!)
当执行这个代码时,我收到消息,可选的urlSafeBody在nil被强行解开,导致崩溃。为什么urlSafeBody没有?我知道我强制解开它,但我不明白为什么在明确分配之后是没有的。
这不是urlSafeBody是零。从print语句中可以看到,它包含一个可选的字符串:
原文链接:https://www.f2er.com/swift/320322.htmlURLSAFEBODY: Optional(“hello”)
这实际上会在下一个语句中成为链的问题,因为在插入该字符串之前您尚未展开该字符串。
如果你检查了你的NSURL字符串URL,你会看到它包含:
sms:&body=Optional(“hello”)
这将导致NSURL初始化失败,因为它的字符串URL格式错误。然后发生致命错误,因为您强制打开NSURL(string :)的零结果
如何解决这个问题
您要有条件地解开任何可能为零的字符串。你可以通过如果允许或保护让可选绑定来做到这一点:
let messageBody = "hello" let urlSafeBody = messageBody.stringByAddingPercentEncodingWithAllowedCharacters(NSCharacterSet.URLHostAllowedCharacterSet()) if let urlSafeBody = urlSafeBody,url = NSURL(string: "sms:&body=\(urlSafeBody)") { WKExtension.sharedExtension().openSystemURL(url) }
请注意,urlSafeBody在字符串插值中被使用之前被展开,并且url在初始化后也被解开。
由于确定url不为零,因此可以安全地传递给openSystemURL。
你应该始终努力避免强制解开变量,这可能是零,因为这肯定会导致崩溃。