일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 |
Tags
- pytorch
- 알고리즘
- DP
- tensorflow
- 가끔은 말로
- back propagation
- dropout
- dfs
- 백트래킹
- 플로이드 와샬
- 다익스트라
- 미래는_현재와_과거로
- object detection
- 너비 우선 탐색
- 가끔은_말로
- 우선 순위 큐
- 회고록
- 분할 정복
- 조합론
- Overfitting
- c++
- 2023
- 문자열
- 이분 탐색
- NEXT
- 세그먼트 트리
- 크루스칼
- 자바스크립트
- BFS
- lazy propagation
Archives
- Today
- Total
Doby's Lab
[알고리즘] 백준 9252번: LCS 2 (C++) 본문
https://www.acmicpc.net/problem/9252
저번에 공부했던 LCS알고리즘을 이해하고 있다면 똑같은 DP의 방식으로 문자열 배열 DP를 돌리면 된다.
(LCS 정리 https://draw-code-boy.tistory.com/126)
[AC 코드]
cache2 == 문자열 메모이제이션 배열
#include <iostream>
#include <algorithm>
#include <string>
#include <cmath>
#define MAX 1000 + 1
#define ll long long
using namespace std;
int cache[MAX][MAX];
string cache2[MAX][MAX];
string strMax(string n1, string n2) {
if (n1.length() > n2.length()) {
return n1;
}
else {
return n2;
}
}
int main() {
string a, b;
cin >> a >> b;
a = ' ' + a;
b = ' ' + b;
for (int i = 1; i < a.size(); i++) {
for (int j = 1; j < b.size(); j++) {
if (a[i] == b[j]) {
cache[i][j] = cache[i - 1][j - 1] + 1;
cache2[i][j] = cache2[i - 1][j - 1] + a[i]; // a[i]랑 b[j]가 같아서 둘 중 아무거나 넣음
}
else {
cache[i][j] = max(cache[i - 1][j], cache[i][j - 1]);
cache2[i][j] = strMax(cache2[i - 1][j], cache2[i][j - 1]);
}
}
}
cout << cache[a.size() - 1][b.size() - 1] << '\n';
cout << cache2[a.size() - 1][b.size() - 1];
return 0;
}
+2022.03.11 메모리 초과로 인한 다시 풀기
아무래도 두 개의 cache 2차원 배열을 사용해서 메모리 초과가 나온 듯 하다.
큐와 역추적을 활용해 다시 풀어주었다.
#include <iostream>
#include <algorithm>
#include <string>
#include <cmath>
#include <queue>
#define MAX 1000 + 1
#define ll long long
using namespace std;
int cache[MAX][MAX];
queue<char> s;
string a, b;
void sol(int row, int col){
if(cache[row][col] == 0) return;
if(a[row] == b[col]){
sol(row - 1, col - 1);
s.push(a[row]);
}
else{
cache[row - 1][col] > cache[row][col - 1]
? sol(row - 1, col) : sol(row, col - 1);
}
}
int main() {
ios_base::sync_with_stdio(false);
cin.tie(NULL);
cin >> a >> b;
a = ' ' + a;
b = ' ' + b;
for (int i = 1; i < a.size(); i++) {
for (int j = 1; j < b.size(); j++) {
if (a[i] == b[j]) {
cache[i][j] = cache[i - 1][j - 1] + 1; // a[i]랑 b[j]가 같아서 둘 중 아무거나 넣음
}
else {
cache[i][j] = max(cache[i - 1][j], cache[i][j - 1]);
}
}
}
cout << cache[a.size() - 1][b.size() - 1] << '\n';
sol(a.size() - 1, b.size() - 1);
while(!s.empty()){
cout << s.front();
s.pop();
}
return 0;
}
728x90
'PS > BOJ' 카테고리의 다른 글
[알고리즘] 백준 1753번: 최단경로 (C++), 다익스트라 (0) | 2021.11.30 |
---|---|
[알고리즘] 백준 17404번: RGB거리 2 (C++), 의도적 코드 (0) | 2021.11.29 |
[알고리즘] 백준 15658번: 연산자 끼워넣기 (2) (C++) (0) | 2021.11.28 |
[알고리즘] 백준 10819번: 차이를 최대로 (C++) (0) | 2021.11.28 |
[알고리즘] 백준 10769번: 행복한지 슬픈지 (C++) (0) | 2021.11.27 |