C++拾遗--模板元编程


前言

模板元是用于递归加速的,把运行期的函数调用变到编译期进行代码展开,类似于内联函数。下面看一个实例:斐波那契数列第n项求解。

模板元编程

#include <iostream>
#include <ctime>
using namespace std;
//递归法
int fib(int n)
{
 if (n < 0)
  return 0;
 if (n == 1 || n == 2)
  return 1;
 return fib(n - 1) + fib(n - 2);
}
//模板元
template<int N>
struct Data
{
 enum{ res = Data<N-1>::res + Data<N-2>::res };
};
template<>
struct Data<1>
{
 enum{ res = 1 };
};
template<>
struct Data<2>
{
 enum{ res = 1 };
};
int main()
{
 cout << "******模板元编程***by David***" << endl;
 time_t start, end;
 start = clock();
 cout << fib(40) << endl;
 end = clock();
 cout << "递归法耗时" << end - start << "ms" << endl;
 start = clock();
 cout << Data<40>::res << endl;
 end = clock();
 cout << "模板元法耗时" << end - start << "ms" << endl;
 cin.get();
 return 0;
}

运行

总结:

递归法耗时较久。模板元法的运行时间是有问题的,在VS上把鼠标移到Data<40>::res时就可以看到结果。

------------------------------分割线------------------------------

C++ Primer Plus 第6版 中文版 清晰有书签PDF+源代码

读C++ Primer 之构造函数陷阱

读C++ Primer 之智能指针

读C++ Primer 之句柄类

将C语言梳理一下,分布在以下10个章节中:

  1. Linux-C成长之路(一):Linux下C编程概要
  2. Linux-C成长之路(二):基本数据类型
  3. Linux-C成长之路(三):基本IO函数操作
  4. Linux-C成长之路(四):运算符
  5. Linux-C成长之路(五):控制流
  6. Linux-C成长之路(六):函数要义
  7. Linux-C成长之路(七):数组与指针
  8. Linux-C成长之路(八):存储类,动态内存
  9. Linux-C成长之路(九):复合数据类型
  10. Linux-C成长之路(十):其他高级议题

本文永久更新链接地址:

相关内容