最近看《Effective ObjectveC》,讲到”动态绑定”和”静态绑定”,觉得挺好,记录下来。
下面是一段静态绑定的代码,在编译期间就决定了在运行时所调用的函数。
C
#import <stdio.h> void printHello() { printf("Hello World"); } void printGoodbye() { printf("Goodbye"); } void doSth(int type) { if (type == 0) { printHello(); } else { printGoodbye(); } }
同样的功能,用”动态绑定”来实现,要在运行时才确定调用的函数。
#import <stdio.h>
void printHello()
{
printf("Hello World");
}
void printGoodbye()
{
printf("Goodbye");
}
void doSth(int type)
{
void (*func)();
if (type == 0) {
func = printHello;
} else {
func = printGoodbye;
}
func();
}