我正在尝试填充Square对象的2D数组(UICollectionView):
class Square: NSObject {
var sqrKey: String!
var userId: String!
init(SqrNumber: String, UserID: String) {
self._sqrKey = SqrNumber
self._userId = UserID
}
}
ViewController就是这样:
class CustomCollectionViewController: UICollectionViewController {
var ref: DatabaseReference!
var squares = [Square]()
override func viewDidLoad() {
super.viewDidLoad()
self.ref = Database.database().reference(withPath: "PlayerBoxes")
handle = ref.child("11062").observe(.value, with: { snapshot in
var items: [Square] = []
for item in snapshot.children {
let square = Square(snapshot: item as! DataSnapshot)
items.append(square)
}
self.squares = items
self.collectionView?.reloadData()
})
}
override func numberOfSections(in collectionView: UICollectionView) -> Int {
return 5
}
override func collectionView(_ collectionView: UICollectionView, numberOfItemsInSection section: Int) -> Int {
return 5
}
// Configure the cell
override func collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath) -> UICollectionViewCell {
let cell = collectionView.dequeueReusableCell(withReuseIdentifier: reuseIdentifier, for: indexPath) as! CustomCollectionViewCell
cell.square = squares[(indexPath as NSIndexPath).item]
cell.label.text = cell.square?._sqrKey
return cell
}
}
我遇到两个问题/错误:
第一个问题更多的是一个错误,即在执行collectionView(_ collectionView: UICollectionView, cellForItemAt indexPath: IndexPath)
函数之前Firebase读取未完全完成,从而导致问题fatal error: Index out of range
在该行:cell.square = squares[(indexPath as NSIndexPath).item]
我该如何解决这个问题??如何在继续之前强制完成Firebase读取!?
我的问题的第二部分是这个,我已经放置了虚拟数据,以确保不会遇到上面提到的错误/问题(通过硬编码Square对象的数组)这确保不会遇到致命错误,我可以测试我的其余代码;但是当我这样做时,执行cell.label.text = cell.square?._sqrKey
时结果的输出我得到了UICollection的每个部分中每个项目的相同值!?
所以输出是:
0,1,2,3,4
0,1,2,3,4
0,1,2,3,4
0,1,2,3,4
0,1,2,3,4
我期待输出
0,1,2,3,4,
5,6,7,8,9,
10,11,12,13,14
15,16,17,18,19
20,21,22,23,24
任何人都可以帮助我理解如何索引正确的_sqrKey
值!?
硬编码的Square对象是键值增加1,因而是上面的结果。
答案 0 :(得分:2)
从索引路径获取的.item是相对于该部分的.item。由于您的正方形数组是一维的,因此您始终可以访问前5个元素。
您可以通过考虑该部分来计算适当的索引:
let index = indexPath.section * 5 + indexPath.item
cell.square = squares[index]
对于导致运行时错误的加载延迟问题,将在firebase请求完成之前显示集合时(例如,在设置其数据源时)。要处理这个问题,你应该使用square数组的实际大小来响应numberOfSections和numberOfItems,而不是总是返回5
return squares.count/5 // for number of sections
return max(0,squares.count - section * 5) // for items in section
或者,如果数组从未部分填充:
return squares.count == 0 ? 0 : 5 // for number of sections
return squares.count == 0 ? 0 : 5 // for items in section
[编辑]如果你想让正方形成为一个二维数组,你必须将它声明为一个数组数组,并相应地调整加载和使用。
例如:
var squares:[[Square]] = []
...
var items: [[Square]] = []
var row:[Square] = []
for item in snapshot.children
{
let square = Square(snapshot: item as! DataSnapshot)
row.append(square)
if row.count == 5
{
items.append(row)
row = []
}
}
self.squares = items
...
cell.square = squares[indexPath.section][indexPath.item]
...
return squares.count // for sections
...
return squares[section].count // for itms in section