[LeetCode] Longest Increasing Subsequence (Java)
https://leetcode.com/problems/longest-increasing-subsequence/description/
입력 : 정수 배열 nums[]
출력 : 가장 긴 증가하는 수열의 길이
O(n^2)
dp
구현
import java.util.Arrays;
public class Solution {
public int lengthOfLIS(int[] nums) {
if (nums == null || nums.length == 0) {
return 0;
}
int[] dp = new int[nums.length];
Arrays.fill(dp, 1); // 각 요소는 최소 자기 자신만 포함하는 LIS를 가지므로 초기값은 1
int maxLength = 1;
for (int i = 1; i < nums.length; i++) {
for (int j = 0; j < i; j++) {
if (nums[i] > nums[j]) {
dp[i] = Math.max(dp[i], dp[j] + 1);
}
}
maxLength = Math.max(maxLength, dp[i]);
}
return maxLength;
}
}