SEL 是一种在 Objective-C 中表示选择器的类型。@selector() 关键字返回您描述的 SEL。它不是函数指针,您不能将任何对象或任何类型的引用传递给它。对于选择器(方法)中的每个变量,您必须在对@selector 的调用中表示它。例如:
-(void)methodWithNoParameters;
SEL noParameterSelector = @selector(methodWithNoParameters);
-(void)methodWithOneParameter:(id)parameter;
SEL oneParameterSelector = @selector(methodWithOneParameter:); // notice the colon here
-(void)methodWIthTwoParameters:(id)parameterOne and:(id)parameterTwo;
SEL twoParameterSelector = @selector(methodWithTwoParameters:and:); // notice the parameter names are omitted
选择器通常传递给委托方法和回调,以指定在回调期间应在特定对象上调用哪个方法。例如,当您创建一个计时器时,回调方法具体定义为:
-(void)someMethod:(NSTimer*)timer;
因此,当您安排计时器时,您将使用 @selector 来指定对象上的哪个方法实际上将负责回调:
@implementation MyObject
-(void)myTimerCallback:(NSTimer*)timer
{
// do some computations
if( timerShouldEnd ) {
[timer invalidate];
}
}
@end
// ...
int main(int argc, const char **argv)
{
// do setup stuff
MyObject* obj = [[MyObject alloc] init];
SEL mySelector = @selector(myTimerCallback:);
[NSTimer scheduledTimerWithTimeInterval:30.0 target:obj selector:mySelector userInfo:nil repeats:YES];
// do some tear-down
return 0;
}
在这种情况下,您指定每 30 秒向对象 obj 发送一次 myTimerCallback 消息。