만약에 클래스 상속 시 Virtual Table을 사용하면
클래스의 사이즈가 기존보다 늘어난다.
왜냐하면 virtual table pointer 가 클래스에 추가로 생기기 때문이다.
코드 >>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
|
#include <iostream>
#include <array>
class Animal
{
public:
void speak()
{
std::cout << "Animal" << std::endl;
}
//virtual ~Animal() = default;
private:
double height; // 8bytes
};
class BaseAnimal
{
public:
virtual void speak()
{
std::cout << "Animal" << std::endl;
}
virtual ~BaseAnimal() = default;
private:
double height; // 8bytes
};
class Cat : public Animal
{
public:
void speak()
{
std::cout << "meow~" << std::endl;
}
private:
double weight; // 16bytes(Base class의 height 포함)
};
class DerivedCat : public BaseAnimal
{
public:
void speak() override
{
std::cout << "meow~" << std::endl;
};
~DerivedCat()
{
std::cout << "this cat has been deleted from the heap memory" << std::endl;
}
private:
double weight; // 16bytes(Base class의 height 포함)
};
int main()
{
std::cout << "Animal size : " << sizeof(Animal) << std::endl; //8bytes (double height -> 8 bytes)
std::cout << "Cat size : " << sizeof(Cat) << std::endl; // 16bytes (double height + weight -> 16bytes)
std::cout << "BaseAnimal size : " << sizeof(BaseAnimal) << std::endl; // 16bytes (8 to 16) (virtual table 가르키는 pointer 정보 포함)
// Animal VT -> *A::speak()을 가르키는 포인터
std::cout << "DerivedCat size : " << sizeof(DerivedCat) << std::endl; // 24bytes (16 to 24) (virtual table 가르키는 pointer 정보 포함)
// CAT VT -> Cat::speak()을 가르키는 포인터
BaseAnimal* polyAnimal = new DerivedCat(); // Up Casting
polyAnimal->speak();
delete polyAnimal; // Heap Memory 해제
return 0;
}
|
'C' 카테고리의 다른 글
c++ class에서 object slicing 문제 발생 (0) | 2021.06.29 |
---|---|
c++ pure virtual function, abstract class, multiple inheritance code (0) | 2021.06.29 |
c++ 상속 런타임에 결정되는 virtual, override, polymorphism, upcast (0) | 2021.06.29 |
c++ 상속 public, protected, private 완벽 정리 코드 (0) | 2021.06.29 |
c++ exception safety guarantee, exception 주의점, exception을 사용하지 말아야 하는 case (0) | 2021.06.28 |