-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path2127_MaxEmployeesToBeInvitedToMeeting.cpp
110 lines (102 loc) · 3.42 KB
/
2127_MaxEmployeesToBeInvitedToMeeting.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
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
102
103
104
105
106
107
108
109
110
class Solution {
private:
//Mark all non-cyclic nodes
int kahnsTopologicalSort(vector<int>& adj,vector<int>& indegree,vector<bool>& visited,int source){
queue<int> q;
q.push(source);
int last_node;
while(!q.empty()){
int curr = q.front();
q.pop();
visited[curr]=true;
last_node = curr;
//Everyone likes somebody (and only 1 person)
int nbr=adj[curr];
indegree[nbr]-=1;
if(indegree[nbr]==0 and !visited[nbr])
q.push(nbr);
}
return adj[last_node];
}
//Find max tail-length
int maxDepthBFS(vector<vector<int>>& adj,vector<bool>& orig_visited,int n,int source,int avoid){
vector<bool> visited(n,false);
queue<int> q;
q.push(source);
visited[source]=true;
visited[avoid]=true;
int levels=0;
while(!q.empty()){
int size=q.size();
for(int i=0;i<size;++i){
int curr = q.front();
q.pop();
orig_visited[curr]=true;
for(int nbr: adj[curr]){
if(!visited[nbr]){
visited[nbr]=true;
q.push(nbr);
}
}
}
levels++;
}
return levels;
}
//Find cycle length from source node
int bfs(vector<int>& adj,vector<bool>& visited,int source){
queue<int> q;
q.push(source);
visited[source]=true;
int count=0;
while(!q.empty()){
int curr = q.front();
q.pop();
if(!visited[adj[curr]]){
visited[adj[curr]]=true;
q.push(adj[curr]);
}
count++;
}
return count;
}
public:
int maximumInvitations(vector<int>& adj) {
int n=adj.size();
vector<vector<int>> reverse_adj(n);
vector<int> indegree(n,0);//For Kahn's Algo (Topological sort)
//Step-1: Make reverse adjacency list and count Indegree
for(int i=0;i<n;++i){
reverse_adj[adj[i]].push_back(i);
indegree[adj[i]]++;
}
//Step-2: Mark nodes not in any cycle (Using topological sort)
int tot_tail_len = 0;
vector<bool> visited(n,false);
for(int i=0;i<n;++i){
if(indegree[i]==0 and !visited[i]){
int node = kahnsTopologicalSort(adj,indegree,visited,i);
if(adj[adj[node]]==node){//Cycle of length-2
int len_tail = maxDepthBFS(reverse_adj,visited,n,node,adj[node])-1;
tot_tail_len += len_tail;//All 2-len cycles with tail can be together
visited[node]=false;
}
}
}
//Step-3: For cycle-size >2, track max size across all cycles
int two_size_cycles=0;
int max_cycle_size=0;
for(int i=0;i<n;++i){
if(!visited[i]){
int cycle_size = bfs(adj,visited,i);
if(cycle_size==2)
two_size_cycles++;
else
max_cycle_size = max(max_cycle_size,cycle_size);
}
}
//Step-4: Find the best option of the 2 cases and return (All 2 size cycles can be added)
int cyclesize_2 = tot_tail_len + 2*two_size_cycles;
return max(cyclesize_2,max_cycle_size);
}
};