-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathtut58.cpp
More file actions
90 lines (75 loc) · 1.91 KB
/
tut58.cpp
File metadata and controls
90 lines (75 loc) · 1.91 KB
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
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
#include <iostream>
#include <cstring>
using namespace std;
class CWH
{
protected:
string title;
float rating;
public:
CWH(string s, float r)
{
title = s;
rating = r;
}
virtual void display()=0; // do nothing function --> pure virtual function
};
class CWHVideo : public CWH
{
float videoLength;
public:
CWHVideo(string s, float r, float vl) : CWH(s, r)
{
videoLength = vl;
}
void display()
{
cout << "This is an amazing video with title " << title << endl;
cout << "Ratings: " << rating << " out of 5 stars" << endl;
cout << "Length of this video is: " << videoLength << " minutes" << endl;
}
};
class CWHText : public CWH
{
int words;
public:
CWHText(string s, float r, int wc) : CWH(s, r)
{
words = wc;
}
void display()
{
cout << "This is an amazing text tutorial with title " << title << endl;
cout << "Ratings of this text tutorial: " << rating << " out of 5 stars" << endl;
cout << "No of words in this text tutorial is: " << words << " words" << endl;
}
};
int main(){
string title;
float rating, vlen;
int words;
// for Code With Harry Video
title = "Django tutorial";
vlen = 4.56;
rating = 4.89;
CWHVideo djVideo(title, rating, vlen);
// for Code With Harry Text
title = "Django tutorial Text";
words = 433;
rating = 4.19;
CWHText djText(title, rating, words);
CWH* tuts[2];
tuts[0] = &djVideo;
tuts[1] = &djText;
tuts[0]->display();
tuts[1]->display();
return 0;
}
/*
Rules for virtual functions
1. They cannot be static
2. They are accessed by object pointers
3. Virtual functions can be a friend of another class
4. A virtual function in the base class might not be used.
5. If a virtual function is defined in a base class, there is no necessity of redefining it in the derived class
*/