删除有序数组中的重复项 II 其他算法导航栏
- 给你一个有序数组 nums ,请你 原地 删除重复出现的元素,使得出现次数超过两次的元素只出现两次 ,返回删除后数组的新长度。
不要使用额外的数组空间,你必须在 原地 修改输入数组 并在使用 O(1) 额外空间的条件下完成。
示例 :
输入: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。不需要考虑数组中超出新长度后面的元素。
解题思路
- 1、由于数组是有序的,重复元素一定是连续的。我们可以使用双指针技巧来解决这个问题。
- 2、一个指针用于遍历数组,另一个指针用于记录下一个符合要求的位置。
- 3、遍历数组,当遇到不符合要求的元素时,将其移动到指定位置,并将指定位置后移一位。
Java实现
public class RemoveDuplicates2 {public int removeDuplicates(int[] nums) {if (nums.length <= 2) {return nums.length;}int j = 2;for (int i = 2; i < nums.length; i++) {if (nums[i] != nums[j - 1] || nums[i] != nums[j - 2]) {nums[j] = nums[i];j++;}}return j;}public static void main(String[] args) {RemoveDuplicates2 removeDuplicates = new RemoveDuplicates2();int[] nums1 = {1, 1, 1, 2, 2, 3};int result1 = removeDuplicates.removeDuplicates(nums1);System.out.println("Test Case 1:");System.out.println("Original Array: [1, 1, 1, 2, 2, 3]");System.out.println("New Length: " + result1); // Expected: 5System.out.println("New Array: " + Arrays.toString(Arrays.copyOfRange(nums1, 0, result1))); // Expected: [1, 1, 2, 2, 3]int[] nums2 = {0, 0, 1, 1, 1, 1, 2, 3, 3};int result2 = removeDuplicates.removeDuplicates(nums2);System.out.println("\nTest Case 2:");System.out.println("Original Array: [0, 0, 1, 1, 1, 1, 2, 3, 3]");System.out.println("New Length: " + result2); // Expected: 7System.out.println("New Array: " + Arrays.toString(Arrays.copyOfRange(nums2, 0, result2))); // Expected: [0, 0, 1, 1, 2, 3, 3]}
}
时间空间复杂度
- 时间复杂度: 遍历一次数组,时间复杂度为 O(n),其中 n 是数组的长度。
- 空间复杂度: 使用了常数级的额外空间,空间复杂度为 O(1)。