内联函数inline:
引入内联函数的目的是为了解决程序中函数调用的效率问题,程序在编译器编译的时候,编译器将程序中出现的内联函数的调用表达式用内联函数的函数体进行替换,而对于其他的函数,都是在运行期才被替代。这其实就是个空间代价换时间的节省。所以内联函数一般都是1-5行的小函数。在使用内联函数时要注意:
- 1.在内联函数内不允许使用循环语句和开关语句;
- 2.内联函数的定义必须出现在内联函数第一次调用之前;
- 3.在类定义中的定义的函数都是内联函数,即使没有使用 inline 说明符。
```cpp
include
using namespace std;
inline int Max(int x, int y) { return (x > y)? x : y; }
// 程序的主函数 int main( ) {
cout << “Max (20,10): “ << Max(20,10) << endl; cout << “Max (0,200): “ << Max(0,200) << endl; cout << “Max (100,1010): “ << Max(100,1010) << endl; return 0; }
**constexpr函数:**<br />即可能在编译期执行,又可能在运行期执行,因此要保证可以在编译期就可以实现函数的执行,一些在运行期的操作加进去会发生报错,就是提高程序运行效率。
```cpp
#include <iostream>
constexpr int fun(int x) // 1 3
{
int y = 100;
return x + 1;
}
int main()
{
constexpr int x = fun(3);
return x;
}
优化后的汇编代码:
main:
mov eax, 4
ret
_GLOBAL__sub_I_main:
sub rsp, 8
mov edi, OFFSET FLAT:_ZStL8__ioinit
call std::ios_base::Init::Init() [complete object constructor]
mov edx, OFFSET FLAT:__dso_handle
mov esi, OFFSET FLAT:_ZStL8__ioinit
mov edi, OFFSET FLAT:_ZNSt8ios_base4InitD1Ev
add rsp, 8
jmp __cxa_atexit
consteval函数
只能在编译期运行,有严格的限制
函数指针
函数类型:只能为函数引入声明,用法比较狭窄
#include <iostream>
using K = int(int);
K fun;
int main()
{
fun(3);
}
函数指针类型:
#include <iostream>
#include <algorithm>
#include <vector>
int inc(int a)
{
return a + 1;
}
int dec(int a)
{
return a - 1;
}
using K = int(int); // 命名别称
int twice(K* fun,int x)
{
int temp = (*fun)(x);
return temp * 2;
}
int main()
{
std::vector<int> vec = {1,2,3,4,5};
std::transform(vec.begin(),vec.end(),vec.begin(),&dec); // 函数指针作为函数参数
for(auto i : vec){
std::cout << i << std::endl;
}
}
#include <iostream>
int inc(int a)
{
return a + 1;
}
int dec(int a)
{
return a - 1;
}
auto func(bool flag) // 函数指针作为返回值
{
if(flag){
return inc;
}
else{
return dec;
}
}
int main()
{
std::cout << func(true)(100) << std::endl;
}
Most_vexing_parse:
struct Timer {};
struct TimeKeeper {
explicit TimeKeeper(Timer t);
int get_time();
};
int main() {
TimeKeeper time_keeper(Timer());
return time_keeper.get_time();
}
以这个代码为TimeKeeper time_keeper(Timer());
例分析:
第一种理解:
TimeKeeper类的变量time_keeper的变量定义,用Timer类的匿名实例初始化
第二种理解:
一个函数time_keeper的函数声明,它返回一个TimeKeeper类型的对象,并且有一个单一的(未命名的)形参,其类型是一个(指向一个函数的指针)函数,不接受输入并返回Timer对象。
C++11引入的解决方案:
TimeKeeper time_keeper(Timer{});
TimeKeeper time_keeper{Timer()};
TimeKeeper time_keeper{Timer{}};