ncremins
ncremins

Reputation: 9200

Storing objects into NSMutableArray

I'm trying to build a sample app that grabs some json from a url and display it in a table view. I'm having an issue storing the data into an object and inserting these objects into an NSMutableArray.

TableView.m

- (void) getDataFromAPI {
    NSString *endpoint = @"http://www.somesite.com/list.php";

    NSURL *url = [NSURL URLWithString:endpoint];
    NSURLRequest *request = [NSURLRequest requestWithURL:url];


    AFJSONRequestOperation *operation = [AFJSONRequestOperation JSONRequestOperationWithRequest:request success:^(NSURLRequest *request, NSHTTPURLResponse *response, id JSON) {
        [self createMovies: JSON];
    } failure:^(NSURLRequest *request, NSHTTPURLResponse *response , NSError *error , id JSON){
        UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"Alert" message:@"Uh oh, there's been a problem!" delegate:nil cancelButtonTitle:@"Cancel" otherButtonTitles:@"Retry", nil];
        [alert show];
    }];
    [operation start];
}

- (void) createMovies: (id) json {

    NSMutableArray *list = [[NSMutableArray alloc] init];
    for (id entry in json) {
        Movie *aMovie = [[Movie alloc] init];
        aMovie.movieId = [entry objectForKey:@"id"];
        aMovie.title = [entry objectForKey:@"title"];
        aMovie.director = [entry objectForKey:@"director"];
        aMovie.price = [entry objectForKey:@"price"];

        aMovie = nil;
    }
    NSLog(@"%@", list);
    self.movieList = list;
}

- (void)viewDidLoad
{
    self.movieList = [[NSMutableArray alloc] init];
    [super viewDidLoad];

    [self getDataFromAPI];
    self.title = @"Movies";


    NSLog(@"%@", self.movieList);
}

When I try to inspect the self.movieList in viewDidLoad it has zero objects, but when I inspect the list in createMovies I get six objects.

An example of my json data:

[
  {
    "id": 1,
    "title": "Transformers",
    "price": 29.54,
    "Director": "Michael Bay"
  },
  {
    "id": 2,
    "title": "South Park",
    "price": 34.88,
    "author": "Matt Stone, Trey Parker"
  },
  {
    "id": 3,
    "title": "The Hobbit",
    "price": 20.04,
    "author": "Peter Jackson"
  }
]

Upvotes: 0

Views: 152

Answers (1)

bbum
bbum

Reputation: 162722

AFJSONRequestOperation is asynchronously loading the data. So, when the [incorrectly named -- should just be loadDataFromAPI] getDataFromAPI method has returned, the data hasn't yet actually been loaded.

Your createMovies: method should trigger a UI refresh that causes the movies to be displayed.

Upvotes: 5

Related Questions