如果我的协议具有可选属性,并且某个类需要符合已具有相同属性的协议,但作为非可选属性,如何使该类符合协议。
protocol MyProtocol {
var a: String? { get set }
}
class MyClass {
var a: String
}
extension MyClass: MyProtocol {
// What do I put here to make the class conform
}
答案 0 :(得分:5)
很遗憾,您无法使用其他类型在MyClass
中重新声明相同的变量。
Dennis建议使用什么,但是如果你想让你的变量保持在MyClass
非可选,那么你可以使用一个计算属性来包装你存储的变量:
protocol MyProtocol {
var a: String? { get set }
}
class MyClass {
// Must use a different identifier than 'a'
// Otherwise, "Invalid redeclaration of 'a'" error
var b: String
}
extension MyClass: MyProtocol {
var a: String? {
get {
return b
}
set {
if let newValue = newValue {
b = newValue
}
}
}
}
答案 1 :(得分:0)
您必须使该类的属性可选,以符合协议,如下所示:
protocol MyProtocol {
var a: String? { get set }
}
class MyClass {
var a: String? // Added '?'
}
extension MyClass: MyProtocol {
// Nothing needed here to conform
}