-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathusing_keyword.cpp
44 lines (37 loc) · 957 Bytes
/
using_keyword.cpp
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
#include <iostream>
//https://openhome.cc/Gossip/CppGossip/Using.html
//https://openhome.cc/Gossip/CppGossip/Inheritance.html
//it demos 1. inheritance from grandpa class rather than parent class
//2. inherit protected member of grandpa class as a public member
class Shape{
protected:
float area;
public:
void printArea() {
std::cout << "I'm Shape with area = " << area << std::endl;
}
};
//note: public inheritance
class Rectangle : public Shape{
protected:
using Shape::area;
public:
void printArea() {
std::cout << "I'm Rectangle with area = " << area << std::endl;
}
};
class Square : public Rectangle{
public:
using Shape::area;
//note: no () after function name
using Shape::printArea;
};
int main(){
Square sqr;
//"area" becomes a public member of "Square"
sqr.area = 9;
//it uses "printArea" from "Shape"
sqr.printArea();
//I'm Shape with area = 9
return 0;
}