0

我正在开发一个 iOS 应用程序,该应用程序将列出我存储在 NSDictionary 中的一些数据。我将使用表格视图来执行此操作,但是我应该如何开始有一些问题。

数据看起来像这样:

category =     (
            {
        description =             (
                            {
                id = 1;
                name = Apple;
            },
                            {
                id = 5;
                name = Pear;
            },
                            {
                id = 12;
                name = Orange;
            }
        );
        id = 2;
        name = Fruits;
    },
            {
        description =             (
                            {
                id = 4;
                name = Milk;
            },
                            {
                id = 7;
                name = Tea;
            }
        );
        id = 5;
        name = Drinks;
    }
);

我试图将所有“类别”值作为一个部分放在表中,并将每个“描述”中的“名称”放在正确的部分中。正如我所提到的,不知道如何从这里开始,如何为每个“类别”获取一个新部分?

4

1 回答 1

2

您“只需要”实现表视图数据源方法以从字典中提取信息:-)

如果self.dict是上面的字典,那么self.dict[@"category"]是一个数组,每个部分包含一个字典。因此(使用“现代 Objective-C 下标语法”):

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
    return [self.dict[@"category"] count];
}

- (NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section
{
    return self.dict[@"category"][section][@"name"];
}

对于每个部分,

self.dict[@"category"][section][@"description"]

是一个数组,每行包含一个字典。所以:

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
    return [self.dict[@"category"][section][@"description"] count];
}

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *CellIdentifier = @"Cell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
    if (cell == nil) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier];
    }

    NSString *name = self.dict[@"category"][indexPath.section][@"description"][indexPath.row][@"name"];
    cell.textLabel.text = name;
    return cell;
}
于 2013-04-13T13:20:18.977 回答