0%

remove-duplicates-from-sorted-array

题目描述

给定一个排序数组,你需要在原地删除重复出现的元素,使得每个元素只出现一次,返回移除后数组的新长度。

不要使用额外的数组空间,你必须在原地修改输入数组并在使用 O(1) 额外空间的条件下完成。

示例 1:

给定数组 nums = [1,1,2],

函数应该返回新的长度 2, 并且原数组 nums 的前两个元素被修改为 1, 2。

示例 2:

给定 nums = [0,0,1,1,1,2,2,3,3,4],

函数应该返回新的长度 5, 并且原数组 nums 的前五个元素被修改为 0, 1, 2, 3, 4。

你不需要考虑数组中超出新长度后面的元素。

解决方案

没啥意思,主要就是vector的基本操作。注意边界条件。

但是我写出来咋这么慢呢?还占这么多内存?

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
int removeDuplicates(vector<int>& nums) {
int res = nums.size();
if (res == 0)
return 0;
int temp = nums[0];
auto it = nums.begin() + 1;
while (it != nums.end())
{
int d = *it;
if (d == temp)
{
nums.erase(it);
res--;
continue;
}
temp = d;
it++;
}
return res;
}

看了一下别人的题解,大概是我在erase函数上花的时间太多了,难怪题上说“你不需要考虑数组中超出新长度后面的元素。” 那就 直接覆盖嘛。需要使用两个指针。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
int removeDuplicates(vector<int>& nums) {
int res = nums.size();
if (res == 0)
return 0;
auto it1 = nums.begin();
auto it2 = nums.begin() + 1;
while (it2 != nums.end())
{
int d = *it1;
int t = *it2;
while (t == d)
{
it2++;
res--;
if (it2 != nums.end())
t = *it2;
else
return res;
}
it1++;
it2++;
*it1 = t;
}
return res;
}