Вызов API с помощью UISearchBar


У меня есть UITableView, который отображает результаты из API. API вызывается всякий раз, когда пользователь вводит в UISearchBar через searchBar:textDidChange:. Эффективная реализация поиска автозаполнения. Моя проблема заключается в том, что результаты, загруженные в UITableView, кажутся итерацией после последнего вызова API.

Пример: Пользователь вводит "union" в UISearchBar, однако в UITableView результаты не отображаются. Пользователь вводит любой символ после "union"," unions", например, и API результаты от "union" отображаются в UITableView. Когда пользователь прокручивает вниз результаты ("объединения", но на самом деле" объединения")," повторно заполненные ячейки "отображают результат" объединения".

SearchViewController.h

#import <UIKit/UIKit.h>

@interface SearchViewController : UIViewController <UITextFieldDelegate, UISearchBarDelegate, UITableViewDelegate, UITableViewDataSource, UISearchDisplayDelegate>{
    UITableView *searchTableView;
    UISearchBar *sBar;
    UISearchDisplayController *searchDisplayController;
}

@property (strong, nonatomic) NSArray *loadedSearches;

@end

SearchViewController.m

#import "SearchViewController.h"
#import "AFJSONRequestOperation.h"

@interface SearchViewController ()

@end

@implementation SearchViewController


- (id)initWithNibName:(NSString *)nibNameOrNil bundle:(NSBundle *)nibBundleOrNil
{
    self = [super initWithNibName:nibNameOrNil bundle:nibBundleOrNil];
    if (self) {
        self.title = @"Search";
    }
    return self;
}

- (void)viewDidLoad
{
    [super viewDidLoad];
    searchTableView = [[UITableView alloc] initWithFrame:self.view.bounds];
    searchTableView.delegate = self;
    searchTableView.dataSource = self;
    [self.view addSubview:searchTableView];

    sBar = [[UISearchBar alloc] initWithFrame:CGRectMake(0, 0, 160, 44)];
    sBar.placeholder = @"Bus Route to...";
    sBar.delegate = self;
    searchDisplayController = [[UISearchDisplayController alloc] initWithSearchBar:sBar contentsController:self];

    searchDisplayController.delegate = self;
    searchDisplayController.searchResultsDataSource = searchTableView.dataSource;
    searchDisplayController.searchResultsDelegate = searchTableView.delegate;

    searchTableView.tableHeaderView = sBar;
}

-(void)searchBar:(UISearchBar *)searchBar textDidChange:(NSString *)searchText
{
    NSString *searchQuery = [NSString stringWithFormat:@"https://api.foursquare.com/v2/venues/search?ll=40.4263,-86.9177&client_id=xxx&client_secret=yyy&v=20121223&query='%@'",searchText];

    searchQuery = [searchQuery stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];

    NSURL *url = [[NSURL alloc] initWithString:searchQuery];

    NSURLRequest *request = [[NSURLRequest alloc] initWithURL:url];

    AFJSONRequestOperation *operation = [AFJSONRequestOperation
                                         JSONRequestOperationWithRequest:request
                                         success:^(NSURLRequest *request, NSHTTPURLResponse *response, id JSON){
                                             self.loadedSearches = JSON[@"response"][@"venues"];
                                         } failure:^(NSURLRequest *request, NSHTTPURLResponse *response, NSError *error, id JSON){
                                             NSLog(@"%@", error.localizedDescription);
                                         }];

    [operation start];
    [searchTableView reloadData];
}

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
    return 1;
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
    return self.loadedSearches.count;
}

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:@"Cell"];

    if(cell == nil) {
        cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:@"Cell"];
    }

    cell.textLabel.text = self.loadedSearches[indexPath.row][@"name"];

    return cell;
}

@end
Если моя проблема не ясна, дайте мне знать.

Не стесняйтесь критиковать другие аспекты кода, однако я действительно был бы признателен за решение моей проблемы:) заранее спасибо.

Пример ответа API - http://pastebin.com/UZ1H2Zwy

2 4

2 ответа:

Проблема, по-видимому, заключается в том, что вы обновляете таблицу перед получением данных, поскольку выполняете асинхронную операцию с AFJSONRequestOperation. Так что ваша модель, вероятно, обновляется правильно, но ваш tableview на одно обновление позади. Попробуйте переместить [searchTableView reloadData] внутрь блока успешный обратный вызов:

AFJSONRequestOperation *operation = [AFJSONRequestOperation JSONRequestOperationWithRequest:request
      success:^(NSURLRequest *request, NSHTTPURLResponse *response, id JSON)
      {
          self.loadedSearches = JSON[@"response"][@"venues"];

          // refreshing the TableView when the block gets the response
          [searchTableView reloadData];
      }
      failure:^(NSURLRequest *request, NSHTTPURLResponse *response, NSError *error, id JSON)
      {
          NSLog(@"%@", error.localizedDescription);
      }];

Надеюсь, это сработает.

Ваши запросы работают асинхронно, это, вероятно, не связано со свитком или чем-то еще. Просто результат возвращается в то время. Попробуйте отменить предыдущие запросы. Например, если вы попытаетесь найти "unions", то отмените запрос" union". Надеюсь, это поможет.