[백준] 11053. 가장 긴 증가하는 부분 수열
문제 링크
풀이 과정
최장 증가 부분 수열 문제입니다. N의 범위가 1000까지이므로, $O(n^2)$의 시간 복잡도를 갖는 이중 for문 방식의 LIS 알고리즘을 사용해도 시간 내에 정답을 출력할 수 있습니다.
[알고리즘 정리] 최장 증가 부분 수열(Longest Increasing Subsequence, LIS)에 LIS 알고리즘을 설명해 두었습니다.
코드
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.util.Arrays;
public class Main {
public static void main(String[] args) throws IOException {
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
int N = Integer.parseInt(br.readLine());
int[] arr = Arrays.stream(br.readLine().split(" ")).mapToInt(Integer::parseInt).toArray();
int[] dp = new int[N];
for (int i = 0; i < N; i++) {
dp[i] = 1;
for (int j = 0; j < i; j++)
if (arr[j] < arr[i] && dp[j] + 1 > dp[i]) dp[i] = dp[j] + 1;
}
int max = 0;
for (int i = 0; i < N; i++) max = Math.max(max, dp[i]);
System.out.println(max);
}
}
댓글남기기