1

我有一个简单NSDictionary的方法,我试图通过返回的 JSON 填充来自外部站点的数据。返回的 JSON 很好,但我无法获取特定键的实际数据。

这是打印到控制台的 JSON 数据。

这是我的 JSON 数据:

(
        {
        CategoryID = 12345;
        CategoryName = "Baked Goods";
    },
        {
        CategoryID = 12346;
        CategoryName = Beverages;
    },
        {
        CategoryID = 12347;
        CategoryName = "Dried Goods";
    },
        {
        CategoryID = 12348;
        CategoryName = "Frozen Fruit & Vegetables";
    },
        {
        CategoryID = 12349;
        CategoryName = Fruit;
    },
        {
        CategoryID = 12340;
        CategoryName = "Purees & Soups";
    },
        {
        CategoryID = 12341;
        CategoryName = Salad;
    },
        {
        CategoryID = 12342;
        CategoryName = "Snack Items";
    },
        {
        CategoryID = 12343;
        CategoryName = Vegetables;
    }
)

我得到的错误是:

由于未捕获的异常“NSInvalidArgumentException”而终止应用程序,原因:“-[__NSCFArray enumerateKeysAndObjectsUsingBlock:]:无法识别的选择器发送到实例 0x6884000”

- (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data {

    NSError *error = nil;
    // Get the JSON data from the website
    NSDictionary *categories = [NSJSONSerialization JSONObjectWithData:data  options:kNilOptions error:&error];

    if (categories.count > 0){
        NSLog(@"This is my JSON data %@", categories);

        [categories enumerateKeysAndObjectsUsingBlock: ^(__strong id key, __strong id obj, BOOL *stop) {
        NSLog(@"Key = %@, Object For Key = %@", key, obj); }];
}

我不确定为什么会发生这种情况,但我确定这很简单,就像我使用了不正确的对象或其他东西一样。

帮助表示赞赏。

4

1 回答 1

4

+JSONObjectWithData:options:error:正在返回 NSArray 而不是 NSDictionary。'-[__NSCFArray enumerateKeysAndObjectsUsingBlock:]是错误信息的关键部分。它告诉你你正在调用-enumerateKeysAndObjectsUsingBlock:一个数组。


对于这种情况,您可以-enumerateObjectsUsingBlock:改用。

如果您不确定是否会返回 NSArray 或 NSDictionary,您可以使用-isKindOf:

id result = [NSJSONSerialization …];
if ([result isKindOf:[NSArray class]]) {
    NSArray *categories = result;
    // Process the array
} else if ([result isKindOf:[NSDictionary class]]) {
    NSDictionary *categories = result;
    // Process the dictionary
}

来自enumerateObjectsUsingBlock:

使用数组中的每个对象执行给定的块,从第一个对象开始,一直到数组中的最后一个对象。

  • (void)enumerateObjectsUsingBlock:(void (^)(id obj, NSUInteger idx, BOOL *stop))block

所以应该这样称呼它

[categories enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
    NSLog(@"index = %d, Object For Key = %@", idx, obj);
}];

快速阅读文档确实可以为您节省很多挫败感。

于 2012-06-21T17:57:19.863 回答