Inline Functions

如果频繁地调用很少语句的小函数,这些开销对性能的影响不好说。所以需要Inline Functions(内联函数),例如:

#include<iostream>

using namespace std;

inline bool isNumber(char);  //Inline Functions

int main() {
    char c;
    while(cin >> c && c != '\n') {
        if(isNumber(c))
            cout << "you entered a digit.\n";
        else
            cout << "you entered a non-digit.\n";
    }
}

bool isNumber(char ch) {
    return ch >= '0' && ch <= '9';
}

 

内联函数使用的场合一般为:

(1)函数体适当小,这样就使嵌入工作容易进行,不会破坏原调用主体。一般适用于只有1~5行的小函数,且不能含有复杂的结构控制语句,如switch和while。

(2)程序中特别是在循环中反复执行该函数,这样就使嵌入的效率相对较高。例如上述例子中在循环里调用函数会影响性能,而用内联函数会提高性能。

(3)程序并不多处出现该函数调用,这样就使嵌入工作量相对较少,代码量也不会剧增。

你可能感兴趣的:(functions)