注:方法的参数及返回值需为对象,否则id接收的时候会报错
在学习NSInvocation的时候,给NSObject添加了一个category方法,如下所示
/** 系统提供的perform系列方法参数个数有限,可以利用NSInvocation实现多参数 */
- (id)performSelector:(SEL)aSelector withObjects:(NSArray *)objects {
// 初始化方法签名
NSMethodSignature *signature = [[self class] instanceMethodSignatureForSelector:aSelector];
// 如果方法不存在
if (!signature) {
// 抛出异常
NSString *reason = [NSString stringWithFormat:@"方法不存在 : %@",NSStringFromSelector(aSelector)];
@throw [NSException exceptionWithName:@"error" reason:reason userInfo:nil];
}
NSInvocation *invocation = [NSInvocation invocationWithMethodSignature:signature];
invocation.target = self;
invocation.selector = aSelector;
// 参数个数signature.numberOfArguments 默认有一个_cmd 一个target 所以要-2
NSInteger paramsCount = signature.numberOfArguments - 2;
// 当objects的个数多于函数的参数的时候,取前面的参数
// 当objects的个数少于函数的参数的时候,不需要设置,默认为nil
paramsCount = MIN(paramsCount, objects.count);
for (NSInteger index = 0; index < paramsCount; index++) {
id object = objects[index];
// 对参数为nil的处理
if ([object isKindOfClass:[NSNull class]]) {
continue;
}
[invocation setArgument:&object atIndex:index + 2];
}
// 调用方法
[invocation invoke];
// 获取返回值
id returnValue = nil;
//signature.methodReturnLength == 0 说明给方法没有返回值
if (signature.methodReturnLength) {
//获取返回值
[invocation getReturnValue:&returnValue];
}
return returnValue;
}
然后美滋滋的写了一个多参数的方法
#pragma mark - Test Method
- (NSString *)connectStrings:(NSString *)a b:(NSString *)b c:(NSString *)c {
return [NSString stringWithFormat:@"%@%@%@",a,b,c];
}
调用
NSString *str = [self performSelector:@selector(connectStrings:b:c:) withObjects:@[@"hello ",@"everyone,",@"good morning"]];
NSLog(@"%@",str);
当当当当!!! Crash! 而且控制台没有打印任何错误信息!小萌新当场懵逼!
经过我一系列的缜(bai)密(du)分(sou)析(suo),问题得以解决.步骤如下
1.打开僵尸模式调试,得以打印出崩溃信息
*** -[CFString release]: message sent to deallocated instance 0x6000008488e0
2.在这里已经大致猜测到可能是方法返回值被提前释放了 于是打印地址信息
//打印对象的内存地址
NSLog(@"内存地址1:%p",str);
//打印指针自己的内存地址
NSLog(@"内存地址2:%x",&str);
对比之后发现刚好是返回值的内存地址,那么什么原因导致的呢?
3.于是又经过一波缜(bai)密(du)分(sou)析(suo),发现这一段代码存在问题
// 获取返回值
id returnValue = nil;
//signature.methodReturnLength == 0 说明给方法没有返回值
if (signature.methodReturnLength) {
//获取返回值
[invocation getReturnValue:&returnValue];
}
return returnValue;
原因是在arc模式下,getReturnValue:仅仅是从invocation的返回值拷贝到指定的内存地址,如果返回值是一个NSObject对象的话,是没有处理起内存管理的。而我们在定义returnValue时使用的是__strong类型的指针对象,arc就会假设该内存块已被retain(实际没有),当returnValue出了定义域释放时,导致该crash。假如在定义之前有赋值的话,还会造成内存泄露的问题。
修改如下
// 获取返回值
id __unsafe_unretained returnValue = nil;
//signature.methodReturnLength == 0 说明给方法没有返回值
if (signature.methodReturnLength) {
//获取返回值
[invocation getReturnValue:&returnValue];
}
id value = returnValue;
return value;
或者
void *returnValue = NULL;
if (signature.methodReturnLength) {
[invocation getReturnValue:&returnValue];
}
return (__bridge id)returnValue;
至此,问题解决.