CodexBloom - Programming Q&A Platform

Trouble with Dynamic Programming Solution for Longest Increasing Subsequence in Java - Getting Wrong Length

👀 Views: 740 đŸ’Ŧ Answers: 1 📅 Created: 2025-06-05
java dynamic-programming algorithm Java

I'm working on a project and hit a roadblock... I'm currently trying to implement a dynamic programming solution for the Longest Increasing Subsequence (LIS) question in Java, but I'm getting incorrect results for certain test cases. Specifically, my implementation returns a length of `3` for the input array `{10, 9, 2, 5, 3, 7, 101, 18}`, while I expect it to be `4` (the subsequence being `2, 3, 7, 101`). Here's the code I've written: ```java public class LongestIncreasingSubsequence { public int lengthOfLIS(int[] nums) { if (nums.length == 0) return 0; int[] dp = new int[nums.length]; Arrays.fill(dp, 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); } } } int maxLength = 0; for (int length : dp) { maxLength = Math.max(maxLength, length); } return maxLength; } } ``` I've checked my loops and the logic for updating the `dp` array, but I need to figure out why the result is incorrect. I'm using Java 11 and I've tested this with a variety of input cases, but I consistently get the wrong lengths for larger sequences. Is there something subtle that I'm missing in the update condition for `dp`? Any insights would be greatly appreciated! Thanks in advance! My development environment is Ubuntu. Is there a better approach?