【说明】本文转载自 smart 的文章 http://blog.sina.com.cn/s/blog_590be5290100qhxr.html 及百度百科
va_list是一个宏,由va_start和va_end界定。
typedef char* va_list;
void va_start ( va_list ap, prev_param );
type va_arg ( va_list ap, type );
void va_end ( va_list ap );
其中,va_list 是一个字符指针,可以理解为指向当前参数的一个指针,取参必须通过这个指针进行。
<Step 1> 在调用参数表之前,应该定义一个 va_list 类型的变量,以供后用(假设这个 va_list 类型变量被定义为ap);
<Step 2> 然后对 ap 进行初始化,让它指向可变参数表里面的第一个参数。这是通过 va_start 来实现的,其第一个参数是 ap 本身,第二个参数是在变参表前面紧挨着的一个变量;
<Step 3> 然后是获取参数,调用 va_arg。它的第一个参数是 ap,第二个参数是要获取的参数的指定类型,并返回这个指定类型的值,同时把 ap 的位置指向变参表的下一个变量位置;
<Step 4> 获取所有的参数之后,我们有必要将这个 ap 指针关掉,以免发生危险,方法是调用 va_end。它是将输入的参数 ap 置为 NULL,应该养成获取完参数表之后关闭指针的习惯。
例子:
int max(int n, ...) // 定参 n 表示后面变参数量,定界用,输入时切勿搞错
{
va_list ap; // 定义一个 va_list 指针来访问参数表
va_start(ap, n); // 初始化 ap,让它指向第一个变参
int maximum = -0x7FFFFFFF; // 这是一个最小的整数
int temp;
for(int i = 0; i < n; i++)
{
temp = va_arg(ap, int); // 获取一个 int 型参数,并且 ap 指向下一个参数
if (maximum < temp)
maximum = temp;
}
va_end(ap); // 善后工作,关闭 ap
return maximum;
}
// 在主函数中测试 max 函数的行为(C++ 格式)
int main()
{
cout << max(3, 10, 20, 30) << endl;
cout << max(6, 20, 40, 10, 50, 30, 40) << endl;
}
百度百科:
va_list编辑
1概述编辑
2成员编辑
变量
宏
3用法编辑
4注意问题编辑
va_copy
void va_copy (va_list dest, va_list src);
Initializes dest as a copy of src (in its current state).
The next argument to be extracted from dest is the same as the one that would be extracted from src.
A function that invokes va_copy, shall also invoke va_end on dest before it returns.
Parameters
- dest
- Uninitialized object of type va_list.
After the call, it carries the information needed to retrieve the same additional arguments as src.
If src has already been passed as first argument to a previous call to va_start or va_copy, it shall be passed tova_end before calling this function. - src
- Object of type va_list that already carries information to retrieve additional arguments with va_arg (i.e., it has already been passed as first argument to va_start or va_copy ans has not yet been released with va_end).
Return Value
none
Example
|
|
vprintf编辑
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
|
#include <stdio.h> #include <stdarg.h> //模拟实现系统提供的printf函数 int vpf( char *fmt,...)
{ va_list argptr;
int cnt;
va_start (argptr,fmt); //第一个参数为指向可变参数字符指针的变量,第二个参数是可变参数的第一个参数,通常用于指定可变参数列表中参数的个数
cnt= vprintf (fmt,argptr);
va_end (argptr); //将存放可变参数字符串的变量清空
return (cnt);
} int main( void )
{ int inumber=30;
float fnumber=90.0;
char * string= "abc" ;
vpf( "%d%f%s\n" ,inumber,fnumber,string);
return0; } |