protocol ProtocolA {
func someFunc() -> Any
}
protocol ProtocolB: ProtocolA {
var someVar: Any { get }
}
enum MyEnum<T: ProtocolA, U: ProtocolB> {
case A(T)
case B(U)
}
protocol DataObject {
...
}
extension DataObject where Self: ProtocolB {
func doSomething() {
let x = MyEnum.B(self)
/// Compiler error:
/// Cannot invoke 'B' with an argument list of type '(Self)'
}
}
我不明白为什么上面给我一个错误。 奇怪的是,删除两个枚举通用约束中的任何一个,使枚举只有一个约束,解决了问题......
请注意,ProtocolB扩展了ProtocolA。与泛型约束一起使用时是否不支持?
更新
将MyEnum
更改为此可解决问题:
enum MyEnum {
typealias T = ProtocolA
typealias U = ProtocolB
case A(T)
case B(U)
}
然而,我仍然不明白为什么......
答案 0 :(得分:3)
错误有点误导。让我们简化问题来探索它。
protocol ProtocolA {}
protocol ProtocolB: ProtocolA {}
enum MyEnum<T: ProtocolA, U: ProtocolB> {
case A(T)
case B(U)
}
struct AThing: ProtocolA {}
struct BThing: ProtocolB {}
let bThing = BThing()
let thing = MyEnum.B(bThing) // error: cannot invoke 'B' with an argument list of type '(BThing)'
所以现在我们遇到同样的问题而不需要DataObject
。为什么这会失败?
MyEnum
是通用的。这意味着,为了创建具体类型,它必须知道T
和U
的类型。您提供了对这些类型的约束(一个符合ProtocolA
,另一个符合ProtocolB
),但您没有具体说明它们是什么类型。
当我们到达这一行时:
let thing = MyEnum.B(bThing)
thing
是什么类型的?通过类型推断,我们可以计算U
是什么,但T
是什么?
let thing: MyEnum<?, BThing> = MyEnum.B(bThing)
这里没有足够的上下文来解决它,所以我们必须明确告诉编译器:
let thing = MyEnum<AThing, BThing>.B(bThing)
因此thing
的完整类型为MyEnum<AThing, BThing>
,其类型与MyEnum<OtherAThing, BThing>
不同。 (与[Int]
完全相同的类型与[String]
不同,这就是为什么let xs = []
在没有显式类型定义的情况下无法编译的原因。)
你的第二个例子不通用,所以没有问题。它简化为:
enum MyEnum {
case A(ProtocolA)
case B(ProtocolB)
}
绑定类型只是重命名类型,它们不会创建新类型(如未绑定的类型,或者Swift 2.2称之为associatedtype
)。因此,我们知道A
需要ProtocolA
,B
需要ProtocolB
,所有MyEnum
实例都具有相同的类型。
错误很不幸,因为编译器很困惑。如果您将此简化为最基本的情况,则会得到更明确的错误。这个失败的原因和你的例子完全相同。
enum MyEnum<T> {
case A
}
let x = MyEnum.A // error: generic parameter 'T' could not be inferred