博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
Leetcode题目:Remove Duplicates from Sorted Array II
阅读量:5796 次
发布时间:2019-06-18

本文共 1163 字,大约阅读时间需要 3 分钟。

题目:Follow up for "Remove Duplicates":

What if duplicates are allowed at most twice?

For example,

Given sorted array nums = [1,1,1,2,2,3],

Your function should return length = 5, with the first five elements of nums being 1, 1, 2, 2 and 3. It doesn't matter what you leave beyond the new length.

解答:

class Solution {

public:
    int removeDuplicates(vector<int>& nums) {
        int size = nums.size();
        if(size <= 2)
            return size;
        int cur_index = 0;
        int p = 1;
        int q = 2;
        while(q < size)
        {
            if(nums[cur_index] != nums[p])
            {
                nums[++cur_index] = nums[p++];
                q = p + 1;
            }
            else
            {
                if(nums[p] != nums[q])
                {
                    nums[++cur_index] = nums[p++];
                    q = p + 1;
                }
                else
                {
                    p++;
                    q = p + 1;
                }
            }
        }
        nums[++cur_index] = nums[p++];
        return cur_index + 1;      
    }
};

 

其中,cur_index一直控制着最终应该返回的只允许两次重复的边界,而p是当前正在判断的数字,q为其下一个数字。

自己的题解过程,看起来很复杂,其实,仔细一想,只需要一个变量记录当前的位置,需要一个变量来迭代的往后走,判断该变量指向的位置的前两个位置是否与迭代变量所指向的相同。

优秀答案:

class Solution {

public:
    int removeDuplicates(vector<int>& nums) {
        int size = nums.size();
        if(size <= 2)
            return size;
        int index = 2;
        for(int i = 2;i < size;i++)
        {
            if(nums[index - 2] != nums[i])
            {
                nums[index++] = nums[i];
            }
        }
        return index;
    }
};

 

转载于:https://www.cnblogs.com/CodingGirl121/p/5186327.html

你可能感兴趣的文章
关于二叉树重构的思索
查看>>
$_SERVER['SCRIPT_FLENAME']与__FILE__
查看>>
skynet实践(8)-接入websocket
查看>>
系统版本判断
查看>>
关于Css选择器优先级
查看>>
My97DatePicker 日历插件
查看>>
0603 学术诚信与职业道德
查看>>
小点心家族第3位成员——楼层定位效果
查看>>
Knockout.Js官网学习(enable绑定、disable绑定)
查看>>
工厂模式家族
查看>>
hive基本操作与应用
查看>>
excel快捷键设置
查看>>
poj3692
查看>>
python之信号量【Semaphore】
查看>>
html5纲要,细谈HTML 5新增的元素
查看>>
Android应用集成支付宝接口的简化
查看>>
Hichart 资料收集
查看>>
C#开发微信门户及应用(12)-使用语音处理
查看>>
[分享]Ubuntu12.04安装基础教程(图文)
查看>>
数据集成之主数据管理(一)基础概念篇
查看>>