给定一个增序排列数组 nums ,你需要在 原地 删除重复出现的元素,使得每个元素最多出现两次,返回移除后数组的新长度。
不要使用额外的数组空间,你必须在 原地 修改输入数组 并在使用 O(1) 额外空间的条件下完成。
示例 1:
输入:nums = [1,1,1,2,2,3]
输出:5, nums = [1,1,2,2,3]
解释:函数应返回新长度 length = 5, 并且原数组的前五个元素被修改为 1, 1, 2, 2, 3 。 你不需要考虑数组中超出新长度后面的元素。
示例 2:
输入:nums = [0,0,1,1,1,1,2,3,3]
输出:7, nums = [0,0,1,1,2,3,3]
解释:函数应返回新长度 length = 7, 并且原数组的前五个元素被修改为 0, 0, 1, 1, 2, 3, 3 。 你不需要考虑数组中超出新长度后面的元素。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/remove-duplicates-from-sorted-array-ii
解题思路
双指针,i 用于遍历,j 用于指向要覆盖的位置
辅助变量 count = 1
遍历数组,如果当前数和前一个数不同,count++
,否则count = 1
如果count <= 2
则将nums[j++]
覆盖为nums[i]
这样就可以忽略掉计数超过 2 的部分
代码
class Solution {
public int removeDuplicates(int[] nums) {
// i指向要覆盖的位置, j遍历元素
int j = 1;
int count = 1;
for (int i = 1; i < nums.length; i++) {
if (nums[i - 1] == nums[i]) {
count++;
} else {
count = 1;
}
if (count <= 2) {
nums[j++] = nums[i];
}
}
return j;
}
}