1.要在函数中使用参数,首先要包含头文件<stdarg.h>。这个头文件声明了一个va_list类型,定义了四个宏,用来遍历可变参数列表。
void va_start(va_list ap, last);
type va_arg(va_list ap, type);
void va_end(va_list ap);
void va_copy(va_list dest, va_list src);
下面详细介绍这些宏定义:
2.void va_start(va_list ap, last)
va_start必须第一个调用,它初始化va_list类型的变量ap,使ap指向第一个可选参数。参数 last 是可变参数列表(即函数原型中的省略号…)的前一个参数的名字,也就是最后类型已确定的函数参数名。因为这个参数的地址将会被宏va_start用到,所以最好不要是寄存器变量,函数,或者数组。
对于有可变长参数,但是在可变长参数前没有任何的固定参数的函数,如int func (...)是不允许的。 这是ANSI C所要求的,变参函数在...之前至少得有一个固定参数。这个参
数将被传递给va_start(),然后用va_arg()和va_end()来确定所有实际调用时可变长参数的类型和值。
type va_arg(va_list ap, type)
宏va_arg展开后是关于下一个参数的类型和值的表达式,参数type是明确的类型名。
va_arg返回参数列表中的当前参数并使ap指向参数列表中的下一个参数。
void va_end(va_list ap)
每次调用va_start就必须相应的调用va_end销毁变量ap,即将指针ap置为NULL。
void va_copy(va_list dest, va_list src)
复制va_list类型的变量。
每次调用va_copy,也必须有相应的va_end调用。
调用者在实际调用参数个数可变的函数时,要通过一定的方法指明实际参数的个数,例如把最后一个参数置为空字符串(系统调用execl()就是这样的)、-1或其他的方式(函数
printf()就是通过第一个参数,即输出格式的定义来确定实际参数的个数的)。
3. 举例:
#include <iostream.h>
#include <stdarg.h>
int main()
{int a,b,c,d,e;
int max(int,int...);
cin>>a>>b>>c>>d>>e;
cout<<"The bigger between a and b is "<<max(2,a,b)<<endl;
cout<<"The bigger in the five number is "<<max(5,a,b,c,d,e)<<endl;
return 0;
}
int max(int num,int integer...)
{ va_list ap;
int m=integer;
va_start(ap,integer);
for(int i=1;i<num;i++)
{ int t=va_arg(ap,int);
if (t>m) m=t;
cout<<i<<endl;
}
va_end(ap);
return m;
}
附:MTK中dbg_print函数的实现:
void dbg_print(char *fmt,...)
{
va_list ap;
double dval;
int ival;
char *p, *sval;
char *bp, cval;
int fract;
unsigned short len;
char buffer[1000];
memset(buffer,0,1000);
bp= buffer;
*bp= 0;
va_start (ap, fmt);
for (p= fmt; *p; p++)
{
if (*p != '%')
{
*bp++= *p;
continue;
}
switch (*++p) {
case 'd':
ival= va_arg(ap, int);
if (ival < 0){
*bp++= '-';
ival= -ival;
}
itoa (&bp, ival, 10);
break;
case 'o':
ival= va_arg(ap, int);
if (ival < 0){
*bp++= '-';
ival= -ival;
}
*bp++= '0';
itoa (&bp, ival, 8);
break;
case 'x':
ival= va_arg(ap, int);
if (ival < 0){
*bp++= '-';
ival= -ival;
}
*bp++= '0';
*bp++= 'x';
itoa (&bp, ival, 16);
break;
case 'c':
cval= va_arg(ap, int);
*bp++= cval;
break;
case 'f':
dval= va_arg(ap, double);
if (dval < 0){
*bp++= '-';
dval= -dval;
}
if (dval >= 1.0)
itoa (&bp, (int)dval, 10);
else
*bp++= '0';
*bp++= '.';
fract= (int)(dval- (double)(int)dval);
itof(&bp, fract);
break;
case 's':
for (sval = va_arg(ap, char *) ; *sval ; sval++ )
*bp++= *sval;
break;
}
}
*bp= 0;
// printf(buffer);这里已经得到了我们想要输出的整个字符串的内容
va_end (ap);
}