请参阅技术问答 QA1405:Objective-C 方法中的变量参数。
采用可变参数的方法称为可变参数方法。
请记住,Objective-C 方法的实现只是一段代码,就像 C 函数一样。stdarg(3) 手册页中描述的可变参数宏在方法中的工作方式与在普通函数中的工作方式相同。
这是一个 Objective-C 类别的示例,其中包含一个可变参数方法,该方法将 nil 终止的参数列表中的所有对象附加到 NSMutableArray 实例:
#import <Cocoa/Cocoa.h>
@interface NSMutableArray (variadicMethodExample)
// This method takes a nil-terminated list of objects.
- (void)appendObjects:(id)firstObject, ...;
@end
@implementation NSMutableArray (variadicMethodExample)
- (void)appendObjects:(id)firstObject, ... {
id eachObject;
va_list argumentList;
if (firstObject) // The first argument isn't part of the varargs list,
{ // so we'll handle it separately.
[self addObject: firstObject];
// Start scanning for arguments after firstObject.
va_start(argumentList, firstObject);
while (eachObject = va_arg(argumentList, id)) // As many times as we can get an argument of type "id"
[self addObject: eachObject]; // that isn't nil, add it to self's contents.
va_end(argumentList);
}
}
@end