-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
[Gold V] Title: LCS, Time: 376 ms, Memory: 56528 KB -BaekjoonHub
- Loading branch information
Showing
2 changed files
with
53 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,23 @@ | ||
import sys | ||
|
||
|
||
def lcs(firstString, secondString): | ||
firstLen = len(firstString) | ||
secondLen = len(secondString) | ||
|
||
dp = [[0 for _ in range(secondLen + 1)] for _ in range(firstLen + 1)] | ||
|
||
for i in range(1, firstLen + 1): | ||
for j in range(1, secondLen + 1): | ||
if firstString[i - 1] == secondString[j - 1]: | ||
dp[i][j] = dp[i - 1][j - 1] + 1 | ||
else: | ||
dp[i][j] = max(dp[i - 1][j], dp[i][j - 1]) | ||
|
||
return dp[firstLen][secondLen] | ||
|
||
|
||
firstString = sys.stdin.readline().strip() | ||
secondString = sys.stdin.readline().strip() | ||
|
||
print(lcs(firstString, secondString)) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,30 @@ | ||
# [Gold V] LCS - 9251 | ||
|
||
[문제 링크](https://www.acmicpc.net/problem/9251) | ||
|
||
### 성능 요약 | ||
|
||
메모리: 56528 KB, 시간: 376 ms | ||
|
||
### 분류 | ||
|
||
다이나믹 프로그래밍, 문자열 | ||
|
||
### 제출 일자 | ||
|
||
2024년 1월 30일 21:35:04 | ||
|
||
### 문제 설명 | ||
|
||
<p>LCS(Longest Common Subsequence, 최장 공통 부분 수열)문제는 두 수열이 주어졌을 때, 모두의 부분 수열이 되는 수열 중 가장 긴 것을 찾는 문제이다.</p> | ||
|
||
<p>예를 들어, ACAYKP와 CAPCAK의 LCS는 ACAK가 된다.</p> | ||
|
||
### 입력 | ||
|
||
<p>첫째 줄과 둘째 줄에 두 문자열이 주어진다. 문자열은 알파벳 대문자로만 이루어져 있으며, 최대 1000글자로 이루어져 있다.</p> | ||
|
||
### 출력 | ||
|
||
<p>첫째 줄에 입력으로 주어진 두 문자열의 LCS의 길이를 출력한다.</p> | ||
|