如何在objective-c中将方法设置为类方法的参数

时间:2012-10-25 12:01:04

标签: iphone ios class methods

我在编写一个方法有参数的类方法时遇到了问题。

该函数位于“SystemClass.m / h”类

//JSON CALL
+(void)callLink:(NSString*)url toFunction:(SEL)method withVars:(NSMutableArray*)arguments {
    if([self checkConnection])
    {
        dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
            NSData *datas = [NSData dataWithContentsOfURL:[NSURL URLWithString:url]];
            [arguments addObject:datas];
            [self performSelectorOnMainThread:@selector(method:) withObject:arguments waitUntilDone:YES];
        });
    }else{
        [self alertThis:@"There is no connection" with:nil];
    }
}

该函数的作用是调用JSON url,并将数据提供给Method

我这样用:

[SystemClass callLink:@"http://www.mywebsite.com/call.php" toFunction:@selector(fetchedInfo:) withVars:nil];

但它崩溃了这样:

  

由于未捕获的异常而终止应用   'NSInvalidArgumentException',原因:'+ [SystemClass方法:]:   无法识别的选择器发送到类0x92d50'

你可以帮帮我吗?无论如何,我正试图找到解决方案!

谢谢,Alex

1 个答案:

答案 0 :(得分:5)

在callLink方法中,您已经将选择器作为参数(它是名为“method”的参数)。此外,您需要再添加一个参数,因为应该从实现此方法的对象调用“method”参数(在您给我们的示例中,当您使用SystemClass时,应用程序将尝试从SystemClass调用名为“method”的方法)打电话:

[self performSelectorOnMainThread:method withObject:arguments waitUntilDone:YES];

这里的self是SystemClass,SystemClass中似乎不存在这样的方法,这就是它崩溃的原因)。所以在参数中添加一个目标(一个id对象):

+(void)callLink:(NSString*)url forTarget:(id) target toFunction:(SEL)method withVars:(NSMutableArray*)arguments;

因此,对于以下行,您应该只给出选择器并在目标对象上调用此选择器:

[target performSelectorOnMainThread:method withObject:arguments waitUntilDone:YES];

而不是:

[self performSelectorOnMainThread:@selector(method:) withObject:arguments waitUntilDone:YES];

改进:

在调用选择器之前,你应该检查目标是否响应选择器做这样的事情(它会阻止你的应用程序崩溃)。而不是这样做:

[target performSelectorOnMainThread:method withObject:arguments waitUntilDone:YES];

这样做:

if([target respondsToSelector:method])
{
  [target performSelectorOnMainThread:method withObject:arguments waitUntilDone:YES];
}
else
{
  //The target do not respond to method so you can inform the user, or call a NSLog()...
}