我从Firebase获取重复内容,而我似乎无法弄清楚我做错了什么。在firebase我有6个帖子。 tableview填充了6个单元格,但所有6个单元格都有相同的数据,其他5个帖子不在那里。
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
RankingsCell *cell = [tableView dequeueReusableCellWithIdentifier:@"RankingsCell"];
self.ref = [[FIRDatabase database] reference];
posts = [ref child:@"posts"];
[posts observeEventType:FIRDataEventTypeValue withBlock:^(FIRDataSnapshot *snapshot)
{
for (snapshot in snapshot.children)
{
NSString *username = snapshot.value[@"Name"];
NSString *date = snapshot.value[@"Date"];
NSString *combatPower = snapshot.value[@"Combat Power"];
NSString *pokemon = snapshot.value[@"Pokemon"];
NSString *pokemonURL = snapshot.value[@"Pokemon Image"];
NSString *picURL = snapshot.value[@"Profile Picture"];
int CP = [combatPower intValue];
cell.usernameOutlet.text = username;
cell.dateOutlet.text = date;
cell.combatPowerLabel.text = [NSString stringWithFormat:@"COMBAT POWER: %d", CP];
cell.pokemonLabel.text = pokemon;
[cell downloadUserImage:picURL];
[cell downloadPokemonImage:pokemonURL];
}
}
withCancelBlock:^(NSError * _Nonnull error)
{
NSLog(@"%@", error.localizedDescription);
}];
return cell;
}
答案 0 :(得分:2)
cellForRowAtIndex:
方法"每个"单元格,所以你不应该在那里做你的数据库工作,它只负责创建一个"一个"一次一个细胞。
因此,请在observeEventType:
或viewDidLoad:
中移动viewDidAppear:
来电,如:
- (void)viewDidLoad
{
[super viewDidLoad];
self.ref = [[FIRDatabase database] reference];
posts = [ref child:@"posts"];
[posts observeEventType:FIRDataEventTypeValue withBlock:^(FIRDataSnapshot *snapshot)
{
self.allSnapshots = [NSMutableArray array];
for (snapshot in snapshot.children)
{
[self.allSnapshots addObject:snapshot];
}
[self.tableView reloadData]; // Refresh table view after getting data
} // .. error ...
}
并在numberOfRowsForInSection:
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
return [self.allSnapshots count];
}
并在cellForRowAtIndex:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
RankingsCell *cell = [tableView dequeueReusableCellWithIdentifier:@"RankingsCell"];
FIRDataSnapshot *snapshot = [self.allSnapshots objectAtIndex:indexPath.row];
NSString *username = snapshot.value[@"Name"];
NSString *date = snapshot.value[@"Date"];
NSString *combatPower = snapshot.value[@"Combat Power"];
NSString *pokemon = snapshot.value[@"Pokemon"];
NSString *pokemonURL = snapshot.value[@"Pokemon Image"];
NSString *picURL = snapshot.value[@"Profile Picture"];
int CP = [combatPower intValue];
cell.usernameOutlet.text = username;
cell.dateOutlet.text = date;
cell.combatPowerLabel.text = [NSString stringWithFormat:@"COMBAT POWER: %d", CP];
cell.pokemonLabel.text = pokemon;
[cell downloadUserImage:picURL];
[cell downloadPokemonImage:pokemonURL];
return cell;
}