NSJONSerialization 사용방법
문자열JSON 문자열)이.json_encode()
뭇매를 맞다
[{"id": "1", "name":"Aaa"}, {"id": "2", "name":"Bbb"}]
iPhone 앱앱phonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephonephone.되어 있는 는 키가 입니다. 따라서 배열의 0번째 요소는 키가 있는 사전입니다."id" => "1"
★★★★★★★★★★★★★★★★★」"name" => "Aaa"
그런 을 하는지 가 안 돼요.NSJSONSerialization
을 사용하다지금까지의 코드는 다음과 같습니다.
NSError *e = nil;
NSDictionary *JSON = [NSJSONSerialization
JSONObjectWithData: data
options: NSJSONReadingMutableContainers
error: &e];
이것은 다른 웹사이트에서 예시로 본 것입니다.제가 그 정보를 얻으려고 노력했습니다JSON
요소의 수 등을 출력함으로써 오브젝트를 작성하지만, 나는 항상 취득하고 있다.EXC_BAD_ACCESS
.
NSJSONSerialization
JSON은 JSON을 사용하고 있습니다.
루트 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이 배열인지 사전인지 확인하기 위한 코드입니다.
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);
}
kNil Options 옵션과 NSJSON Reading Mutable Containers 옵션에서 이 옵션을 사용해 보았습니다.이 두 옵션 모두 올바르게 동작합니다.
물론 실제 코드는 if-else 블록 내에서 NSAray 또는 NSDictionary 포인터를 생성하는 방법이 아닙니다.
저는 좋아요.당신의.data
" " " 입니다.nil
설명한 루트 array.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 문자열의 따옴표를 피해야 했습니다.)
당신의 코드는 정상인 것 같습니다만 결과는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;
}
)
[{"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"])
}
다음 코드는 웹 서버에서 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);
@rckoenes에서는 이미 JSON 문자열에서 데이터를 올바르게 가져오는 방법을 보여 주었습니다.
하신 내용에 :EXC_BAD_ACCESS
거의 항상 객체가 [자동] 해제된 후 객체에 액세스하려고 할 때 나타납니다.이는 JSON [디시리얼라이제이션]에 한정되지 않고 오브젝트를 취득한 후 그 오브젝트에 액세스 하는 것과 관련이 있습니다.JSON을 사용하다
이 디버깅 방법을 설명하는 페이지가 많이 있습니다.Google(또는 SO)에 접속합니다.obj-c zombie objects
특히,NSZombieEnabled
좀비 오브젝트의 출처를 판별하는 데 있어서 매우 귀중한 것으로 판명됩니다.('좀비'는 오브젝트를 놓아두지만 포인터를 가지고 있다가 나중에 참조하려고 할 때 부르는 이름입니다.)
Xcode 7(베타) 상에서 Do/Try/Catch 블록을 사용하는 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)
}
}
메모: 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)
}
#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];
}
이 문제는 개체의 자동 리스에 있는 것 같습니다.NSJONSerialization JSONObjectWithData가 일부 자동 삭제 개체를 생성하여 사용자에게 전달합니다.다른 스레드에 할당하려고 하면 다른 스레드에 할당 해제할 수 없기 때문에 작동하지 않습니다.
이 사전 또는 배열의 가변 복사를 시도하여 사용하는 것이 좋습니다.
NSError *e = nil;
id jsonObject = [NSJSONSerialization
JSONObjectWithData: data
options: NSJSONReadingMutableContainers
error: &e] mutableCopy];
NSDirectionary를 NSAray로 취급하면 Bad Access 예외가 발생하지 않고 메서드콜이 발신되었을 때 크래시가 발생할 수 있습니다.
또한 이 옵션들은 그다지 중요하지 않을 수 있지만 NSJSONReadingMutableContainers | NSJSONReadingMutableContainers | NSJSONReadingAllowFragments | NSJSONReadingMutableContainers | NSJSONReadingAllowFragments를 지정하는 것이 좋습니다.
나쁜 예시는 이런 것이어야 합니다.
{"id":1, "name":"something as name"}
number와 string이 혼재되어 있습니다.
언급URL : https://stackoverflow.com/questions/8356842/how-to-use-nsjsonserialization
'source' 카테고리의 다른 글
Woocommerce에서 프로그래밍 방식으로 새 제품 특성 생성 (0) | 2023.02.13 |
---|---|
JSON 형식을 모르는 Java에서의 JSON 해석 (0) | 2023.02.13 |
angular-bootstrap 드롭다운이 닫히지 않도록 하는 방법(지령에 의해 바인딩된 이벤트 언바인드) (0) | 2023.02.13 |
ng-model을 동적으로 할당합니다. (0) | 2023.02.13 |
MongoDB 데이터베이스 파일 크기 축소 (0) | 2023.02.13 |