繁体   English   中英

如何在iOS上正确读取JSON

[英]How to correctly read JSON on iOS

我正在尝试从POST请求中读取JSON。 问题是,我无法获得嵌套的词典。 我试图保存json然后在我的mac上使用该文件,一切正常! 我正在使用此方法从服务器获取JSON:

[NSURLConnection sendAsynchronousRequest:request queue:[NSOperationQueue mainQueue] completionHandler:^(NSURLResponse *response, NSData *data, NSError *connectionError) {
        if (!connectionError) {
            if (![[[NSString alloc] initWithData:data encoding:NSASCIIStringEncoding] isEqualToString:@"{\"response\":{\"status\":\"fail\",\"message\":\"Please use a POST request.\",\"code\":4012}}"]) {
                NSError *error;
                NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:[NSData dataWithContentsOfFile:@"/Users/David/Downloads/Test"] options:kNilOptions error:&error]; //This returns a other JSON than the JSON stored on my mac
                NSArray *array = [dict objectForKey:@"list"];
                NSMutableDictionary *mutableDict = [NSMutableDictionary new];
                for (NSInteger i = 0; array.count>i; i++) {
                    NSDictionary *listDictionary = [array objectAtIndex:i];
                    NSDictionary *defenition = [listDictionary objectForKey:@"definition"];
                    [mutableDict setObject:[defenition objectForKey:@"form"] forKey:[listDictionary objectForKey:@"term"]];
                }
                NSLog(@"%@",  mutableDict);
            }
        }
    }];

现在问题是,我必须使用另一种方法从NSURLConnection获取正确的JSON吗?

谢谢

编辑

这是我下载的json以及我在mac上的内容:

{
  "response" : {
    "status" : "success",
    "code" : "200",
    "message" : "OK"
  },
  "list" : [
    {
      "term" : "Black",
      "context" : "",
      "created" : "2014-04-17 20:34:33",
      "updated" : "",
      "definition" : {
        "form" : "Schwarz",
        "fuzzy" : 0,
        "updated" : "2014-04-17 21:35:50"
      },
      "reference" : "",
      "tags" : []
    }
  ]
}

这是我从字典“dict”得到的:

{
  "response" : {
    "status" : "success",
    "code" : "200",
    "message" : "OK"
  },
  "list" : [
    {
      "term" : "Black",
      "context" : "",
      "created" : "2014-04-17 20:34:33",
      "updated" : "",
      "reference" : "",
      "tags" : []
    }
  ]
}

请注意,字典“定义”缺失!

如果您可以将应用限制为iOS 5.0+,那么请选择NSJSONSerialization https://developer.apple.com/library/ios/documentation/foundation/reference/nsjsonserialization_class/Reference/Reference.html

如果你真的需要支持较旧的iOS版本,那么请回到我身边,我会挖掘那些在黑暗时期常见的框架。 (我只是不记得它的名字)

只是一个猜测(我总是需要通过文档来解决com协议):

[NSURLConnection sendAsynchronousRequest:request queue:[NSOperationQueue mainQueue] completionHandler:^(NSURLResponse *response, NSData *data, NSError *connectionError) {
    if (!connectionError) {
        if (![[[NSString alloc] initWithData:data encoding:NSASCIIStringEncoding] isEqualToString:@"{\"response\":{\"status\":\"fail\",\"message\":\"Please use a POST request.\",\"code\":4012}}"]) {  // This test is bogus but we'll leave it for now
            NSError *error;
            NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:data options:kNilOptions error:&error];
            if (dict == nil) {
                NSLog(@"Error deserializing JSON: %@", error);
                // Do something
            }
            if (![dict isKindOfClass:[NSDictionary class]]) {
                NSLog(@"Did not receive dictionary as outer JSON: %@", dict);
                // Do something
            }
            NSArray *array = [dict objectForKey:@"list"];
            NSMutableDictionary *mutableDict = [NSMutableDictionary new];
            for (NSInteger i = 0; array.count>i; i++) {
                NSDictionary *listDictionary = [array objectAtIndex:i];
                NSDictionary *defenition = [listDictionary objectForKey:@"definition"];
                [mutableDict setObject:[defenition objectForKey:@"form"] forKey:[listDictionary objectForKey:@"term"]];
            }
            NSLog(@"%@",  mutableDict);
        }
        else {
            // Do something
        }
    }
    else {
        // Do something
    }
}];

除非您需要发送自定义HTTP标头或其他内容,否则请勿使用NSURLConnection 而是使用NSData自己从URL加载的能力,如果您只想要一个基本的URL请求,它将获得所有HTTP头和性能内容以及错误检查。 我的示例代码显示了如何执行此操作,还显示了如何正确使用NSURLConnection与自定义发布数据/等(注释掉)。

此外,不要使用sendAsynchronousRequest:在这种情况下。 而是创建自己的异步代码块,以便您可以发送URL请求在后台线程上解码JSON 当您真正想要使用解码数据时,回退到主线程。

NSURL *url = [NSURL URLWithString:@"http://example.com"];
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{

  // basic get request:
  NSData *data = [NSData dataWithContentsOfURL:url];
  if (!data) {
    NSLog(@"http error");
    return;
  }

  // more complex get or post request, where you need to send parameters or custom headers or caching
  //NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:url cachePolicy:NSURLRequestReloadIgnoringLocalCacheData timeoutInterval:60];
  //[request setHTTPMethod:@"POST"];
  //[request setHTTPBody:postData];
  //NSHTTPURLResponse *urlResponse = nil;
  //NSData *data = [NSURLConnection sendSynchronousRequest:request returningResponse:&urlResponse error:NULL];
  //if (!data || [urlResponse statusCode] != 200) {
  //  NSLog(@"http error");
  //  return;
  //}

  // decode json
  NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:data options:0 error:NULL];
  if (!dict || ![dict isKindOfClass:[NSDictionary class]]) {
    NSLog(@"error parsing json");
    return;
  }

  // now drop back to the main thread and do whatever with your dictionary
  dispatch_async(dispatch_get_main_queue(), ^{
    NSLog(@"%@", dict);
  });
});

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM