반응형
문제 출처 :
https://www.acmicpc.net/problem/9252
알고리즘 분석 :
문제 해결에 필요한 사항
1. LCS :: http://www.crocus.co.kr/787
이 문제또한 위의 링크에 설명 및 정답 코드를 포함하고 있습니다.
이 문제에서는
ACAYKP CAPCAK
가 정답이 됩니다.
LCS, LCS2 문제는 모두 위의 링크에서 공부를 하고 문제를 푼다면 풀 수 있습니다.
소스 코드 :
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 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 | #include <iostream> #include <cstdio> #include <string> #include <stack> using namespace std; string str1, str2; int lcs[1001][1001]; int main() { string tmp1, tmp2; cin >> tmp1 >> tmp2; // LCS 알고리즘을 위해 앞에 '0'을 붙여준다. str1 = '0' + tmp1; str2 = '0' + tmp2; int len1 = str1.size(); int len2 = str2.size(); for (int i = 0; i < len1; i++) { for (int j = 0; j < len2; j++) { if (i == 0 || j == 0) { lcs[i][j] = 0; continue; } // 현재 비교하는 값이 서로 같다면, lcs는 + 1 if (str1[i] == str2[j]) lcs[i][j] = lcs[i - 1][j - 1] + 1; // 서로 다르다면 LCS의 값을 왼쪽 혹은 위에서 가져온다. 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]; } } } /* // 검증 코드 for (int i = 0; i < len1; i++) { for (int j = 0; j < len2; j++) cout << lcs[i][j] << " "; cout << endl; } */ cout << lcs[len1-1][len2-1] << endl; int i = len1-1; int j = len2-1; stack<int> st; while (lcs[i][j] != 0) { // 경로 추적 // cout << " i :: " << i << " j :: " << j << endl; if (lcs[i][j] == lcs[i][j - 1]) j--; else if (lcs[i][j] == lcs[i - 1][j]) i--; else if (lcs[i][j] - 1 == lcs[i - 1][j - 1]) { st.push(i); i--; j--; } } while (!st.empty()) { cout << str1[st.top()]; st.pop(); } return 0; } // This source code Copyright belongs to Crocus // If you want to see more? click here >> | Crocus |
반응형
'Applied > 알고리즘 문제풀이' 카테고리의 다른 글
[13711번] LCS 4 (0) | 2017.04.20 |
---|---|
[1958번] LCS 3 (0) | 2017.04.19 |
[9251번] LCS (0) | 2017.04.19 |
[8983번] 사냥꾼 (0) | 2017.04.18 |
[2174번] 로봇 시뮬레이션 (0) | 2017.04.18 |