内联函数可避免函数调用的开销
将函数指定为内联函数(inline),通常就是将它在每个调用点上“内联地”展开。
//挑出两个string对象中较短的那个,返回其引用
const string &shorterString(const string &s1,const string &s2)
{
return s1.size()<=s2.size()?s1:s2;
}
其中形参和返回类型都是const string的引用,不管是调用函数还是返回结果都不会真正拷贝string对象。
假设我们把shorterString函数定义成内联函数,
cout<<shorterString(s1,s2)<<endl;
将在编译过程中展开成类似于下面的形式
cout<<(s1.size()<s2.size()?s1:s2)<<endl;
在shorterString函数的返回类型前面加上关键字inline,这样就可以将它声明为内联函数。
inline const string &shorterString(const string &s1,const string &s2)
{
return s1.size()<=s2.size()?s1:s2;
}
用于优化规模较小、流程直接、频繁调用的函数。