我正在试验 SwiftUI,并在为我的一个 List 实现数据模型时遇到了一个问题。我的计划是创建一个协议CardProtocol
作为列表元素的数据协议,然后有一个协议的 CoreData 实现以及一个用于单元测试和 Canvas 使用的虚拟实现。如果您在 SwiftUI 中使用数据集合,List
则单个元素需要符合Identifiable
协议。
代码如下所示:
import SwiftUI
import Combine
final class CardsModel: BindableObject {
var cards: [CardProtocol] = []
let didChange = PassthroughSubject<CardsModel, Never>()
}
protocol CardProtocol: Identifiable {
var id: Int { get set }
var firstName: String? { get set }
var lastName: String? { get set }
var email: String? { get set }
var phone: String? { get set }
}
这甚至不会编译,因为Identifiable
协议有 2 个关联类型,如果协议要用于变量定义,则需要指定这些类型。
/// A type that can be compared for identity equality.
public protocol Identifiable {
/// A type of unique identifier that can be compared for equality.
associatedtype ID : Hashable
/// A unique identifier that can be compared for equality.
var id: Self.ID { get }
/// The type of value identified by `id`.
associatedtype IdentifiedValue = Self
/// The value identified by `id`.
///
/// By default this returns `self`.
var identifiedValue: Self.IdentifiedValue { get }
}
确切的错误是error: protocol 'CardProtocol' can only be used as a generic constraint because it has Self or associated type requirements
。现在ID
不是问题并且可以修复,但IdentifiedValue
它在 CoreData 和虚拟实现中本质上是不同的。
我发现唯一合理的解决方案是从协议中删除对 的遵从性,Identifiable
并稍后在视图中使用cardsModel.cards.identified(by: \.id)
. 有没有更好的方法可以让我在协议级别保持可识别的合规性?