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];

이것은 다른 웹 사이트에서 예로 보았던 것입니다. 나는 JSON요소와 그와 같은 것들의 수를 인쇄 하여 객체를 읽으려고 노력 했지만 항상 얻고있다 EXC_BAD_ACCESS.

어떻게 사용합니까 NSJSONSerialization위의 JSON을 구문 분석하고, 내가 언급 한 데이터 구조로 돌려?


당신의 데이터 변수는 아마도 전무하다
d.lebedev

아닙니다, 나는 이미 그것을 테스트했습니다.
로건 서먼

오류 개체에 관련 정보가 있는지 확인하려고 했습니까?
Monolo

답변:


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를주는 대신 무언가를 반환 해서는 안 됩니까?
로건 서먼

수표를 추가 !jsonArray하고 오류를 인쇄 한 이유는 무엇입니까? 구문 분석 중에 발생한 오류가 표시되어야합니다.
rckoenes

1
@ xs2bush no는 생성하지 않았으므로 자동 릴리스 jsonArray여야합니다.
rckoenes가

@Logan : 예. [JSON count]는 값을 반환해야합니다. 좀비에 관한 아래 답변을 참조하십시오. EXC_BAD_ACCESS는 거의 항상 좀비와 관련이 있습니다.
Olie

이 경우 item은 주어진 JSON 키 값 쌍의 키입니다. for 루프는 각 JSON 키를 완벽하게 출력합니다. 그러나 나는 이미 내가 원하는 가치, 즉 '키'의 열쇠를 알고 있습니다. 이 키 값을 가져 와서 로그에 출력하려는 ​​노력이 실패했습니다. 더 많은 통찰력이 있습니까?
토마스 Clowes

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);
}

나는 옵션 : kNilOptions 및 NSJSONReadingMutableContainers에 대해 이것을 시도했으며 두 가지 모두 올바르게 작동합니다.

분명히 실제 코드는 if-else 블록 내에서 NSArray 또는 NSDictionary 포인터를 생성 할 수 없습니다.


29

그것은 나를 위해 작동합니다. 당신의 data객체는 아마도 nilrckoenes가 지적했듯이 루트 객체는 (mutable) 배열이어야합니다. 이 코드를 참조하십시오 :

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. 여기에 예제가 있습니다.

처음 두 줄은 인터넷에서 읽을 때와 마찬가지로 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

Google의 인기 : NSJSONReadingMutableLeaves: "JSON 객체 그래프의 리프 문자열이 NSMutableString의 인스턴스로 생성되도록 지정합니다."
zaph

어떤 MutableContainer에 대한
자르 E Ahmer

죄송합니다. Google의 결과는 다음과 NSJSONReadingMutableContainers같습니다 . : "배열과 사전이 변경 가능한 객체로 생성되도록 지정합니다."
zaph

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

다음 코드는 웹 서버에서 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

2
옵션은 두 가지를 사용해서는 안됩니다 | 하지만 하나의 | 그들은 비트 OR 될 필요가 있기 때문에.
Deepak GM

이 질문은 네트워크 요청에 대해 아무 것도 묻지 않습니다
Noah Gilmore

2

@rckoenes는 이미 JSON 문자열에서 데이터를 올바르게 얻는 방법을 보여주었습니다.

당신이 물었던 질문에 대하여 : EXC_BAD_ACCESS[auto-] 해제 된 후에 객체에 접근하려고 할 때 거의 항상 온다. 이것은 JSON 직렬화 해제에만 국한된 것이 아니라 객체를 가져 와서 릴리스 한 후 액세스하는 것과 관련이 있습니다. 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

참고 : 스위프트 3의 경우 . JSON 문자열이 Dictionary 대신 Array를 반환합니다. 다음을 시도하십시오 :

        //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 | NSJSONReadingMutable 컨테이너 | NSJSONReadingAllowFragments 그러나 자동 해제 된 개체 인 경우에도이 문제를 해결하지 못할 수 있습니다.


Deepak, NSJSONReadingMutableContainers를 두 번 나열했습니다. NSJSONReadingMutableLeaves가 되었습니까?
jk7

0

나쁜 예입니다. { "id": 1, "name": "something as name"}과 같은 형식이어야합니다.

숫자와 문자열이 혼합되어 있습니다.

당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.