这只是我真实示例的模型,我的行是复杂的对象
我的表视图具有不同的部分类型。
enum Type{
case devices
case users
case status
}
显然,每个部分都有一些行,可能有一个标题标题和一个sectionType,我试图尽可能地概括这一点。不确定使用associatedType
是否是正确的方法...可能有一个更简单的解决方案,只使用协议
protocol SectionType{
associatedtype Section
associatedtype Rows
init(sectionType: Section, rows: Rows)
var sectionType: Section {get set}
var rows: Rows {get set}
var headerTitle: String? {get set}
}
主要问题是每个部分的行可能完全不同(大于customObject1
和customObject2
之间的差异)一种解决方案是只执行var rows: Any
然后投递回,但这不是一个好主意。
class CustomObject1{
var number: Int
}
class CustomObject2{
var name : String?
}
我对协议的遵守:
class SomeSection: SectionType{
var sectionType: Type
var rows: [CustomObject1]
var headerTitle: String?
required init(sectionType: Type, rows: [CustomObject1]){
self.sectionType = sectionType
self.rows = rows
}
}
如您所见,我的SomeSection
类毫无用处,它仅适用于CustomObject1
var dataSource : [SectionType] = []
let firstSection = SomeSection(sectionType: .devices, rows: [CustomObject1(), CustomObject1(),CustomObject1()])
let secondSection = SomeSection(.users, rows: [???????]) // I can't add `CustomObject2` instances...nor I think creating a new class is a good idea
dataSource.append(firstSection)
dataSource.append(secondSection)
tableview.datasource = dataSource
我该如何解决这个问题?
编辑
我认为我的协议方法是完全没有必要的。但是现在我有一个不同的问题。我的视图控制器以前是这样的:
class ViewController: UIViewController{
var dataSource : [Section] = []
}
现在我必须将其更改为:
class ViewController<Row>: UIViewController{
var dataSource : [Section<Row>] = []
}
右?
Rich 建议的方法现在的问题是,我无法将 Generic 类的这两个实例apppend
到单个数组中,因为它们的泛型属性类型最终并不相同。
我认为您可以通过在此用例中使用通用类来简化解决方案,但是如果您想使用协议和相关类型,则以下内容应该有效:
protocol SectionType {
associatedtype Section
associatedtype Row
init(sectionType: Section, rows: [Row])
var sectionType: Section {get set}
var rows: [Row] {get set}
var headerTitle: String? {get set}
}
class SomeSection<T,U>: SectionType{
typealias Section = T
typealias Row = U
var sectionType: Section
var rows: [Row]
var headerTitle: String?
required init(sectionType: Section, rows: [Row]){
self.sectionType = sectionType
self.rows = rows
}
}
enum FoodType {
case cheese
case beer
}
enum Currency {
case dollars
case pounds
}
let s1 = SomeSection(sectionType: FoodType.cheese, rows: ["cheddar", "stilton"])
let s2 = SomeSection(sectionType: FoodType.beer, rows: ["rochefort12", "Spring Sprinter"])
let s3 = SomeSection(sectionType: Currency.dollars, rows: [1,2])
通用版本只是:
class SomeSection<Section,Row> {
var sectionType: Section
var rows: [Row]
var headerTitle: String?
required init(sectionType: Section, rows: [Row]){
self.sectionType = sectionType
self.rows = rows
}
}
如果不需要该类来实现任何其他功能,这可能会更好