Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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
- 우분투
- SWEA
- mysqld.sock
- 알고리즘
- 원형
- 그리디알고리즘
- 유니티
- 탄막
- 탄막 스킬 범위
- 백준
- 18249
- 탄막 이동
- 3273
- 윈도우
- 강의실2
- 알고리즘 목차
- 단어 수학
- 2020 KAKAO BLIND RECRUITMENT
- 문자열 압축
- MySQL
- 걷는건귀찮아
- 자료구조 목차
- 마우스 따라다니기
- 수 만들기
- 영상 프레임 추출
- 3344
- 회의실 배정
- c#
- AI Hub
- 토글 그룹
Archives
- Today
- Total
와이유스토리
[LCS] 백준 9251 LCS / 9252 LCS2 C++ 본문
https://www.acmicpc.net/problem/9251
9251 LCS길이
#include <iostream>
#include <string>
#include <algorithm>
using namespace std;
string str1, str2;
int lcs[1001][1001];
int main() {
ios_base::sync_with_stdio(false); cin.tie(NULL); cout.tie(NULL);
cin >> str1 >> str2;
str1 = "0" + str1;
str2 = "0" + str2;
for (int i = 0; i < str1.size(); i++) {
for (int j = 0; j < str2.size(); j++) {
if ((i == 0) || (j == 0)) {
lcs[i][j] = 0;
continue;
}
if (str1[i] == str2[j]) lcs[i][j] = lcs[i - 1][j - 1] + 1;
else {
if (lcs[i - 1][j] > lcs[i][j - 1]) lcs[i][j] = lcs[i - 1][j];
else lcs[i][j] = lcs[i][j - 1];
}
}
}
cout << lcs[str1.size() - 1][str2.size() - 1];
return 0;
}
https://www.acmicpc.net/problem/9252
9252 LCS 길이, LCS 역추적
#include<iostream>
#include<string>
using namespace std;
string str1;
string str2;
string ans;
int dp[1001][1001];
int n1, n2, res, a, b;
int main()
{
ios_base::sync_with_stdio(0);
cin.tie(0), cout.tie(0);
cin >> str1 >> str2;
// 문자열 길이 다를 수 있음
n1 = str1.size();
n2 = str2.size();
// 인덱스 접근 편하게
str1 = "0" + str1;
str2 = "0" + str2;
// base = 0은 0으로 초기화
for (int i = 0; i <= n1; i++)
{
for (int j = 0; j <= n2; j++)
{
if ((i == 0) || (j == 0))
{
dp[i][j] = 0;
continue;
}
if (str1[i] == str2[j]) // dp table 대각선 + 1
{
dp[i][j] = dp[i - 1][j - 1] + 1;
}
else // dp table 위, 왼쪽 중 큰 값
{
dp[i][j] = max(dp[i - 1][j], dp[i][j - 1]);
}
}
}
res = dp[n1][n2];
a = n1;
b = n2;
while (dp[a][b] != 0)
{
if ((dp[a][b] == dp[a - 1][b]))
{
a--;
}
else if ((dp[a][b] == dp[a][b - 1]))
{
b--;
}
else
{
ans.insert(0, 1, str1[a]); // push_back, append X 반대로
a--;
b--;
}
}
cout << res << "\n";
cout << ans;
}
'코딩테스트 > 동적계획법' 카테고리의 다른 글
[DP] 백준 12865 평범한 배낭 C++ (0) | 2022.01.27 |
---|---|
[DP(Top-Down)] 백준 2098 외판원 순회(TSP) C++ (0) | 2022.01.27 |
[비트 DP] (CHECK) SWEA 3316 동아리실 관리하기 C++ (0) | 2022.01.22 |
[DP] SWEA 3282 0/1 Knapsack C++ (0) | 2022.01.21 |
[DP] 백준 14501 퇴사 C++ (0) | 2022.01.04 |
Comments