我目前的头疼:实现一个模型类,专门用于对我的 rails 应用程序的服务调用。
这是场景:
- 我有一个名为Service的类,它是 NSObject 的子类。
- 实现文件定义了一些方法……让我们看看 doSignUp。
- 我正在使用AFNetworking与 api 进行通信。
- 从我的SignUpViewController,我创建了我的 Service类的实例并调用doSignUp
- 该方法按预期工作,并且我从服务器收到了正确的响应。
现在是我不完全理解的部分:
- AFNetworking使用块进行服务调用。
- 在成功块中,我调用了一个名为handleSignUp的辅助方法(也在Service类中)。这个方法本质上是解析 JSON 并从中创建一个新的用户(NSObject 子类)。然后handSignUp方法返回User对象。
此时我有一个新的用户对象,我需要将该对象发送回我的SignUpViewController ......我该怎么做?
- 我应该尝试将该对象添加到AppDelegate并从SignUpViewController访问它吗?该解决方案可以访问各种全局属性,但SignUpViewController 何时 知道何时访问它?
- 我应该尝试在Service类中添加对SignUpViewController的引用吗?这似乎适得其反......我不妨将方法doSignUp和handSignUp添加到 SignUpViewController。在我看来,我的服务类不应该知道任何其他视图控制器。
请参阅下面的代码示例:
服务.h
//Service.h
#import <UIKit/UIKit.h>
#import "AFNetworking.h"
@interface Services : NSObject
- (void) doSignUp:(NSMutableDictionary*)params;
@end
服务.m
// Service.m
#import "Services.h"
#import "Config.h"
@implementation Services
- (void) doSignUp:(NSMutableDictionary*)params {
NSURL *url = [NSURL URLWithString:@"http://MYURL.COM"];
AFHTTPClient *httpClient = [[AFHTTPClient alloc] initWithBaseURL:url];
NSURLRequest *request = [httpClient requestWithMethod:@"POST" path:@"signup.json" parameters:params];
AFJSONRequestOperation *operation = [AFJSONRequestOperation JSONRequestOperationWithRequest:request
success:^(NSURLRequest *request, NSHTTPURLResponse *response, id JSON) {
[self handleSignUp:JSON];
} failure:nil];
[operation start];
}
- (User*) handleSignUp:(NSMutableArray*)json {
User * user = nil;
if ([[json valueForKey:@"success"] isEqualToString:@"true"]) {
// create user here ...
}
return user;
}
SignUpViewController.h
#import "Service.h"
@interface SignUpViewController : UIViewController {
Service * service;
}
@property (nonatomic, strong) Service * service;
注册视图控制器.m
#import "SignUpViewController.h"
@interface SignUpViewController ()
@end
@implementation SignUpViewController
@synthesize service = __service;
- (IBAction) initSignUp:(id)sender {
// create params...
[self.service doSignUp:params];
}
同样,所有这些代码都做了它应该做的事情......我只需要知道它应该如何通信。如何提醒SignUpViewController已调用 handleSignUp 并且新的User对象可用?
谢谢你的时间,安德烈