【题目描述】
给定一个未经排序的整数数组,找到最长且 连续递增的子序列,并返回该序列的长度。
连续递增的子序列 可以由两个下标 l
和 r
(l < r
)确定,如果对于每个 l <= i < r
,都有 nums[i] < nums[i + 1]
,那么子序列 [nums[l], nums[l + 1], ..., nums[r - 1], nums[r]]
就是连续递增子序列。
https://leetcode.cn/problems/longest-continuous-increasing-subsequence/
【示例】
【代码】admin
思路:如果连续大于则持续累加即可,最小值连续值是1
package com.company;标签:count,nums,674,res,递增,int,LeeCode,序列,new From: https://blog.51cto.com/u_13682316/6065132
import java.util.*;
// 2022-02-18
class Solution {
public int findLengthOfLCIS(int[] nums) {
int len = nums.length;
int count = 1;
int res = 1;
for (int i = 1; i < len; i++){
if (nums[i] > nums[i - 1]) {
count++;
res = Math.max(res, count);
}else{
count = 1;
}
}
System.out.println(res);
return res;
}
}
public class Test {
public static void main(String[] args) {
new Solution().findLengthOfLCIS(new int[]{1,3,5,4,7}); // 输出: 3
new Solution().findLengthOfLCIS(new int[]{2,2,2,2,2}); // 输出: 1
}
}