我有一个ViewController,我从另一个类(TCP类)调用一个方法,在那里我与服务器建立TCP连接,这给了我一个响应。我希望,当TCP类获得服务器的响应时,从ViewController调用另一个方法。
问题:
那么......我能做些什么来做对吗?我只想从一个已经在内存中分配的不同类调用一个方法。
韩国社交协会!
答案 0 :(得分:1)
您可以将ViewController设置为TCP类的观察者。这是一个解释Obj-C中观察者模式实现的链接。 (与我使用的非常类似,但写得很好。)
http://www.a-coding.com/2010/10/observer-pattern-in-objective-c.html
我通常也喜欢将持久层与界面分开。我使用观察者或KVO来通知我的业务逻辑并查看控制器发生了什么变化。
如果您愿意,也可以通过提供的通知中心发送信息......
基本代码示例:
@implementation ExampleViewController
//...
- (void)viewDidLoad
{
[super viewDidLoad:animated];
[TCPClass subscribeObserver:self];
}
- (void)viewDidUnload
{
[super viewDidUnload:animated];
[TCPClass unsubscribeObserver:self];
}
- (void)notifySuccess:(NSString*)input
{
//Do whatever I needed to do on success
}
//...
@end
@implementation TCPClass
//...
//Call this function when your TCP class gets its callback saying its done
- (void)notifySuccess:(NSString*)input
{
for( id<Observer> observer in [NSMutableArray arrayWithArray:observerList] )
{
[(NSObject*)observer performSelectorOnMainThread:@selector(notifySuccess:) withObject:input waitUntilDone:YES];
}
}
//maintain a list of classes that observe this one
- (void)subscribeObserver:(id<Observer>)input {
@synchronized(observerList)
{
if ([observerList indexOfObject:input] == NSNotFound) {
[observerList addObject:input];
}
}
}
- (void)unsubscribeObserver:(id<Observer>)input {
@synchronized(observerList)
{
[observerList removeObject:input];
}
}
//...
@end
//Observer.h
//all observers must inherit this interface
@protocol Observer
- (void)notifySuccess:(NSString*)input;
@end
希望有所帮助!