풀이과정
처음에는 단순하게 DFS 재귀 백트래킹을 이용하여 구현했다.
하지만, DP를 사용하지 않으면 시간초과가 났다. 괜히 골드3 문제가 아니다.
DP와 DFS를 같이 사용해야 하는 새로운 문제 유형이었다.
만약 이 그림 (0, 0)에 판다를 냅둔다면, (0, 0) -> (0, 1) -> (0, 2) -> (1, 2) -> (1, 1) 을 통해서 총 5일을 살게 될 것이다. 그럼 dp[0][0] = 5, dp[0][1] = 4, dp[0][2] = 3, dp[1][2] = 2, dp[1][1] = 1로 배열 값이 설정된다.
이후에 (1, 0)을 방문했다고 생각하고, (0, 0)으로 움직인다면 이미 5 값을 가지고 있기 때문에 방문을 해봤자, 결과는 5가 나오게 될 것이다. 즉, 이미 값이 있는 좌표는 방문을 더 이상 할 필요가 없다.
따라서, 재귀를 호출하는 과정에서 dp[][]에 값이 있는 좌표라면 그대로 해당좌표의 dp[][] 값을 return 해주면 된다. 그게 아니라면, 해당 좌표를 1로 두고 탐색을 진행한다.
아직 dfs에 익숙하지 않아서 직접 재귀를 그려봤다.
DP + DFS (AC코드)
#include <vector>
#include <algorithm>
#include <iostream>
using namespace std;
int n, ans;
int num[501][501];
int dp[501][501];
int dx[4] = { 1, 0, -1, 0 };
int dy[4] = { 0, -1, 0, 1 };
int dfs(int x, int y) {
if (dp[x][y]) return dp[x][y];
dp[x][y] = 1;
for (int i = 0; i < 4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if (nx < 1 || nx > n || ny < 1 || ny > n)
continue;
if (num[x][y] < num[nx][ny]) {
dp[x][y] = max(dp[x][y], dfs(nx, ny) + 1);
}
}
return dp[x][y];
}
int main() {
ios::sync_with_stdio(false);
cin.tie(NULL); cout.tie(NULL);
cin >> n;
for (int i = 1; i <= n; i++) {
for (int j = 1; j <= n; j++) {
cin >> num[i][j];
}
}
for (int i = 1; i <= n; i++) {
for (int j = 1; j <= n; j++) {
ans = max(ans, dfs(i, j));
}
}
cout << ans;
}
처음 시도해봤던 시간초과나는 코드....!
#include <vector>
#include <algorithm>
#include <iostream>
using namespace std;
int n, ans;
int num[501][501];
bool c[501][501];
int dx[4] = { 1, 0, -1, 0 };
int dy[4] = { 0, -1, 0, 1 };
void dfs(int x, int y, int cnt) {
c[x][y] = 1;
ans = max(ans, cnt);
for (int i = 0; i < 4; i++) {
int nx = x + dx[i];
int ny = y + dy[i];
if (nx < 1 || nx > n || ny < 1 || ny > n)
continue;
if (num[x][y] < num[nx][ny] && !c[nx][ny]) {
c[nx][ny] = 1;
dfs(nx, ny, cnt + 1);
c[nx][ny] = 0;
}
}
}
int main() {
ios::sync_with_stdio(false);
cin.tie(NULL); cout.tie(NULL);
cin >> n;
for (int i = 1; i <= n; i++) {
for (int j = 1; j <= n; j++) {
cin >> num[i][j];
}
}
for (int i = 1; i <= n; i++) {
for (int j = 1; j <= n; j++) {
dfs(i, j, 1);
memset(c, 0, sizeof(c));
}
}
cout << ans;
}
'🍞 Algorithm > Baekjoon' 카테고리의 다른 글
[백준] 1507 궁금한 민호 c++ (0) | 2022.09.14 |
---|---|
[백준] 21940 가운데에서 만나기 c++ (0) | 2022.09.14 |
[백준] 14938 서강그라운드 c++ (0) | 2022.09.14 |
[백준] 2458 키 순서 c++ (0) | 2022.09.14 |
[백준] 2910 빈도 정렬 c++ (0) | 2022.09.14 |