-
Notifications
You must be signed in to change notification settings - Fork 20
/
Copy pathcall-center.java
67 lines (62 loc) · 1.33 KB
/
call-center.java
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
/**
To implement a call center with 3 levels of employees: respondent, manager, and director.
Incoming call -> respondent -> manager -> director.
**/
public class Employee {
public boolean available;
public int level;
public void takeCall(Call call) {
talk();
}
}
public class Respondent {
this.level = 0;
}
public class Manager {
this.level = 1;
}
public class Director {
this.level = 2;
}
public class Call{
int waitingTime = 0;
public Call(int time) {
this.waitingTime = time;
}
}
public class CallCenter {
ArrayList<Respondent> respondents = new ArrayList<Respondent>();
ArrayList<Manager> managers = new ArrayList<Manager>();
ArrayList<Director> directors = new ArrayList<Director>();
PriorityQueue<Call> calls = new PriorityQueue<Call>();
public void dispatchCall(Call incomingCall) {
while (!calls.isEmpty()) {
Call call = calls.poll();
for (Respondent r : respondents) {
if (r.available) {
assignCall(r, call);
break;
}
}
for (Manager m : managers) {
if (m.available) {
assignCall(m, call);
break;
}
}
for (Director d : directors) {
if (d.available) {
assignCall(d, call);
break;
}
}
}
}
public void gotNewCall() {
Call newCall = new Call(0);
dispatchCall(newCall);
}
public void assingCall(Employee e, Call call) {
e.takeCall(call);
}
}