难度: 简单
题目大意:
给你一个下标从 0 开始的整数数组
nums
。如果nums
中长度为m
的子数组s
满足以下条件,我们称它是一个 交替子数组 :
m
大于1
。s1 = s0 + 1
。- 下标从 0 开始的子数组
s
与数组[s0, s1, s0, s1,...,s(m-1) % 2]
一样。也就是说,s1 - s0 = 1
,s2 - s1 = -1
,s3 - s2 = 1
,s4 - s3 = -1
,以此类推,直到s[m - 1] - s[m - 2] = (-1)m
。请你返回
nums
中所有 交替 子数组中,最长的长度,如果不存在交替子数组,请你返回-1
。子数组是一个数组中一段连续 非空 的元素序列。
提示:
2 <= nums.length <= 100
1 <= nums[i] <= 10^4
示例 1:
输入:nums = [2,3,4,3,4]
输出:4
解释:交替子数组有 [3,4] ,[3,4,3] 和 [3,4,3,4] 。最长的子数组为 [3,4,3,4] ,长度为4
因为数据不大,我们直接枚举就好了
class Solution {
public:
int alternatingSubarray(vector<int>& nums) {
int res = -1, n = nums.size();
for (int i = 0; i < n; i ++) {
int t = 1, j = i + 1;
while (j < n && nums[j] - nums[j - 1] == t) {
t = -t;
j ++;
}
if (j - i > 1) {
res = max(res, j - i);
i = j - 2; // 小优化
}
}
return res;
}
};
时间复杂度: O ( n ) O(n) O(n)
结束了