1.OC是在运行过程中才会检测对象有没有实现相应的方法(动态监测),而即使没有写方法的实现代码编译、连接过程中只有警告,运行时会崩溃,如果手机上运行这 样的代码,运行过程中就造成闪退
2.如果对象调用了一个即没有声明又没有实现的方法test,编译时能通过(有警告:waining:'Persion' may may not respond to 'test'),但是还是能连接成功,但是运行时会出现下面的经典错误
经典错误:不能识别消息发送给对象(运行时会检测方法有没有实现),会使程序运行时自动崩溃(闪退)
-[Person test]: unrecognized selector sent to instance 0x7fd2ea4097c0
3.如果调用的方法只有声明没有实现,编译时能通过(有警告:warning:method definition for 'test' not found [-Wincomplete-implementation]),但是能连接成功,运行时还是会导致程序崩溃
4.如果对象调用的方法只有实现,没有声明,编译能通过,能连接成功,也能顺利运行,但是不采用这样的写法
5.只有类的声明没有类的实现也可以顺利运行,但是不采用这样的写法
1 #import <Foundation/Foundation.h> 2 3 // 尽管编译器容错能力比较,但是写代码必须规范 4 @interface Person : NSObject 5 - (void)test; 6 @end 7 8 @implementation Person 9 - (void)test 10 { 11 NSLog(@"哈哈哈"); 12 } 13 @end 14 15 // 一旦运行过程中出错,就会闪退 16 17 /* 18 -[Person test]: unrecognized selector sent to instance 0x7fd2ea4097c0 19 给Person对象发送了一个不能识别的消息:test 20 */ 21 22 int main() 23 { 24 Person *p = [Person new]; 25 // OC是在运行过程中才会检测对象有没有实现相应的方法 26 [p test]; 27 return 0; 28 }