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 |
Tags
- programmers
- boj
- 리눅스
- 문제풀이
- 스칼라
- 코드워
- Python
- codewars
- Linux
- Java
- 알고리즘
- 주키퍼
- leetcode
- zookeeper
- 동적프로그래밍
- dynamic programming
- 튜토리얼
- go
- golang
- HBase
- 프로그래머스
- DP
- redis
- gradle
- 자바
- OOM
- scala
- 파이썬
- Go언어
- docker
Archives
- Today
- Total
파이문
11053. 가장 긴 증가하는 부분 수열 본문
728x90
11053. 가장 긴 증가하는 부분 수열
(https://www.acmicpc.net/problem/11053)
유명한 문제이다. (알고스팟에도 있는 문제다. https://algospot.com/judge/problem/read/LIS)
일명 Longest Increasing Sequence 라는 문제인데, 주어진 수열에서 가장 긴 길이를 가질 수 있는 증가하는 부분 수열의 길이를 리턴해야 한다.
가장 먼저 1로 (가질 수 있는 최소 길이값이 길이1이므로) 값을 초기화 한 dp를 선언하고, i는 1부터 길이까지 증가시키고 j는 0부터 i까지 증가 시켜서, i번째 값이 j번째 값 보다 크면 dp[j] + 1이나 현재 값 dp[i] 중 maximum 값으로 갱신하는 것이다.
동영상 설명이 잘 되어 있어서 링크를 건다. https://www.youtube.com/watch?v=CE2b_-XfVDk
import java.util.Scanner;
public class Main {
public int problem11053(int[] arr) {
int[] dp = new int[arr.length];
for (int i = 0; i < arr.length; ++i) {
dp[i] = 1;
}
for (int i = 1; i < arr.length; ++i) {
for (int j = 0; j < i; ++j) {
if (arr[i] > arr[j]) {
dp[i] = Math.max(dp[j] + 1, dp[i]);
}
}
}
int res = 1;
for (int i = 0; i < arr.length; ++i) {
res = Math.max(res, dp[i]);
}
return res;
}
public static void main(String[] args) {
Main main = new Main();
Scanner sc = new Scanner(System.in);
int n = sc.nextInt();
int[] arr = new int[n];
for (int i = 0; i < n; ++i) {
arr[i] = sc.nextInt();
}
System.out.println(main.problem11053(arr));
}
}
'문제 풀이 > BOJ' 카테고리의 다른 글
2293. 동전 1 (0) | 2017.11.12 |
---|---|
2579. 계단 오르기 (0) | 2017.11.12 |
1149. RGB 거리 (0) | 2017.04.04 |
1463. 1로 만들기 (0) | 2017.04.03 |
1003. 피보나치 함수 (0) | 2017.04.03 |
Comments