π One-stop destination for all your technical interview Preparation π
You are given an m x n binary matrix mat of 1βs (representing soldiers) and 0βs (representing civilians). The soldiers are positioned in front of the civilians. That is, all the 1βs will appear to the left of all the 0βs in each row.
A row i is weaker than a row j if one of the following is true:
The number of soldiers in row i is less than the number of soldiers in row j. Both rows have the same number of soldiers and i < j. Return the indices of the k weakest rows in the matrix ordered from weakest to strongest.
{no.of soldiers, row index}
in a multimap.class Solution {
public:
vector<int> kWeakestRows(vector<vector<int>>& mat, int k)
{
multimap<int, int> mp;
int n = mat.size();
for (int i = 0; i < n; i++) {
int ones = count(mat[i].begin(), mat[i].end(), 1); // count 1's in row i
mp.insert(make_pair(ones, i));
}
vector<int> res;
for (auto x : mp) {
res.push_back(x.second);
k--;
if (k == 0)
break;
}
return res;
}
};
class Solution {
public:
vector<int> kWeakestRows(vector<vector<int>>& mat, int k)
{
priority_queue<pair<int, int>, vector<pair<int, int>>, greater<pair<int, int>>> pq;
int n = mat.size();
for (int i = 0; i < n; i++) {
int ones = count(mat[i].begin(), mat[i].end(), 1); // linear
pq.push({ones, i});
}
vector<int> res;
while (k--) {
res.push_back(pq.top().second);
pq.pop();
}
return res;
}
};
class Solution {
public:
vector<int> kWeakestRows(vector<vector<int>>& mat, int k)
{
priority_queue<pair<int, int>, vector<pair<int, int>>, greater<pair<int, int>>> pq;
int n = mat.size();
for (int i = 0; i < n; i++) {
int ones = count(mat[i].begin(), mat[i].end(), 1); // linear search
pq.push({ones, i});
}
vector<int> res;
while (k--) {
res.push_back(pq.top().second);
pq.pop();
}
return res;
}
};
class Solution {
public:
vector<int> kWeakestRows(vector<vector<int>>& mat, int k)
{
int n = mat.size();
int m = mat[0].size();
vector<int> ans;
set<int> st;
for (int c = 0; c < m; c++) {
for (int r = 0; r < n; r++) {
if (mat[r][c] == 0 && st.count(r) == 0) {
st.insert(r);
ans.push_back(r);
--k;
if (k == 0)
return ans;
}
}
}
// if vector does not contain 0 last element will be 1;
for (int i = 0; i < n; i++) {
if (mat[i][m - 1] == 1) {
ans.push_back(i);
--k;
if (k == 0)
break;
}
}
return ans;
}
};