zoukankan      html  css  js  c++  java
  • 算法题丨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 by modifying the input array in-place with O(1) extra memory.

    示例

    Given 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.
    

    算法分析

    难度:低
    分析:要求给定的排序后的数组,将其中重复的元素去除(是的每个元素只出现一次),并返回最终数组的长度。算法不要分配额外的数组空间。
    思路:既然输入的数组已然排好序,我们可以定义i,j两个数组下标值,开始i初始为0,用来记录数组中有效元素下标,j从1开始,用来记录遍历数组的下标:
    如果数组[j]==数组[i],表示有重复,重复元素个数i不用累计,遍历数组下一条;
    如果数组[j]!=数组[i],表示没有重复,有效元素下标i自增+1,把数组[i]值用数组[j]替代,比较下一个元素;
    依次遍历,直到数组[j]至最后一个元素,最终[0,i]范围内的数组元素,即为题目要求的结果。

    代码示例(C#)

    public int RemoveDuplicates(int[] nums)
    {
        if (nums.Length == 0) return 0;
        int i = 0;
        for (int j = 1; j < nums.Length; j++)
        {
            //不重复的话,有效索引+1,将当前元素值记录在索引对应的数组上
            if (nums[j] != nums[i])
            {
                i++;
                nums[i] = nums[j];
            }
        }
        return i + 1;
    }                                           
    

    复杂度

    • 时间复杂度O (n).
    • 空间复杂度O (1).

    附录

  • 相关阅读:
    第六周
    第五周
    第四周
    第二周学习记录
    实验一 Linux初步认识
    java实验四
    java实验三
    为什么无密码认证能够有效
    关于父元素,子元素,同级元素的DOM操作技巧
    高效设计构建软件的十三条建议
  • 原文地址:https://www.cnblogs.com/lizzie-xhu/p/8677271.html
Copyright © 2011-2022 走看看