我试图更好地理解Swift中的协议。具体可选的协议方法。我认为这个问题可能与我在不同文件中定义/使用的协议有关,但是如果你将以下内容放在游乐场中,你会遇到同样的问题:
import Foundation
@objc protocol MyProtocol {
optional func shouldJump() -> Bool
}
extension NSObject : MyProtocol {}
class Test {
func testJump() {
let object = NSObject()
let jump = object.shouldJump?() ?? true
print("should jump: \(jump)")
}
}
let t = Test()
t.testJump()
以下是错误消息:
error: value of type 'NSObject' has no member 'shouldJump'
let jump = object.shouldJump?() ?? true
^~~~~~ ~~~~~~~~~~
由于某种原因,它不接受已在NSObject上定义协议。代码完成找到它,但编译器不允许它通过。
我不确定我的?? true
部分是否有效,但我希望这是一个默认值,因为该方法尚未定义。
如何让它发挥作用?
答案 0 :(得分:2)
您的NSObject
符合MyProtocol
,但由于它没有实现可选的协议方法,编译器知道它没有Selector
shouldJump
:
let object = NSObject()
object.conformsToProtocol(MyProtocol) // true
object.respondsToSelector("shouldJump") // false
解决此问题的一种方法是在扩展中实现协议方法,以便对象执行该选择器:
extension NSObject : MyProtocol {
func shouldJump() -> Bool {
// some logic here
return true
}
}
class Test {
func testJump() {
let object = NSObject()
let jump = object.shouldJump()
print("should jump: \(jump)")
}
}
let t = Test()
t.testJump() // works
如果您不想在扩展程序中实施可选方法,则必须将NSObject
转换为MyProtocol
并验证它是否响应可选Selector
:
class Test {
func testJump() {
let object = NSObject()
let obj = object as MyProtocol
if object.respondsToSelector("shouldJump") {
let jump = obj.shouldJump?()
print("should jump: \(jump)")
} else {
print("nope")
}
}
}
您也可以跳过respondsToSelector
步骤并使用if let
或guard
来验证shouldJump()
返回非零值。
class Test {
func testJump() {
let object = NSObject()
guard let obj: MyProtocol = object else {
return // object does not conform to MyProtocol
}
if let jump = obj.shouldJump?() { // if shouldJump() returns non-nil
print("should jump: \(jump)")
} else {
print("nope")
}
}
}
答案 1 :(得分:1)
我认为这是因为编译器知道NSObject没有shouldJump
方法,所以调用object.shouldJump?()
毫无意义。您可以将object
转换为您的协议:
let jump = (object as MyProtocol).shouldJump?() ?? true
答案 2 :(得分:1)
Swift是一种类型安全的语言。为了能够使用shouldJump?()
,您必须首先拥有符合MyProtocol
的对象。在这种情况下,您可以简单地转换您的类型:
let jump = (object as MyProtocol).shouldJump?() ?? true
您还可以将其存储在变量中:
let jumper = object as MyProtocol
let jump = jumper?.shouldJump() ?? true