2760-最长奇偶子数组

Raphael Liu Lv10

给你一个下标从 0 开始的整数数组 nums 和一个整数 threshold

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

  • nums[l] % 2 == 0
  • 对于范围 [l, r - 1] 内的所有下标 inums[i] % 2 != nums[i + 1] % 2
  • 对于范围 [l, r] 内的所有下标 inums[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

下午两点直播讲题,记得关注【b站@灵茶山艾府】 哦~


题目的约束实际上把数组划分成了若干段,每段都满足要求,且互不相交。

那么遍历一遍,计算每一段的长度,取最大值,即为答案。

[sol-Python3]
1
2
3
4
5
6
7
8
9
10
11
12
13
class Solution:
def longestAlternatingSubarray(self, a: List[int], threshold: int) -> int:
ans, i, n = 0, 0, len(a)
while i < n:
if a[i] % 2 or a[i] > threshold:
i += 1
else:
i0 = i
i += 1
while i < n and a[i] <= threshold and a[i] % 2 != a[i - 1] % 2:
i += 1 # i 是全局变量,二重循环 i+=1 至多执行 O(n) 次
ans = max(ans, i - i0)
return ans
[sol-Go]
1
2
3
4
5
6
7
8
9
10
11
12
13
14
func longestAlternatingSubarray(a []int, threshold int) (ans int) {
for i, n := 0, len(a); i < n; {
if a[i]%2 > 0 || a[i] > threshold {
i++
} else {
i0 := i
for i++; i < n && a[i] <= threshold && a[i]%2 != a[i-1]%2; i++ {}
ans = max(ans, i-i0)
}
}
return
}

func max(a, b int) int { if b > a { return b }; return a }

复杂度分析

  • 时间复杂度:\mathcal{O}(n),其中 n 为 nums 的长度。注意 i 是全局变量,只会增加,不会减少。所以二重循环至多执行 \mathcal{O}(n) 次。
  • 空间复杂度:\mathcal{O}(1)。仅用到若干额外变量。
 Comments
On this page
2760-最长奇偶子数组