5
-(void )getDataFromServer: (NSMutableDictionary *)dict
 {

 NSURL *url = [NSURL URLWithString:[NSString stringWithFormat:@"%@/doSomething",MainURL ]];
 [AFJSONRequestOperation addAcceptableContentTypes:[NSSet setWithObject:@"text/html"]];

 AFHTTPClient *httpClient = [[AFHTTPClient alloc] initWithBaseURL:url];
 NSMutableURLRequest *request = [httpClient requestWithMethod:@"POST" path:nil parameters:dict];

 AFJSONRequestOperation *operation = [AFJSONRequestOperation JSONRequestOperationWithRequest:request
 success:^(NSURLRequest *request, NSHTTPURLResponse *response, id JSON)
 {
     _myArray = JSON;
     [_myTableView reloadData]; //Or do some other stuff that are related to the current `ViewController`
 }
 failure:^(NSURLRequest *request , NSURLResponse *response , NSError *error , id JSON)
 {
     NSLog(@"request: %@",request);
     NSLog(@"Failed: %@",[error localizedDescription]);
 }];

 [httpClient enqueueHTTPRequestOperation:operation];
 }

我在我的一个应用程序的 7 个不同的地方使用了上面的代码。确切的代码块在我的 7 个ViewControllers. 我通常做的是将我想要使用的方法放在一个 NSObject 类中,并在我需要时分配和使用它,但是因为上面是异步的并且使用块我不能只将 JSON 返回给ViewController调用它的人并且必须在ViewController我需要的每个地方复制并粘贴上述方法。

我的目标是在我的应用程序中仅将上述内容放在一个位置,并且仍然能够从ViewControllers我的应用程序周围的不同位置调用它并获取我需要的数据。我想避免使用诸如NSNotificationor之类的观察者KVO并寻找更优雅的解决方案。经过一番阅读,我注意到可以传递块。以上是可能的解决方案吗?一个代码示例将不胜感激。

4

1 回答 1

6

将 API 调用分解为类似

+ (void)getDataFromServerWithParameters:(NSMutableDictionary *)params completion:(void (^)(id JSON))completion failure:(void (^)(NSError * error))failure {
     NSString * path = @"resources/123";
     NSMutableURLRequest *request = [self.httpClient requestWithMethod:@"POST" path:path parameters:params];
     AFJSONRequestOperation *operation = [AFJSONRequestOperation JSONRequestOperationWithRequest:request success:^(NSURLRequest *request, NSHTTPURLResponse *response, id JSON) {
        if (completion)
            completion(JSON);
     } failure:^(NSURLRequest *request , NSURLResponse *response , NSError *error , id JSON) {
        if (failure)
            failure(error);
     }];

     [httpClient enqueueHTTPRequestOperation:operation];
 }

您可以将此方法放在一个实用程序类中XYAPI,然后从您的控制器中调用它,例如

 [XYAPI getDataFromServer:params completion:^(id JSON){
     // do something, for instance reload the table with a new data source
     _myArray = JSON;
     [_myTableView reloadData];
 } failure:^(NSError * error) {
    // do something
 }];

此外,您不需要AFHTTPClient在每次请求时都生成一个新的。在课堂上配置和使用一个共享的XYAPI。就像是

+ (AFHTTPClient *)httpClient {
    static AFHTTPClient * client = nil;
    static dispatch_once_t onceToken;
    dispatch_once(&onceToken, ^{
        client = [[AFHTTPClient alloc] initWithBaseURL:[NSURL URLWithString:@"http://foo.com/api/v1/"]];
        [AFJSONRequestOperation addAcceptableContentTypes:[NSSet setWithObject:@"text/html"]];
    });
    return client;
}

请注意,此实现已在上述示例中使用。
self在类方法的上下文中是类本身,因此self.httpClient在运行时确实被解析为[XYAPI httpClient].

于 2013-08-31T16:09:40.033 回答