我想使用通用协议创建一个UseCase
协议。然后,我想为所有实现创建一个接口,以便为测试创建模拟。
这是我到目前为止所做的:
struct Product {}
protocol UseCase {
associatedtype ReturnType
associatedtype Param
func execute(_ params: Param, completion: ((ReturnType) -> Void))
}
protocol FetchProductsUseCase: UseCase {
associatedtype ReturnType = [Product]
associatedtype Param = Void
}
struct FetchProductsUseCaseImpl: FetchProductsUseCase {
func execute(_ params: Param , completion: ((ReturnType) -> Void)) {
completion([])
}
}
//ERROR: Protocol 'FetchProductsUseCase' can only be used as a generic constraint because it has Self or associated type requirements
var useCase: FetchProductsUseCase!
有人可以帮我解决这个问题吗?
我已经搜索了SOF,发现了多个有关泛型的主题,但是没有一个对我的案例有帮助。
答案 0 :(得分:2)
因此,没有办法“约束” FetchProductUse案例以仅接受一对泛型吗? (即:Void / [Product])?
是的,但是您的FetchProductsUseCase
不是您的操作方式。改为这样做:
struct AnyUseCase<P, R>: UseCase {
typealias ReturnType = R
typealias Param = P
init<U>(useCase: U) where U: UseCase, U.ReturnType == ReturnType, U.Param == Param {
_execute = useCase.execute
}
func execute(_ params: P, completion: ((R) -> Void)) {
_execute(params, completion)
}
let _execute: (P, (R) -> Void) -> Void
}
var useCase: AnyUseCase<Void, [Product]>!
然后您可以执行以下操作:
useCase = AnyUseCase(useCase: FetchProductsUseCaseImpl())
我认为您的下一个错误将是completion
没有逃脱。可能需要。