Leetcode -- 26. Remove Duplicates from Sorted Array

題目:Given a sorted array, remove the duplicates in place such that each element appear only once and return the new length.

Do not allocate extra space for another array, you must do this in place with constant memory.

For example,

Given input array nums = [1,1,2],

Your function should return length = 2, with the first two elements of nums being 1 and 2 respectively. It doesn’t matter what you leave beyond the new length.


思路:

  • 用len保存當前沒有重複的vector長度,當下一個元素月當前的nums[len]不同時,就把此元素賦給nums[len+1]

C++代碼如下:

int removeDuplicates(vector<int>& nums) {
    if (nums.size() <= 1)
        return nums.size();
    int len = 0;
    for (int i = 1; i < nums.size(); i++)
    {
        if (nums[len] != nums[i])
        {
            nums[++len] = nums[i];
        }

    }
    return len + 1;
}
發佈了46 篇原創文章 · 獲贊 13 · 訪問量 3萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章