300. 最长上升子序列

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

示例:

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

来源:力扣(LeetCode)

class Solution {
    public int lengthOfLIS(int[] nums) {
        int[] ans = new int[nums.length];
        int len = nums.length;
        if(len < 1) {
            return len;
        }
        for(int i = 0; i < len ;i ++) {
            ans[i] = 1;    
        }
        int pos = - 1;
        for(int i = 0; i < len; i ++) {        
            for(int j = 0; j < i; j ++) {
                if(nums[i] > nums[j]) {
                    ans[i] = Math.max(ans[j] + 1, ans[i]);
                } 
            }       
        }       
        for(int i = 0; i < len; i ++) {
            pos = Math.max(pos, ans[i]);
        }
        return pos;
    }
}

你可能感兴趣的:(leedcode)