Java 求解最长连续递增序列
Posted 南淮北安
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Java 求解最长连续递增序列相关的知识,希望对你有一定的参考价值。
一、题目
给定一个未经排序的整数数组,找到最长且 连续递增的子序列,并返回该序列的长度。
连续递增的子序列 可以由两个下标 l 和 r(l < r)确定,如果对于每个 l <= i < r,都有 nums[i] < nums[i + 1] ,那么子序列 [nums[l], nums[l + 1], …, nums[r - 1], nums[r]] 就是连续递增子序列。
二、贪心代码
只要遇到 nums[i + 1] > nums[i]
的情况,curRes 就加一
class Solution {
public int findLengthOfLCIS(int[] nums) {
if(nums!=null && nums.length<=1){
return nums.length;
}
int res = 0;
int curRes = 1;
for(int i=1;i<nums.length;i++){
if(nums[i]>nums[i-1]){
curRes++;
}else{
res = Math.max(res,curRes);
curRes=1;
}
}
return Math.max(res,curRes);
}
}
三、动态规划代码
常规的步骤,
确定递推公式时,如果 nums[i + 1] > nums[i],那么以 i+1 为结尾的数组的连续递增的子序列长度 一定等于 以i为结尾的数组的连续递增的子序列长度 + 1 。
即:dp[i + 1] = dp[i] + 1;
class Solution {
public int findLengthOfLCIS(int[] nums) {
if (nums != null && nums.length <= 1) {
return nums.length;
}
// dp[i] 表示当前位置对应的连续子序列的最大长度
int[] dp = new int[nums.length];
// 初始值都为 1
Arrays.fill(dp, 1);
int res = 0;
for (int i = 1; i < nums.length; i++) {
// 连续子序列只需要比较当前值和前一个值即可
if (nums[i] > nums[i - 1]) {
dp[i] = dp[i - 1] + 1;
}
res = Math.max(res, dp[i]);
}
return res;
}
}
四、总结
以上是关于Java 求解最长连续递增序列的主要内容,如果未能解决你的问题,请参考以下文章