leetcode[300] 最长上升子序列

给定一个无序的整数数组,找到其中最长上升子序列的长度。

示例:

输入: [10,9,2,5,3,7,101,18]
输出: 4 
解释: 最长的上升子序列是 [2,3,7,101],它的长度是 4。

解题思路:动态规划

public static int longestIncreasingSubsequence(int[] nums) {
        // write your code here
        if(nums.length == 0 || nums == null)
            return 0;
        int []dp = new int[nums.length];
        Arrays.fill(dp,1);//初始值全部是1,因为最小是1
        for(int i = 1;inums[j]){
                    dp[i] = Math.max(dp[i],dp[j]+1);
                }
            }
        }

        int maxCur = Integer.MIN_VALUE;
        for(int i = 0;imaxCur)
                maxCur = dp[i];
        }
        return maxCur;
    }

 

你可能感兴趣的:(LeetCode)