相对来说属于middle中的easy了,五分钟ac,暴力,双指针等都可以,暴力的话因为只要求三个数组,所以只比较后一个和前一个和最初的d即可,反而速度是最快的。
再贴个官方的解法,很巧妙,将暴力的复杂度降到了O(n)
链接:https://leetcode-cn.com/problems/arithmetic-slices/solution/deng-chai-shu-lie-hua-fen-by-leetcode-so-g7os/
class Solution {
public int numberOfArithmeticSlices(int[] nums) {
int n = nums.length;
if (n == 1) {
return 0;
}
int d = nums[0] - nums[1], t = 0;
int ans = 0;
// 因为等差数列的长度至少为 3,所以可以从 i=2 开始枚举
for (int i = 2; i < n; ++i) {
if (nums[i - 1] - nums[i] == d) {
++t;
} else {
d = nums[i - 1] - nums[i];
t = 0;
}
ans += t;
}
return ans;
}
}