美文网首页
Leetcode 精选之最长递增子序列(最长上升子序列)

Leetcode 精选之最长递增子序列(最长上升子序列)

作者: Kevin_小飞象 | 来源:发表于2020-05-07 22:16 被阅读0次

    题目描述

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

    示例:

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

    说明:

    • 可能会有多种最长上升子序列的组合,你只需要输出对应的长度即可。
    • 你算法的时间复杂度应该为 O(n2) 。

    题目链接:力扣

    解题思路

    class Solution {
        public int lengthOfLIS(int[] nums) {
            int n = nums.length;
            int[] dp = new int[n];
            for (int i = 0; i < n; i++) {
                int max = 1;
                for (int j = 0; j < i; j++) {
                    if (nums[i] > nums[j]) {
                        max = Math.max(max, dp[j] + 1);
                    }
                }
                dp[i] = max;
            }
            return Arrays.stream(dp).max().orElse(0);
        }
    }
    

    测试结果

    image.png

    相关文章

      网友评论

          本文标题:Leetcode 精选之最长递增子序列(最长上升子序列)

          本文链接:https://www.haomeiwen.com/subject/rmftnhtx.html