3妹:2哥,你有没有看到新闻, 网红快乐小赵去世了。
2哥 :啊? 这么突然
3妹:是啊, 伤心,以前还特别喜欢他的作品,幽默搞笑。
2哥:哎,人有悲欢离合, RIP.
3妹:还这么年轻…… 2哥,你说人的最长寿命是多少啊?
2哥:生物学家曾经做过估算,人的个体极限寿命为125岁。
3妹:好吧~
2哥:嗨,别想这些了, 说到最长, 我们还是来做一道“最长奇偶子数组”的题目吧:
题目:
给你一个下标从 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
思路:
思考枚举
令 n 为整数数组 nums的长度,枚举所有子数组 [l,r],其中 0≤l≤r<n,如果子数组 [l,r]满足以下条件:
- nums[l] %2=0
- 对于所有 i∈[l,r−1],有 nums[i] % 2≠nums[i+1] % 2
- 对于所有 i∈[l,r],有 nums[i]≤threshold
那么该子数组就是满足题目要求的奇偶子数组,取所有满足条件的子数组长度 r−l+1的最大值。
java代码:
class Solution {
public int longestAlternatingSubarray(int[] nums, int threshold) {
int res = 0, n = nums.length;
for (int l = 0; l < n; l++) {
for (int r = l; r < n; r++) {
if (isSatisfied(nums, l, r, threshold)) {
res = Math.max(res, r - l + 1);
}
}
}
return res;
}
public boolean isSatisfied(int[] nums, int l, int r, int threshold) {
if (nums[l] % 2 != 0) {
return false;
}
for (int i = l; i <= r; i++) {
if (nums[i] > threshold || (i < r && nums[i] % 2 == nums[i + 1] % 2)) {
return false;
}
}
return true;
}
}
网友评论