我们正在考虑将应用程序从obj-c迁移到Swift。一个问题是我们的obj-c代码中有一个UITableView,它具有Header
类型或Item
类型的对象。基本上,它解析了它在cellForRowAtIndexPath中的类型。 Swift Arrays(据我所知)
只能处理一种类型。鉴于此,我们如何处理UITableView中使用的两种不同类型?像DataObj这样的包装器对象我们每个工作都有可用的实例吗?
答案 0 :(得分:12)
这是一种使用协议来统一两个类的方法:
protocol TableItem {
}
class Header: TableItem {
// Header stuff
}
class Item: TableItem {
// Item stuff
}
// Then your array can store objects that implement TableItem
let arr: [TableItem] = [Header(), Item()]
for item in arr {
if item is Header {
print("it is a Header")
} else if item is Item {
print("it is an Item")
}
}
优于[AnyObject]
或NSMutableArray
的优势在于,您的数组中只允许实现TableItem
的类,因此您可以获得额外的类型安全性。
答案 1 :(得分:1)
Swift数组可以存储不同类型的对象。为此,您必须声明为AnyObject数组
var array:[AnyObject] = []
在cellForRowAtIndexPath
之后,您可以使用可选的展开
if let header = array[indexPath.row] as? Header{
//return header cell here
}else{
let item = array[indexPath.row] as! Item
// return item cell
}