-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathInheritanceUT.sol
More file actions
101 lines (84 loc) · 2.47 KB
/
InheritanceUT.sol
File metadata and controls
101 lines (84 loc) · 2.47 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
91
92
93
94
95
96
97
98
99
100
101
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.20;
// =========================
// ABSTRACT CONTRACT: Employee
// =========================
abstract contract Employee {
uint public idNumber;
uint public managerId;
constructor(uint _idNumber, uint _managerId) {
idNumber = _idNumber;
managerId = _managerId;
}
function getAnnualCost() public view virtual returns (uint);
}
// =========================
// CONTRACT: Salaried
// =========================
contract Salaried is Employee {
uint public annualSalary;
constructor(uint _idNumber, uint _managerId, uint _annualSalary)
Employee(_idNumber, _managerId)
{
annualSalary = _annualSalary;
}
function getAnnualCost() public view override returns (uint) {
return annualSalary;
}
}
// =========================
// CONTRACT: Hourly
// =========================
contract Hourly is Employee {
uint public hourlyRate;
constructor(uint _idNumber, uint _managerId, uint _hourlyRate)
Employee(_idNumber, _managerId)
{
hourlyRate = _hourlyRate;
}
function getAnnualCost() public view override returns (uint) {
return hourlyRate * 2080; // 2080 jam kerja per tahun
}
}
// =========================
// CONTRACT: Manager
// =========================
contract Manager {
uint[] public reportIds;
function addReport(uint _employeeId) public {
reportIds.push(_employeeId);
}
function resetReports() public {
delete reportIds;
}
function getReports() public view returns (uint[] memory) {
return reportIds;
}
}
// =========================
// CONTRACT: Salesperson
// =========================
contract Salesperson is Hourly {
constructor(uint _idNumber, uint _managerId, uint _hourlyRate)
Hourly(_idNumber, _managerId, _hourlyRate)
{}
}
// =========================
// CONTRACT: EngineeringManager
// =========================
contract EngineeringManager is Salaried, Manager {
constructor(uint _idNumber, uint _managerId, uint _annualSalary)
Salaried(_idNumber, _managerId, _annualSalary)
{}
}
// =========================
// CONTRACT: InheritanceSubmission
// =========================
contract InheritanceSubmission {
address public salesPerson;
address public engineeringManager;
constructor(address _salesPerson, address _engineeringManager) {
salesPerson = _salesPerson;
engineeringManager = _engineeringManager;
}
}