5

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

该函数在“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”

你能帮帮我吗?无论如何,我正在尝试找到解决方案!

谢谢,亚历克斯

4

1 回答 1

5

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

[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()...
}
于 2012-10-25T12:06:35.097 回答