1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 17:56:55 +02:00

problems: add kth smallest element in a sorted matrix

Signed-off-by: Matej Focko <mfocko@redhat.com>
This commit is contained in:
Matej Focko 2022-08-02 22:46:54 +02:00
parent 05c1800c4d
commit 4845dae4b3
Signed by: mfocko
GPG key ID: 7C47D46246790496

View file

@ -0,0 +1,52 @@
#include <algorithm>
#include <cassert>
#include <iostream>
#include <vector>
using namespace std;
class Solution {
public:
int kthSmallest(vector<vector<int>>& matrix, int k)
{
int low = matrix.front().front();
int high = matrix.back().back();
while (low < high) {
int mid = low + (high - low) / 2;
int rank = 0;
for (const auto& row : matrix) {
rank += upper_bound(row.begin(), row.end(), mid) - row.begin();
}
if (rank < k) {
low = mid + 1;
} else {
high = mid;
}
}
return low;
}
};
int main()
{
Solution s;
vector<vector<int>> m;
int k;
m = {
{ 1, 5, 9 },
{ 10, 11, 13 },
{ 12, 13, 15 }
};
k = 8;
assert(s.kthSmallest(m, k) == 13);
m = { { -5 } };
k = 1;
assert(s.kthSmallest(m, k) == -5);
}