//向字符串中打印数据 static char* ms_strdup_vprintf(const char *fmt, va_list ap) { int n, size = 255; char *p,*np; #ifndef WIN32 va_list cap; /*copy of our argument list: a va_list cannot be re-used (SIGSEGV on linux 64 bits)*/ #endif if ((p = (char *) ortp_malloc (size+1)) == NULL) return NULL; while (1) { #ifndef WIN32 va_copy(cap,ap); n = vsnprintf (p, size, fmt, cap); va_end(cap); #else n = vsnprintf (p, size, fmt, ap); #endif if (n > -1 && n < size) return p; if (n > -1) // glibc 2.1 // size = n + 1; //precisely what is needed // else // glibc 2.0// size *= 2; /// twice the old size // if ((np = (char *) ortp_realloc (p, size)) == NULL){ free(p); return NULL; }else{ p = np; } } } void ms_logv_out(OrtpLogLevel lev, const char* fmt, va_list args) { char *msg; msg = ms_strdup_vprintf(fmt, args); ortp_free(msg); } static inline void CHECK_FORMAT_ARGS(1,2) test_ms_message(const char *fmt,...) { va_list args; va_start (args, fmt); ms_logv_out(ORTP_MESSAGE, fmt, args); va_end (args); } #define test_message test_ms_message
关于vs_start、vs_end的说明详见http://www.cnblogs.com/hanyonglu/archive/2011/05/07/2039916.html
以下介绍va_start和va_end的使用及原理。
介绍这两个宏之前先看一下C中传递函数的参数时的用法和原理:
1.在C中,当我们无法列出传递函数的所有实参的类型和数目时,可以用省略号指定参数表
void foo(...); void foo(parm_list,...);
2.函数参数的传递原理
函数参数是以数据结构:栈的形式存取,从右至左入栈。
typedef char* va_list; void va_start ( va_list ap, prev_param ); /* ANSI version */ type va_arg ( va_list ap, type ); void va_end ( va_list ap );
#include <iostream.h> void fun(int a, ...) { int *temp = &a; temp++; for (int i = 0; i < a; ++i) { cout << *temp << endl; temp++; } } int main() { int a = 1; int b = 2; int c = 3; int d = 4; fun(4, a, b, c, d); system("pause"); return 0; } Output:: 1 2 3 4 3:获取省略号指定的参数 在函数体中声明一个va_list,然后用va_start函数来获取参数列表中的参数,使用完毕后调用va_end()结束。像这段代码: void TestFun(char* pszDest, int DestLen, const char* pszFormat, ...) { va_list args; va_start(args, pszFormat); //一定要“...”之前的那个参数 _vsnprintf(pszDest, DestLen, pszFormat, args); va_end(args); }
#include 〈stdio.h〉 #include 〈string.h〉 #include 〈stdarg.h〉 /*函数原型声明,至少需要一个确定的参数,注意括号内的省略号*/ int demo( char, ... ); void main( void ) { demo("DEMO", "This", "is", "a", "demo!", ""); } /*ANSI标准形式的声明方式,括号内的省略号表示可选参数*/ int demo( char msg, ... ) { /*定义保存函数参数的结构*/ va_list argp; int argno = 0; char para; /*argp指向传入的第一个可选参数,msg是最后一个确定的参数*/ va_start( argp, msg ); while (1) { para = va_arg( argp, char); if ( strcmp( para, "") == 0 ) break; printf("Parameter #%d is: %s\n", argno, para); argno++; } va_end( argp ); /*将argp置为NULL*/ return 0; }
以上是对va_start和va_end的介绍。
原文:http://www.cnblogs.com/samaritan/p/4986727.html