在我的swift项目中,我有一个案例,我使用协议继承如下
protocol A : class{
}
protocol B : A{
}
我接下来想要实现的是声明另一个具有关联类型的协议,这种类型必须从协议A
继承。如果我试图将其声明为:
protocol AnotherProtocol{
associatedtype Type : A
weak var type : Type?{get set}
}
它在没有错误的情况下进行编译,但在以下场景中尝试采用AnotherProtocol
时:
class SomeClass : AnotherProtocol{
typealias Type = B
weak var type : Type?
}
编译失败,错误声称SomeClass
不符合AnotherProtocol
。如果我理解正确,那就意味着B
我试图声明并询问如何声明从协议A
继承的关联类型时不采用A
?
我基于下面的场景编译得很好的事实做出了上述假设
class SomeDummyClass : B{
}
class SomeClass : AnotherProtocol{
typealias Type = SomeDummyClass
weak var type : Type?
}
答案 0 :(得分:3)
这非常有趣。 出现一旦约束了给定协议中associatedtype
的类型,就需要在该协议的实现中提供具体类型(而不是其他协议类型) - 这是为什么你的第二个例子有效。
如果删除关联类型的A
约束,则第一个示例将起作用(减去关于无法在非类类型上使用weak
的错误,但这不是似乎是相关的。)
尽管如此,我似乎无法找到任何文件来证实这一点。如果有人能找到支持(或完全发生争议)的话,我很想知道!
要使当前代码正常工作,您可以使用泛型。这实际上会一举两得,因为你的代码现在都会编译,并且你会从泛型带来的类型安全性增加中获益(通过推断传递给它们的类型)。
例如:
protocol A : class {}
protocol B : A {}
protocol AnotherProtocol{
associatedtype Type : A
weak var type : Type? {get set}
}
class SomeClass<T:B> : AnotherProtocol {
typealias Type = T
weak var type : Type?
}
编辑:上述解决方案似乎无法在您的特定情况下工作,因为您希望避免使用具体类型。我会把它留在这里,以防它对其他任何人都有用。
在您的特定情况下,您可能能够使用类型擦除来为您的B
协议创建伪具体类型。 Rob Napier has a great article关于类型擦除。
在这种情况下,这是一个奇怪的解决方案(因为类型擦除通常用于使用associatedtypes
包装协议),并且它也明显不如上述解决方案更优选,因为你必须重新实施一个代理服务器&#39; A
&amp;中每种方法的方法B
协议 - 但它应该适合你。
例如:
protocol A:class {
func doSomethingInA() -> String
}
protocol B : A {
func doSomethingInB(foo:Int)
func doSomethingElseInB(foo:Int)->Int
}
// a pseudo concrete type to wrap a class that conforms to B,
// by storing the methods that it implements.
class AnyB:B {
// proxy method storage
private let _doSomethingInA:(Void)->String
private let _doSomethingInB:(Int)->Void
private let _doSomethingElseInB:(Int)->Int
// initialise proxy methods
init<Base:B>(_ base:Base) {
_doSomethingInA = base.doSomethingInA
_doSomethingInB = base.doSomethingInB
_doSomethingElseInB = base.doSomethingElseInB
}
// implement the proxy methods
func doSomethingInA() -> String {return _doSomethingInA()}
func doSomethingInB(foo: Int) {_doSomethingInB(foo)}
func doSomethingElseInB(foo: Int) -> Int {return _doSomethingElseInB(foo)}
}
protocol AnotherProtocol{
associatedtype Type:A
weak var type : Type? {get set}
}
class SomeClass : AnotherProtocol {
typealias Type = AnyB
weak var type : Type?
}
class AType:B {
// implement the methods here..
}
class AnotherType:B {
// implement the methods here..
}
// your SomeClass instance
let c = SomeClass()
// set it to an AType instance
c.type = AnyB(AType())
// set it to an AnotherType instance
c.type = AnyB(AnotherType())
// call your methods like normal
c.type?.doSomethingInA()
c.type?.doSomethingInB(5)
c.type?.doSomethingElseInB(4)
您现在可以使用AnyB
类型代替使用B
协议类型,而不会使其更具类型限制。