全部博文(333)
分类: LINUX
2012-03-03 09:22:23
#define likely(x) __builtin_expect(!!(x), 1)
#define unlikely(x) __builtin_expect(!!(x), 0)
这里的__built_expect()函数是gcc的內建函数。
至于为什么要在内核代码中使用这两个宏,主要的目的是为了进行代码的优化,提高系统执行速度。
比如 :
if (likely(a>b)) {
fun1();
}
if (unlikely(a
fun2();
}
这里就是程序员可以确定 a>b 在程序执行过程中出现的可能相比较大,因此使用了likely()告诉编译器将fun1()函数的二进制代码紧跟在前面程序的后面,这样就cache在预 取数据时就可以将fun1()函数的二进制代码拿到cache中。这样,也就增加了cache的命中率。
同样的,unlikely()的作用就是告诉编译器,a
我们不用对likely和unlikely感到迷惑,需要知道的就是 if(likely(a>b)) 和 if(a>b)在功能上是等价的,同样 if(unlikely(a
比如下面的代码:
#include
#define unlikely(x) __builtin_expect(!!(x), 0)
#define likely(x) __builtin_expect(!!(x), 1)
int main()
{
int a=2,b=4;
if(unlikely(a
printf("in the unlikely,is not your expecting!\n");
} else {
printf("in the unlikely, is your expecting\n");
}
if(likely(a
printf("in the likely, is your expecting\n");
}
return 0;
}
执行结果:
in the unlikely,is not your expecting!
in the likely, is your expecting
总之,likely和unlikely的功能就是增加cache的命中率,提高系统执行速度。