Objective-C 다형성
단어 polymorphism다양한 형태를 갖는 것을 의미합니다. 일반적으로 다형성은 클래스 계층 구조가 있고 상속에 의해 관련 될 때 발생합니다.
Objective-C 다형성은 멤버 함수를 호출하면 함수를 호출하는 객체의 유형에 따라 다른 함수가 실행됨을 의미합니다.
예를 들어, 모든 모양에 대한 기본 인터페이스를 제공하는 Shape 클래스가 있습니다. Square 및 Rectangle은 기본 클래스 Shape에서 파생됩니다.
OOP 기능에 대해 보여줄 printArea 메소드가 있습니다. polymorphism.
#import <Foundation/Foundation.h>
@interface Shape : NSObject {
CGFloat area;
}
- (void)printArea;
- (void)calculateArea;
@end
@implementation Shape
- (void)printArea {
NSLog(@"The area is %f", area);
}
- (void)calculateArea {
}
@end
@interface Square : Shape {
CGFloat length;
}
- (id)initWithSide:(CGFloat)side;
- (void)calculateArea;
@end
@implementation Square
- (id)initWithSide:(CGFloat)side {
length = side;
return self;
}
- (void)calculateArea {
area = length * length;
}
- (void)printArea {
NSLog(@"The area of square is %f", area);
}
@end
@interface Rectangle : Shape {
CGFloat length;
CGFloat breadth;
}
- (id)initWithLength:(CGFloat)rLength andBreadth:(CGFloat)rBreadth;
@end
@implementation Rectangle
- (id)initWithLength:(CGFloat)rLength andBreadth:(CGFloat)rBreadth {
length = rLength;
breadth = rBreadth;
return self;
}
- (void)calculateArea {
area = length * breadth;
}
@end
int main(int argc, const char * argv[]) {
NSAutoreleasePool * pool = [[NSAutoreleasePool alloc] init];
Shape *square = [[Square alloc]initWithSide:10.0];
[square calculateArea];
[square printArea];
Shape *rect = [[Rectangle alloc]
initWithLength:10.0 andBreadth:5.0];
[rect calculateArea];
[rect printArea];
[pool drain];
return 0;
}
위의 코드가 컴파일되고 실행되면 다음과 같은 결과가 생성됩니다.
2013-09-22 21:21:50.785 Polymorphism[358:303] The area of square is 100.000000
2013-09-22 21:21:50.786 Polymorphism[358:303] The area is 50.000000
위의 예제에서 computeArea 및 printArea 메서드의 가용성에 따라 기본 클래스의 메서드 또는 파생 클래스가 실행되었습니다.
다형성은 두 클래스의 메서드 구현을 기반으로 기본 클래스와 파생 클래스 간의 메서드 전환을 처리합니다.