我有一个基本上可以读取xml文件并在UITableView中显示结果的应用程序。我正在尝试按“国家”(xml文件元素的属性)对列表项进行分组,并在UITableView节中显示它们。

目前,我阅读xml文件,并将每个元素作为自定义对象存储在NSMutableArray中。该数组具有以下结构:

大批:
0 =>(标题,描述,日期,国家/地区)
1 =>(标题,描述,日期,国家/地区)
2 =>(标题,描述,日期,国家/地区)
3 =>(标题,描述,日期,国家/地区)

我尝试创建另一组独特的国家/地区,这些国家/地区允许我正确地创建节标题,但是我正在努力寻找一种在每个节标题下方显示正确项目的方法。

if(![countryArray containsObject:itemCountry]) //if country not already in array
{
   [countryArray addObject:itemCountry]; //Add NSString of country name to array
}

当我遍历xml文件时,其中itemCountry是每个元素的国家/地区属性。
[countryArray count]; //gives me the amount of sections needed

所以我想我的问题是我该如何计算出每个部分需要走多少行?
如何为每个部分显示正确的数组项?

任何帮助或指示都很好

最佳答案

与其创建包含数据的自定义对象的数组,不如看创建字典。

NSMutableDictionary * theDictionary = [NSMutableDictionary dictionary];

// Here `customObjects` is an `NSArray` of your custom objects from the XML
for ( CustomObject * object in customObjects ) {
    NSMutableArray * theMutableArray = [theDictionary objectForKey:object.country];
    if ( theMutableArray == nil ) {
        theMutableArray = [NSMutableArray array];
        [theDictionary setObject:theMutableArray forKey:object.country];
    }

    [theMutableArray addObject:object];
}

/* `sortedCountries` is an instance variable */
self.sortedCountries = [[theDictionary allKeys] sortedArrayUsingSelector:@selector(localizedCaseInsensitiveCompare:)];

/* Save `theDictionary` in an instance variable */
self.theSource = theDictionary;

稍后在numberOfSectionsInTableView中:
- (NSInteger)numberOfSectionsInTableView {
    return [self.sortedCountries count];
}

tableView:numberOfRowsInSection:中:
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
    return [[self.theSource objectForKey:[self.sortedCountries objectAtIndex:section]] count];
}

tableView:cellForRowAtIndexPath:中:
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
    [..]

    /* Get the CustomObject for the row */
    NSString * countryName = [self.sortedCountries objectAtIndex:indexPath.section];
    NSArray * objectsForCountry = [self.theSource objectForKey:countryName];
    CustomObject * object = [objectsForCountry objectAtIndex:indexPath.row];

    /* Make use of the `object` */

    [..]
}

这应该带您整个过程。

旁注
如果不是只提供数据而只是获得国家的数目,那么PengOne的方法的更好的替代方法是使用NSCountedSet
NSCountedSet * countedSet = [NSCounted set];
for ( NSString * countryName in countryNames ) {
    [countedSet addObject:countryName];
}

现在[countedSet allObjects]中提供了所有唯一的国家/地区,每个国家/地区的计数将是[countedSet countForObject:countryName]

10-08 15:40