我有一个场景,我必须发出 API 请求来更新 TableViewCell 中的 UILables 。
问题是我必须为每个单元格发出唯一的 API 请求。 API url 相同,但参数不同。
目前我正在 cellForRowAtIndex 中进行调用,在成功 block 中我正在使用 dispatch_async 更新数组并重新加载 UITableView 。 p>
我的 cellForRowAtIndexMethod :
if(!apiResponded) //Bool value to check API hasn't responded I have to make API request
{
cell.authorLabel.text = @"-------";// Set Nil
NSString *userId =[CacheHandler getUserId];
[self.handleAPI getAuthorList:userId]; //make API Call
}
else
{
cell.authorLabel.text = [authorArray objectAtIndex:indexPath.row];// authorArray is global Array
}
我的 API 请求成功 block :
numOfCallsMade = numOfCallsMade+1; //To track how manny calls made
apiResponded = YES; // to check API is reponded and I have to update the UILables
dispatch_async(kBgQueue, ^{
if(!authorArray)
authorArray = [[NSMutableArray alloc]init];
NSArray *obj = [responseData valueForKey"aName"];
if(obj == nil)
{
[authorArray addObject"N/A"];
}
else
{
[authorArray addObject:[obj valueForKey"authorName"]];
}
dispatch_async(dispatch_get_main_queue(), ^{
if(numOfCallsMade == [self.mCarsArray count]) // this is to check if I have 10 rows the 10 API request is made then only update
[self.mTableView reloadData];
});
});
当我运行此代码时,我会为每个标签获得相同的值。我不知道我的方法好不好。请任何人建议如何实现这一目标。
Best Answer-推荐答案 strong>
根据您的代码,我不确定您想要实现什么。我所知道的是你想为每个单元格发出一个请求,并显示接收到的数据。现在我不知道你想如何存储你的数据,或者你是如何设置的,但我会给你一个简单的建议,告诉你如何设置,然后你可以根据需要进行修改。
我假设您只需为每个单元格发出一次此请求。为简单起见,我们因此可以为接收到的数据(作者姓名?)存储一个字典。
@property (nonatomic, strong) NSMutableDictionary *authorNames;
我们需要在使用前、在 init 或 ViewDidLoad 中或任何您认为合适的地方实例化它(只要它在 TableView 调用 cellForRowAtIndexPath: 之前)。
authorNames = [[NSMutableDictionary alloc] init];
现在在 cellForRowAtIndexPath 中,您可以执行以下操作:
NSInteger index = indexPath.row
cell.authorLabel.text = nil;
cell.tag = index
NSString *authorName = authorNames[@(index)];
if (authorName) { // Check if name has already exists
cell.authorLabel.text = authorName;
} else {
// Make request here
}
在您的请求完成 block 中(在 CellForRowAtIndexPath: 内),添加以下内容:
NSString *authorName = [responseData valueForKey“aName”];
authorNames[@(index)] = authorName; // Set the name for that index
if (cell.index == index) { // If the cell is still being used for the same index
cell.authorLabel.text = authorName;
}
当您在 TableView 中上下滚动时,它将重用滚动到屏幕外的单元格。这意味着当请求完成时,单元格可能会被滚动到屏幕外并重新用于另一个索引。因此,您要设置单元格标记,并在请求完成后检查单元格是否仍在用于您发出请求的索引。
潜在问题:快速上下滚动时,当您的请求仍在加载时,它可能会为每个单元格发出多个请求。您必须添加一些方法来使每个请求只发出一次。
关于ios - 如何在 UITableVIewCell 中进行 API 调用,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/33332308/
|