NSJSONSerializationの使い方


156

私はJSON文字列を持っています(PHPからのjson_encode()ものは次のようになります:

[{"id": "1", "name":"Aaa"}, {"id": "2", "name":"Bbb"}]

これを解析して、iPhoneアプリ用のある種のデータ構造にしたいと考えています。私にとって最良のことは、辞書の配列を持つことだと思います。そのため、配列の0番目の要素は、キー"id" => "1"とを持つ辞書"name" => "Aaa"です。

NSJSONSerializationがデータをどのように保存するのかわかりません。これまでの私のコードは次のとおりです。

NSError *e = nil;
NSDictionary *JSON = [NSJSONSerialization 
    JSONObjectWithData: data 
    options: NSJSONReadingMutableContainers 
    error: &e];

これは、別のWebサイトで例として見たものです。JSON要素の数などを出力してオブジェクトの読み取りを取得しようとしていますが、常にを取得していEXC_BAD_ACCESSます。

NSJSONSerialization上記のJSONを解析し、それを前述のデータ構造に変換するにはどうすればよいですか?


あなたのデータ変数は、おそらくnilである
d.lebedev

そうではない、私はすでにそれをテストした。
Logan Serman、2011

エラーオブジェクトに関連情報があるかどうかを確認しようとしましたか?
Monolo、2011

回答:


214

ルートjsonオブジェクトは辞書ではなく配列です。

[{"id": "1", "name":"Aaa"}, {"id": "2", "name":"Bbb"}]

これにより、処理方法が明確になります。

NSError *e = nil;
NSArray *jsonArray = [NSJSONSerialization JSONObjectWithData: data options: NSJSONReadingMutableContainers error: &e];

if (!jsonArray) {
  NSLog(@"Error parsing JSON: %@", e);
} else {
   for(NSDictionary *item in jsonArray) {
      NSLog(@"Item: %@", item);
   }
}

ありがとう、試してみますが、[JSON count]EXC_BAD_ACCESSを返すだけでなく、何かを返すべきではありませんか?
Logan Serman、2011

それは、私がチェックを追加!jsonArrayしてエラーを出力した理由です。これにより、解析中に発生したエラーが表示されます。
rckoenes

1
@ xs2bushいいえ、作成しなかったため、jsonArray自動解放する必要があります。
rckoenes 2013年

@Logan:はい、[JSONカウント]は値を返す必要があります。ゾンビについては、以下の私の回答を参照してください。EXC_BAD_ACCESSは、ほとんどの場合ゾンビに関連しています。
Olie

この場合、itemは与えられたJSONキーと値のペアのキーです。forループは、各JSONキーを完全に出力して機能します。ただし、必要な値のキー、つまり「キー」はすでに知っています。このキーの値を取得してログに出力するための私の努力は失敗しました。さらに洞察はありますか?
Thomas Clowes 2013

75

これは、受け取ったjsonが配列か辞書かを確認するためのコードです。

NSError *jsonError = nil;
id jsonObject = [NSJSONSerialization JSONObjectWithData:jsonData options:kNilOptions error:&jsonError];

if ([jsonObject isKindOfClass:[NSArray class]]) {
    NSLog(@"its an array!");
    NSArray *jsonArray = (NSArray *)jsonObject;
    NSLog(@"jsonArray - %@",jsonArray);
}
else {
    NSLog(@"its probably a dictionary");
    NSDictionary *jsonDictionary = (NSDictionary *)jsonObject;
    NSLog(@"jsonDictionary - %@",jsonDictionary);
}

私はoptions:kNilOptionsとNSJSONReadingMutableContainersにこれを試しましたが、どちらでも正しく機能します。

明らかに、実際のコードは、私がif-elseブロック内にNSArrayまたはNSDictionaryポインターを作成するこの方法にはなり得ません。


29

わたしにはできる。あなたのdataオブジェクトはおそらくnilあり、rckoenesが述べたように、ルートオブジェクトは(可変)配列でなければなりません。このコードを参照してください:

NSString *jsonString = @"[{\"id\": \"1\", \"name\":\"Aaa\"}, {\"id\": \"2\", \"name\":\"Bbb\"}]";
NSData *jsonData = [jsonString dataUsingEncoding:NSUTF8StringEncoding];
NSError *e = nil;
NSMutableArray *json = [NSJSONSerialization JSONObjectWithData:jsonData options:NSJSONReadingMutableContainers error:&e];
NSLog(@"%@", json);

(JSON文字列の引用符はバックスラッシュでエスケープする必要がありました。)


9

結果がNSArrayでなくであるNSDictionary場合を除いて、コードは問題ないようです。以下に例を示します。

最初の2行は、JSONを使用してデータオブジェクトを作成するだけで、ネットから読み取る場合と同じです。

NSString *jsonString = @"[{\"id\": \"1\", \"name\":\"Aaa\"}, {\"id\": \"2\", \"name\":\"Bbb\"}]";
NSData *jsonData = [jsonString dataUsingEncoding:NSUTF8StringEncoding];

NSError *e;
NSMutableArray *jsonList = [NSJSONSerialization JSONObjectWithData:jsonData options:NSJSONReadingMutableContainers error:&e];
NSLog(@"jsonList: %@", jsonList);

NSLogの内容(辞書のリスト):

jsonList: (
           {
               id = 1;
               name = Aaa;
           },
           {
               id = 2;
               name = Bbb;
           }
           )

このオプション(NSJSONReadingMutableContainers)の意味 私はkNilOptionを使用しませんが、すべて正常に動作します。これらのオプションを使用する目的を教えてください
Zar E Ahmer '11 / 11/11

GoogleのトップヒットNSJSONReadingMutableLeaves::「JSONオブジェクトグラフのリーフ文字列がNSMutableStringのインスタンスとして作成されることを指定します。」
zaph 2014

そして、MutableContainerについてはどうでしょう
Zar E Ahmer

おっと、もう一度Googleの上部の結果からNSJSONReadingMutableContainers::「配列と辞書が変更可能なオブジェクトとして作成されることを指定します。」
zaph 2014

1
これらは、返されたJSONオブジェクトを変更して保存する場合にのみ役立ちます。どちらの場合も、オブジェクトはおそらく自動解放されたオブジェクトであり、それが根本的な原因のようです。
Deepak GM

6
[{"id": "1", "name":"Aaa"}, {"id": "2", "name":"Bbb"}]

上記のJSONデータでは、辞書の数を含む配列があることを示しています。

それを解析するには、次のコードを使用する必要があります。

NSError *e = nil;
NSArray *JSONarray = [NSJSONSerialization JSONObjectWithData: data options: NSJSONReadingMutableContainers error: &e];
        for(int i=0;i<[JSONarray count];i++)
        {
            NSLog(@"%@",[[JSONarray objectAtIndex:i]objectForKey:@"id"]);
             NSLog(@"%@",[[JSONarray objectAtIndex:i]objectForKey:@"name"]);
        }

迅速な3/3以上

   //Pass The response data & get the Array
    let jsonData = try JSONSerialization.jsonObject(with: data!, options: .allowFragments) as! [AnyObject]
    print(jsonData)
    // considering we are going to get array of dictionary from url

    for  item  in jsonData {
        let dictInfo = item as! [String:AnyObject]
        print(dictInfo["id"])
        print(dictInfo["name"])
    }

3

次のコードは、WebサーバーからJSONオブジェクトをフェッチし、それを解析してNSDictionaryにします。この例では、シンプルなJSON応答を返すopenweathermap APIを使用しました。シンプルにするために、このコードは同期リクエストを使用します。

   NSString *urlString   = @"http://api.openweathermap.org/data/2.5/weather?q=London,uk"; // The Openweathermap JSON responder
   NSURL *url            = [[NSURL alloc]initWithString:urlString];
   NSURLRequest *request = [NSURLRequest requestWithURL:url];
   NSURLResponse *response;
   NSData *GETReply      = [NSURLConnection sendSynchronousRequest:request returningResponse:&response error:nil];
   NSDictionary *res     = [NSJSONSerialization JSONObjectWithData:GETReply options:NSJSONReadingMutableLeaves|| NSJSONReadingMutableContainers error:nil];
   Nslog(@"%@",res);

JSON構造にアクセスする最も速い方法のように思われるので、あなたの答えが最良の答えであると思います。
Porizm 2014年

2
オプションでは2つを使用しないでください。でもシングル| それらはビットごとのORをとる必要があるからです。
Deepak GM

質問は、ネットワーク要求については何も聞いていません
ノアギルモア

2

@rckoenesは、JSON文字列からデータを正しく取得する方法をすでに示しています。

あなたが尋ねた質問に対して:EXC_BAD_ACCESSほとんどの場合、オブジェクトが[自動]リリースされた後でオブジェクトにアクセスしようとすると、それが起こります。これはJSONの[de-]シリアライズに固有のものではなく、オブジェクトを取得して、リリース後にアクセスするだけです。それがJSON経由で来たという事実は重要ではありません。

これをデバッグする方法を説明するページはたくさんあります-あなたはGoogle(またはSO)になりたいです。obj-c zombie objects特に、NSZombieEnabledゾンビオブジェクトのソースを特定するのに役立つ非常に貴重なページです。(「ゾンビ」とは、オブジェクトを解放したときにそのオブジェクトへのポインターを保持し、後で参照しようとしたときに呼び出されるオブジェクトです。)


1

do / try / catchブロックを使用したXcode 7(ベータ)上のSwift 2.0:

// MARK: NSURLConnectionDataDelegate

func connectionDidFinishLoading(connection:NSURLConnection) {
  do {
    if let response:NSDictionary = try NSJSONSerialization.JSONObjectWithData(receivedData, options:NSJSONReadingOptions.MutableContainers) as? Dictionary<String, AnyObject> {
      print(response)
    } else {
      print("Failed...")
    }
  } catch let serializationError as NSError {
    print(serializationError)
  }
}

1

注:Swift 3の場合。JSON文字列が、辞書ではなく配列を返しています。以下をお試しください:

        //Your JSON String to be parsed
        let jsonString = "[{\"id\": \"1\", \"name\":\"Aaa\"}, {\"id\": \"2\", \"name\":\"Bbb\"}]";

        //Converting Json String to NSData
        let data = jsonString.data(using: .utf8)

        do {

            //Parsing data & get the Array
            let jsonData = try JSONSerialization.jsonObject(with: data!, options: .allowFragments) as! [AnyObject]

            //Print the whole array object
            print(jsonData)

            //Get the first object of the Array
            let firstPerson = jsonData[0] as! [String:Any]

            //Looping the (key,value) of first object
            for (key, value) in firstPerson {
                //Print the (key,value)
                print("\(key) - \(value) ")
            }

        } catch let error as NSError {
            //Print the error
            print(error)
        }

0
#import "homeViewController.h"
#import "detailViewController.h"

@interface homeViewController ()

@end

@implementation homeViewController

- (id)initWithStyle:(UITableViewStyle)style
{
    self = [super initWithStyle:style];
    if (self) {
        // Custom initialization
    }
    return self;
}

- (void)viewDidLoad
{
    [super viewDidLoad];
    self.tableView.frame = CGRectMake(0, 20, 320, 548);
    self.title=@"Jason Assignment";

    // Uncomment the following line to preserve selection between presentations.
    // self.clearsSelectionOnViewWillAppear = NO;

    // Uncomment the following line to display an Edit button in the navigation bar for this view controller.
    // self.navigationItem.rightBarButtonItem = self.editButtonItem;
    [self clientServerCommunication];
}

-(void)clientServerCommunication
{
    NSURL *url = [NSURL URLWithString:@"http://182.72.122.106/iphonetest/getTheData.php"];
    NSURLRequest *req = [NSURLRequest requestWithURL:url];
    NSURLConnection *connection = [[NSURLConnection alloc]initWithRequest:req delegate:self];
    if (connection)
    {
        webData = [[NSMutableData alloc]init];
    }
}
- (void)connection:(NSURLConnection *)connection didReceiveResponse:(NSURLResponse *)response
{
    [webData setLength:0];
}

- (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data
{
    [webData appendData:data];
}

- (void)connectionDidFinishLoading:(NSURLConnection *)connection
{
    NSDictionary *responseDict = [NSJSONSerialization JSONObjectWithData:webData options:0 error:nil];

    /*Third party API
     NSString *respStr = [[NSString alloc]initWithData:webData encoding:NSUTF8StringEncoding];
     SBJsonParser *objSBJson = [[SBJsonParser alloc]init];
     NSDictionary *responseDict = [objSBJson objectWithString:respStr]; */
    resultArray = [[NSArray alloc]initWithArray:[responseDict valueForKey:@"result"]];
    NSLog(@"resultArray: %@",resultArray);
    [self.tableView reloadData];
}


- (void)didReceiveMemoryWarning
{
    [super didReceiveMemoryWarning];
    // Dispose of any resources that can be recreated.
}

#pragma mark - Table view data source

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
//#warning Potentially incomplete method implementation.
    // Return the number of sections.
    return 1;
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
//#warning Incomplete method implementation.
    // Return the number of rows in the section.
    return [resultArray count];
}

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

    // Configure the cell...
    cell.textLabel.text = [[resultArray objectAtIndex:indexPath.row] valueForKey:@"name"];
    cell.detailTextLabel.text = [[resultArray objectAtIndex:indexPath.row] valueForKey:@"designation"];

    NSData *imageData = [NSData dataWithContentsOfURL:[NSURL URLWithString:[[resultArray objectAtIndex:indexPath.row] valueForKey:@"image"]]];
cell.imageview.image = [UIImage imageWithData:imageData];

    return cell;
}

/*
// Override to support conditional editing of the table view.
- (BOOL)tableView:(UITableView *)tableView canEditRowAtIndexPath:(NSIndexPath *)indexPath
{
    // Return NO if you do not want the specified item to be editable.
    return YES;
}
*/

/*
// Override to support editing the table view.
- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath
{
    if (editingStyle == UITableViewCellEditingStyleDelete) {
        // Delete the row from the data source
        [tableView deleteRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationFade];
    }   
    else if (editingStyle == UITableViewCellEditingStyleInsert) {
        // Create a new instance of the appropriate class, insert it into the array, and add a new row to the table view
    }   
}
*/

/*
// Override to support rearranging the table view.
- (void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)fromIndexPath toIndexPath:(NSIndexPath *)toIndexPath
{
}
*/

/*
// Override to support conditional rearranging of the table view.
- (BOOL)tableView:(UITableView *)tableView canMoveRowAtIndexPath:(NSIndexPath *)indexPath
{
    // Return NO if you do not want the item to be re-orderable.
    return YES;
}
*/


#pragma mark - Table view delegate

// In a xib-based application, navigation from a table can be handled in -tableView:didSelectRowAtIndexPath:
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
    // Navigation logic may go here, for example:
     //Create the next view controller.
    detailViewController *detailViewController1 = [[detailViewController alloc]initWithNibName:@"detailViewController" bundle:nil];

 //detailViewController *detailViewController = [[detailViewController alloc] initWithNibName:@"detailViewController" bundle:nil];

 // Pass the selected object to the new view controller.

 // Push the view controller.
 detailViewController1.nextDict = [[NSDictionary alloc]initWithDictionary:[resultArray objectAtIndex:indexPath.row]];
 [self.navigationController pushViewController:detailViewController1 animated:YES];

    // Pass the selected object to the new view controller.

    // Push the view controller.
  //  [self.navigationController pushViewController:detailViewController animated:YES];
}



@end

- (void)viewDidLoad
{
    [super viewDidLoad];
    // Do any additional setup after loading the view from its nib.
    empName.text=[nextDict valueForKey:@"name"];
    deptlbl.text=[nextDict valueForKey:@"department"];
    designationLbl.text=[nextDict valueForKey:@"designation"];
    idLbl.text=[nextDict valueForKey:@"id"];
    salaryLbl.text=[nextDict valueForKey:@"salary"];
    NSString *ImageURL = [nextDict valueForKey:@"image"];
    NSData *imageData = [NSData dataWithContentsOfURL:[NSURL URLWithString:ImageURL]];
    image.image = [UIImage imageWithData:imageData];
}

0

問題はオブジェクトの自動解放にあるようです。NSJSONSerialization JSONObjectWithDataは明らかにいくつかの自動解放オブジェクトを作成し、それをあなたに返しています。それを別のスレッドに移そうとすると、別のスレッドで割り当て解除できないため、機能しません。

トリックは、その辞書または配列の変更可能なコピーを実行して、それを使用することです。

NSError *e = nil;
id jsonObject = [NSJSONSerialization 
JSONObjectWithData: data 
options: NSJSONReadingMutableContainers 
error: &e] mutableCopy];

NSDictionaryをNSArrayとして扱うと、不正アクセス例外は発生しませんが、メソッド呼び出しが行われたときにおそらくクラッシュします。

また、オプションはここでは特に問題ではないかもしれませんが、NSJSONReadingMutableContainers | NSJSONReadingMutableContainers | NSJSONReadingAllowFragmentsですが、自動解放されたオブジェクトであっても、この問題を解決できない場合があります。


Deepakさん、NSJSONReadingMutableContainersを2回リストしました。NSJSONReadingMutableLeavesになるということですか?
jk7

0

悪い例、これは{"id":1、 "name": "something as name"}のようになるはずです

数値と文字列が混在しています。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.