引用自:NSInvocation的基本用法
在iOS中可以直接调用 某个对象 的消息(java中的方法?)方式有两种:
- performSelector:withObject
- NSInvocation
某个对象 指的是实例化后的对象,对象所对应的方法,则指的是实例方法.
NSInvocation的基本用法
1.直接调用当前类对象消息
方法签名类
// 方法签名中保存了方法的名称/参数/返回值,协同 NSInvocation来进行消息的转发
// 方法签名一般是用来设置参数和获取返回值的, 和方法的调用没有太大的关系
//1、根据方法来初始化NSMethodSignature
NSMethodSignature *signature = [ViewController instanceMethodSignatureForSelector:@selector(run:)];
根据方法签名来创建NSInvocation对象
// NSInvocation中保存了方法所属的对象/方法名称/参数/返回值
//其实NSInvocation就是将一个方法变成一个对象
//2、创建NSInvocation对象
NSInvocation *invocation = [NSInvocation invocationWithMethodSignature:signature];
//设置方法调用者
invocation.target = self;
//注意:这里的方法名一定要与方法签名类中的方法一致
invocation.selector = @selector(run:);
NSString *way = @"byCar";
//这里的Index要从2开始,以为0跟1已经被占据了,分 别是self(target),selector(_cmd)
[invocation setArgument:&way atIndex:2];
//3、调用invoke方法
[invocation invoke];
//实现run:方法
- (void)run:(NSString *)method{
}
2.在当前VC调用其他类对象消息
这里假设需要在VC控制器中调用继承自NSObject的ClassBVc类中的run方法,并且要向该方法传递参数
ClassBVc.h文件实现
#import <UIKit/UIKit.h>
@interface ClassBVc : UIViewController
- (void)run:(NSString *)params;
@end
ClassBVc.m文件实现
#import "ClassBVc.h"
@interface ClassBVc()
@end
@implementation ClassBVc
- (void)viewDidLoad
{
[super viewDidLoad];
}
- (void)didReceiveMemoryWarning
{
[super didReceiveMemoryWarning];
}
- (void)run:(NSString *)params
{
NSLog(@"初始实例方法%@",params);
}
VC.m文件实现
#import "ViewController.h"
#import "ClassBVc.h"
@interface ViewController()
@end
@implementation ViewController
- (void)viewDidLoad
{
[super viewDidLoad];
ClassBVc *bvc = [[ClassBVc alloc]init];
NSMethodSignature *signature = [ClassBVc instanceMethodSignatureForSelector:@select(run:)];
NSInvocation *invocation = [NSInvocation invocationWithMethodSignature:signature];
invocation.target = bvc;
invocation.selector = @selector(run:);
NSString *way = @"invocation";
[invocation setArgument:&way atIndex:2];
[invocation invoke];
}