【LeeCode】674. 最长连续递增序列

时间:2023-02-18 10:56:08

【题目描述】

给定一个未经排序的整数数组,找到最长且 连续递增的子序列,并返回该序列的长度。

连续递增的子序列 可以由两个下标 ​​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/​


【示例】

【LeeCode】674. 最长连续递增序列


【代码】admin

思路:如果连续大于则持续累加即可,最小值连续值是1

package com.company;
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
}
}