【每日一题】2021年12月2日-300. 最长递增子序列
给你一个整数数组 nums ,找到其中最长严格递增子序列的长度。
子序列是由数组派生而来的序列,删除(或不删除)数组中的元素而不改变其余元素的顺序。例如,[3,6,2,7] 是数组 [0,3,1,6,2,2,7] 的子序列。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-increasing-subsequence
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
答案:动态规划/贪心+二分
class Solution { public int lengthOfLIS(int[] nums) { if(nums.length == 0) { return 0; } int[] dp = new int[nums.length]; int maxRes = 1; //初始化为1而非0 dp[0] = 1; for(int i = 1; i < nums.length; i++) { dp[i] = 1; //每个元素的初始值都为1 for(int j = 0; j < i; j++) { //小于i的元素 if(nums[j] < nums[i]) { //在前面发现比当前元素小的 dp[i] = Math.max(dp[i], dp[j] + 1); //更新当前元素对应的值的小的值+1 } } maxRes = Math.max(maxRes, dp[i]); //每个数比较取最大值 } return maxRes; } }
本文来自博客园,作者:哥们要飞,转载请注明原文链接:https://www.cnblogs.com/liujinhui/p/15635010.html