-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathsolution.cpp
34 lines (32 loc) · 1.01 KB
/
solution.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
/**
* 138 / 138 test cases passed.
* Runtime: 40 ms
* Memory Usage: 15.6 MB
*/
class Solution {
public:
int direct[4][2] = {{1, 0}, {-1, 0}, {0, 1}, {0, -1}};
int m, n;
int dfs(vector<vector<int>> &matrix, vector<vector<int>> &memo, int x, int y) {
if (memo[x][y] != 0) return memo[x][y];
++ memo[x][y];
for (auto &dir: direct) {
int xx = x + dir[0];
int yy = y + dir[1];
if (xx < 0 || xx >= m || yy < 0 || yy >= n || matrix[xx][yy] <= matrix[x][y]) continue;
memo[x][y] = max(memo[x][y], dfs(matrix, memo, xx, yy) + 1);
}
return memo[x][y];
}
int longestIncreasingPath(vector<vector<int>>& matrix) {
m = matrix.size(), n = matrix[0].size();
vector<vector<int>> memo(m, vector<int>(n));
int ans = 0;
for (int i = 0; i < m; ++ i) {
for (int j = 0; j < n; ++ j) {
ans = max(ans, dfs(matrix, memo, i, j));
}
}
return ans;
}
};