链接地址:
http://www.189works.com/article-18575-1.html
@selector()基本可以等同C语言的中函数指针,只不过C语言中,可以把函数名直接赋给一个函数指针,而Object-C的类不能直接应用函数指针,这样只能做一个@selector语法来取.
它的结果是一个SEL类型。这个类型本质是类方法的编号(函数地址)?因此我们有如下代码。
一.取得selector值.
C函数指针
int add(int val)
{
return val+1;
}
int (* c_func)(int val); //定义一个函数指针变量
c_func = add ; //把函数addr地址直接赋给c_func
object-c的选择器
@interface foo
-(int)add:int val;
@end
SEL class_func ; //定义一个类方法指针
class_func = @selector(add:int);
注意1. @selector是查找当前类的方法,而[object @selector(方法名:方法参数..) ] ;是取object对应类的相庆方法.
注意2.查找类方法时,除了方法名,方法参数也查询条件之一.
注意3. 可以用字符串来找方法 SEL 变量名 = NSSelectorFromString(方法名字的字符串);
注意4. 可以运行中用SEL变量反向查出方法名字字符串
NSString *变量名 = NSStringFromSelector(SEL参数);
二.执行selector值.
取得相应值后,怎么处理SEL值呢,这一点仍然与函数指针一样,就是执行它
函数指针执行,(以下有几种等效形式)
*c_func(10);
c_func(10);
SEL变量的执行.用performSelecor方法来执行.
[对象 performSelector:SEL变量 withObject:参数1 withObject:参数2];
三.selector的应用场合
selector本质是跟C的回调函数一样。主要用于两个对象之间进行松耦合的通讯.这种方法基本上整个Cocoa库之间对象,控制之间通讯都是在这个基础构建的。
参考代码:
//为按钮添加代码,
SEL action;
action = NSSelectorFromString(@"tt");
UIButton *m_bt = [UIButton buttonWithType:UIButtonTypeRoundedRect];
m_bt.frame = CGRectMake(100, 200, 100, 50);
[m_bt addTarget:self action:action forControlEvents:UIControlEventTouchUpInside];
//定义一个函数
-(void)tt
{
UIAlertView *m_view = [[UIAlertView alloc] initWithTitle:@"mmc" message:@"msg" delegate:self cancelButtonTitle:@"ok"
otherButtonTitles:nil];
[m_view show];
[m_view release];
}
上面的一种情况仅仅是在没有带参数的情况,下面写一段带参数的函数的参考代码
定义一个带参数的情况
SEL m_ac = NSSelectorFromString(@"showStrName:");
[self performSelector:m_ac withObject:@"mmmccc"];
对应的执行函数
-(void)showStrName:(NSString *)name
{
UIAlertView *m_view = [[UIAlertView alloc] initWithTitle:@"mmc" message:name delegate:self cancelButtonTitle:@"ok"
otherButtonTitles:nil];
[m_view show];
[m_view release];
}