力扣2760. 最长奇偶子数组

发布时间 2023-11-16 12:05:08作者: Coder何
给你一个下标从 0 开始的整数数组 nums 和一个整数 threshold 。

请你从 nums 的子数组中找出以下标 l 开头、下标 r 结尾 (0 <= l <= r < nums.length) 且满足以下条件的 最长子数组 :

  • nums[l] % 2 == 0
  • 对于范围 [l, r - 1] 内的所有下标 i ,nums[i] % 2 != nums[i + 1] % 2
  • 对于范围 [l, r] 内的所有下标 i ,nums[i] <= threshold

以整数形式返回满足题目要求的最长子数组的长度。

注意:子数组 是数组中的一个连续非空元素序列。

 

示例 1:

输入:nums = [3,2,5,4], threshold = 5
输出:3
解释:在这个示例中,我们选择从 l = 1 开始、到 r = 3 结束的子数组 => [2,5,4] ,满足上述条件。
因此,答案就是这个子数组的长度 3 。可以证明 3 是满足题目要求的最大长度。

 

示例 2:

输入:nums = [1,2], threshold = 2
输出:1
解释:
在这个示例中,我们选择从 l = 1 开始、到 r = 1 结束的子数组 => [2] 。
该子数组满足上述全部条件。可以证明 1 是满足题目要求的最大长度。

 

示例 3:

输入:nums = [2,3,4,5], threshold = 4
输出:3
解释:
在这个示例中,我们选择从 l = 0 开始、到 r = 2 结束的子数组 => [2,3,4] 。 
该子数组满足上述全部条件。
因此,答案就是这个子数组的长度 3 。可以证明 3 是满足题目要求的最大长度。

 

 

提示:

  • 1 <= nums.length <= 100
  • 1 <= nums[i] <= 100
  • 1 <= threshold <= 100

代码为暴力,最优解应该是不回退滑动窗口。

 1 class Solution {
 2 public:
 3     int maximum = 0;
 4     int find_head(int index, vector<int> &nums, int threshold){
 5         for (;index < nums.size();++index){
 6             if (nums[index] <= threshold && nums[index] % 2 == 0){
 7                 return index;
 8             }
 9         }
10         return index;
11     }
12     int longestAlternatingSubarray(vector<int>& nums, int threshold) {
13         int index, count;
14         index = find_head(0, nums, threshold);
15         if (index < nums.size()){
16             maximum = 1;
17             count = 1;
18         }else{
19             return 0;
20         }
21         while (index < nums.size() - 1){
22             if (nums[index] <= threshold && nums[index+1] <= threshold && nums[index] % 2 != nums[index+1] % 2){
23                 count++;
24                 index++;
25                 maximum = max(count, maximum);
26             }else{
27                 maximum = max(count, maximum);
28                 index = find_head(index+1, nums, threshold);
29                 count = 1;
30             }
31         }
32         return maximum;
33     }
34 };