forked from shuboc/LeetCode-2
-
Notifications
You must be signed in to change notification settings - Fork 1
/
max-sum-of-sub-matrix-no-larger-than-k.cpp
39 lines (34 loc) · 1.22 KB
/
max-sum-of-sub-matrix-no-larger-than-k.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
// Time: O(min(m, n)^2 * max(m, n) * log(max(m, n)))
// Space: O(max(m, n))
class Solution {
public:
int maxSumSubmatrix(vector<vector<int>>& matrix, int k) {
if (matrix.empty()) {
return 0;
}
const int m = min(matrix.size(), matrix[0].size());
const int n = max(matrix.size(), matrix[0].size());
int result = numeric_limits<int>::min();
for (int i = 0; i < m; ++i) {
vector<int> sums(n, 0);
for (int j = i; j < m; ++j) {
for (int l = 0; l < n; ++l) {
sums[l] += (m == matrix.size()) ? matrix[j][l] : matrix[l][j];
}
// Find the max subarray no more than K.
set<int> accu_sum_set;
accu_sum_set.emplace(0);
int accu_sum = 0;
for (int sum : sums) {
accu_sum += sum;
auto it = accu_sum_set.lower_bound(accu_sum - k);
if (it != accu_sum_set.end()) {
result = max(result, accu_sum - *it);
}
accu_sum_set.emplace(accu_sum);
}
}
}
return result;
}
};