一、变长参数函数
头文件:#include <stdarg.h>
函数声明
1
|
int add( int count, ...); |
函数定义
1
2
3
4
5
6
7
8
9
10
|
int add( int count, ...) { va_list va; va_start (va, count); int sum = 0; for ( int i = 0; i < count; i++) sum += va_arg (va, int ); va_end (va); return sum; } |
函数调用
1
2
3
4
5
6
|
int main() { cout<<add(5, 1, 2, 3, 4, 5)<<endl; //输出15 return 0; } |
二、C++11的新特性,变长参数模板。
边长参数模板相当于一个模板的递归展开模型,但是它不是递归的。使用的时候,要定义一个“递归”的出口,然后定义一系列的操作,操作的是以“递归”的方式进行的。
递归函数方式展开,模板推导的时候,一层层递归展开,最后到没有参数时用定义的一般函数终止。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
|
void test() { cout << "test()" << endl; } template < class T, class ... Args> void test(T first, Args... args) { cout << typeid (T).name() << " " << first <<endl; test(args...); } test< int , int , long >(1, 2, 3L); //输出 int 1 int 2 long 3 test() |
嗯?第一个test()应该是作为test函数递归调用的结尾。再测试一下
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
template < class T> void test( const T &t) { cout << "test()" <<t << endl; } template < class T, class ... Args> void test(T first, Args... args) { cout << typeid (T).name() << " " << first <<endl; test(args...); } //输出 int 1 int 2 test()3 |
这。。。。好像是通过第一个test来控制在哪里结束。
最后写一个正经的累加器:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
|
#include <iostream> #include <stdarg.h> using namespace std; template < typename T> int add( const T& t) { return t; } template < typename T, typename ...Args> int add( const T& t, const Args&... args) { return t + add(args...); } int main() { auto res = add(2, 3, 3); std::cout << res << std::endl; system ( "pause" ); return 0; } //输出结果 8 |
三、参考
关于可变参数类模板、右值引用和完美转发的内容可以参考这篇博客https://www.zzvips.com/article/156923.html,有时间再研究下后面怎么做。
到此这篇关于C/C++可变参数函数的实现的文章就介绍到这了,更多相关C/C++可变参数函数内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://blog.csdn.net/qq_33670157/article/details/104822697