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
- [sqld]자격증합격
- candies
- Common Child
- 머신러닝
- 피보나치 함수
- 야근지수
- Special String Again
- 파이썬
- Recursion: Davis' Staircase
- programmers
- 프로그래머스
- 구슬탈출2
- 해커랭크
- Reverse Shuffle Merge
- 알고리즘
- 격파르타 장점
- hackerrank
- Algorithm
- Find the nearest clone
- Max Array Sum
- python
- Interview Preparation Kit
- 매칭점수
- 백준
- 격파르타 합격후기
- 코딩테스트
- BFS: Shortest Reach in a Graph
- Roads and Libraries
- DFS: Connected Cell in a Grid
- 격파르타 후기
Archives
- Today
- Total
Archive
[Hackerrank] [Medium] Common Child 본문
https://www.hackerrank.com/challenges/common-child/problem
풀이
- 입력으로 두 개의 string이 주어졌을 때 공통된 child의 최대 길이를 구하는 문제
- child : string에서 문자를 1개 이상 삭제한 결과물
- ex) s1 = ABCD, s2 = ABDC -> longest common child : ABC or ABD
- ex) s1 = HARRY, s2 = SALLY -> longest common child : AY
- Dynamic programming으로 풀었음.
- python3 컴파일러로 제출했을 때 timeout발생했지만 Pypy3 컴파일러로 제출했을 때 error없이 완료됨.
- 2차원 matrix를 만든 뒤, m[ i ] [ j ] = s1[ : i ], s2 [ : j ] 까지 봤을 때의 longest common child의 길이로 정의
- 구현 편의 상 문자열 길이를 각각 1씩 추가해 matrix index를 1부터 시작.
def commonChild(s1, s2):
s1_len = len(s1)
s2_len = len(s2)
m = [[0 for _ in range(s2_len + 1)] for _ in range(s1_len + 1)]
for i in range(s1_len+1):
for j in range(s2_len+1):
# index가 0인 부분은 건너뜀
if i == 0 or j == 0:
continue
# string이 같을 때, 이전 index까지의 longest common child(m[i-1][j-1])에다 1을 더해줌.
elif s1[i-1] == s2[j-1]:
m[i][j] = m[i-1][j-1] + 1
else:
m[i][j] = max(m[i-1][j], m[i][j-1])
return m[-1][-1]
'공부 > Algorithm' 카테고리의 다른 글
[Hackerrank] [Medium] Max Array Sum (0) | 2020.08.31 |
---|---|
[Hackerrank] [Hard] Reverse Shuffle Merge (0) | 2020.08.31 |
[Hackerrank] [Medium] Special String Again (0) | 2020.08.28 |
[Hackerrank] [Medium] Sherlock and the Valid String (0) | 2020.08.27 |
[Hackerrank] [Hard] Merge Sort: Counting Inversions (0) | 2020.08.25 |
Comments