美文网首页
[Leetcode] 26. Remove Duplicates

[Leetcode] 26. Remove Duplicates

作者: lijia069 | 来源:发表于2017-12-26 16:59 被阅读0次

    Related Topics:[Array][Two Pointers]
    Similar Questions:[Remove Element]

    题目: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 A = [1,1,2],

    Your function should return length = 2, and A is now [1,2].

    思路

    这道题要我们从有序数组中去除重复项,和之前那道[ Remove Duplicates from Sorted List 移除有序链表中的重复项] 的题很类似,但是要简单一些,因为毕竟数组的值可以通过下标直接访问,而链表不行。
    我们使用快慢两个指针来记录遍历的坐标,快指针指向每一个数组元素,慢指针指向目前对比的项。最开始时两个指针都指向第一个数字,如果两个指针指的数字相同,则快指针向前走一步,如果不同,则两个指针都向前走一步,这样当快指针走完整个数组后,慢指针当前的坐标加1就是数组中不同数字的个数。

    java解法:

    class Solution {
        public int removeDuplicates(int[] nums) {
            int idx=0;
            for(int i=1;i<nums.length;i++) {
                if(nums[i]!=nums[idx]) {
                    idx++;
                    nums[idx]=nums[i];
                }
            }
            return idx+1;
        }
    }
    

    相关文章

      网友评论

          本文标题:[Leetcode] 26. Remove Duplicates

          本文链接:https://www.haomeiwen.com/subject/nvsjgxtx.html