如何从排序的数组中删除重复元素并使用 C# 返回长度?


该数组已排序,我们可以使用两个指针 ii 和 jj,其中 ii 是慢指针,而 jj 是快指针。只要 nums[i] = nums[j]nums[i]=nums[j],我们增加 jj 来跳过重复项。

当我们遇到的 nums[j] != nums[i] 重复运行已经结束,所以我们必须复制它的值到 nums[i + 1]nums[i+1]。然后增加 ii,我们再次重复相同的过程,直到 jj 到达数组末尾。

时间复杂度 − O(N)

示例

 实时演示

using System;
namespace ConsoleApplication{
   public class Arrays{
      public int RemoveDuplicatesFromSortedArrayAndReturnLength(int[] arr){
         int index = 1;
         for (int i = 0; i < arr.Length - 1; i++){
            if (arr[i] != arr[i + 1]){
               arr[index] = arr[i + 1];
               index++;
            }
            else{
               continue;
            }
         }
         return index;
      }
   }
   class Program{
      static void Main(string[] args){
         Arrays a = new Arrays();
         int[] arr = { 0, 0, 1, 1, 1, 2, 2, 3, 3, 4 };
         int res = a.RemoveDuplicatesFromSortedArrayAndReturnLength(arr);
         Console.WriteLine(res);
         Console.ReadLine();
      }
   }
}

输出

5

更新于: 2021 年 8 月 27 日

190 次浏览

开启您的 职业生涯

完成课程获取认证

开始学习
广告