使用两个参数在主线程上执行选择器的好方法?

时间:2011-12-25 12:19:52

标签: objective-c multithreading selector nsinvocation ios-3.x

我正在寻找一种在主线程上使用两个参数执行选择器的好方法

我真的很喜欢使用

- (void)performSelectorOnMainThread:(SEL)aSelector withObject:(id)arg waitUntilDone:(BOOL)wait

方法,除了现在我有两个参数。

所以基本上我有一个代表,我需要在加载图像时通知它:

[delegate imageWasLoaded:(UIImage *)image fromURL:(NSString *)URLString;

但我执行此操作的方法可能会在后台线程中调用,并且委托将使用此图像来更新UI,因此需要在主线程中完成。所以我真的希望代理在主线程中得到通知。

所以我看到一个选项 - 我可以创建一个字典,这样我只有一个对象,它包含两个我需要传递的参数。

NSDictionary *imageData = [NSDictionary dictionaryWithObjectsAndKeys:image, @"image",     URLString, @"URLstring", nil];
[(NSObject *)delegate performSelectorOnMainThread:@selector(imageWasLoaded:) withObject: imageData waitUntilDone:NO];

但这种做法对我来说似乎并不合适。有没有更优雅的方式来做到这一点?也许使用NSInvocation? 提前谢谢。

4 个答案:

答案 0 :(得分:8)

在这种情况下,使用NSDictionary传递多个参数是正确的方法。

但是,更现代的方法是使用GCD和块,这样您就可以直接向对象发送消息。此外,看起来您的委托方法可能正在做一些UI更新;您正在主线程上正确处理。使用GCD,您可以轻松地执行此操作,并且可以像这样异步执行:

dispatch_async(dispatch_get_main_queue(), ^{
    [delegate imageWasLoaded:yourImage fromURL:yourString;
});

用此替换您的performSelector:withObject来电,您无需更改方法签名。

请确保:

#import <dispatch/dispatch.h>

引入GCD支持。

答案 1 :(得分:6)

由于您无权访问GCD,因此NSInvocation可能是您的最佳选择。

NSMethodSignature *sig = [delegate methodSignatureForSelector:selector];
NSInvocation *invoke = [NSInvocation invocationWithMethodSignature:sig];
[invoke setTarget:delegate]; // argument 0
[invoke setSelector:selector]; // argument 1
[invoke setArgument:&arg1 atIndex:2]; // arguments must be stored in variables
[invoke setArgument:&arg2 atIndex:3];
[invoke retainArguments];
  /* since you're sending this object to another thread, you'll need to tell it
     to retain the arguments you're passing along inside it (unless you pass
     waitUntilDone:YES) since this thread's autorelease pool will likely reap them
     before the main thread invokes the block */

[invoke performSelectorOnMainThread:@selector(invoke) withObject:nil waitUntilDone:NO];

答案 2 :(得分:2)

也可以使用以下方法:

- (id)performSelector:(SEL)aSelector withObject:(id)anObject withObject:(id)anotherObject

根据这种方法的文件 - 在延迟之后使用默认模式在当前线程上调用接收器的方法。

答案 3 :(得分:1)

是的,您有正确的想法:您需要将要传递给主线程上的委托的所有数据封装到一个通过performSelectorOnMainThread传递的单个对象中。您可以将其作为NSDictionary对象,NSArray对象或某个自定义Objective C对象传递。