Problem
Given a sorted array nums, remove the duplicates in-place such that duplicates appeared at most twice and return the new length.
Do not allocate extra space for another array; you must do this by modifying the input array in-place with O(1) extra memory.
Clarification:
Confused why the returned value is an integer, but your answer is an array?
Note that the input array is passed in by reference, which means a modification to the input array will be known to the caller.
Internally you can think of this:
1 | // nums is passed in by reference. (i.e., without making a copy) |
Example 1:
1 | Input: nums = [1,1,1,2,2,3] |
Example 2:
1 | Input: nums = [0,0,1,1,1,1,2,3,3] |
Constraints:
0 <= nums.length <= 3 * 104
-104 <= nums[i] <= 104
nums
is sorted in ascending order.
Analysis
题目给定一个数组,里面包含重复的数字,题目要求我们把出现次数超过两次的元素去掉,而且不能使用额外的空间,最后返回一个长度。这里有两个难点,一个出现超过两次的才去掉,第二个是不使用额外的空间。
我们先来解决第一个。前面做过的题目遇到统计出现次数的,一般都会考虑使用map,这里也是可以的,但是题目给出的数组是递增的,有了这个性质我们就不需要用map了。因为在处理完一个数字之后,就不需要再使用它的次数,因此这里用一个变量存就可以。
然后我们再来看第二个问题,因为不能够使用额外的存储空间,所以只能是交换的操作了。这里交换的肯定是多余的数字和后面的数字,所以要有两个下标表示。一个下标指向多余的数字,所以是一步一步走,另一个下标指向要替换的有效数字,所以有可能需要跳过一下多余的数字,这样看起来就是一对快慢指针了。
Solution
用一个变量count
去限制同一个数字出现的次数,初始化为1,当相同数字出现时,count--
。当数字变化的时候重置为1。当相同数字出现并且count
为0的时候,快指针就需要跳过这个多余的元素。
Code
1 | class Solution { |
Summary
这道题目的本质还是数组的操作,在in-place的操作中,快慢指针是比较常用的手段。这道题目的分享到这里,谢谢您的支持!