# 80 Remove Duplicates from Sorted Array II (有圖)

用 splice 拔掉多的,然後指定 pointer 當計算

LeetCode

Given a sorted array nums, 
remove the duplicates in-place such that duplicates appeared at most twice 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.

input: 排序好的數字陣列
output: 移除大於出現兩次的重覆值(除掉第三次重覆留下原本兩個),回傳長度
Example 1:

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

It doesn't matter what you leave beyond the returned length.
Example 2:

Given nums = [0,0,1,1,1,1,2,3,3],

Your function should return length = 7, with the first seven elements of nums being modified to 0, 0, 1, 1, 2, 3 and 3 respectively.

It doesn't matter what values are set beyond the returned length.
Clarification:

Confused why the returned value is an integer but your answer is an array?

Note that the input array is passed in by reference, which means modification to the input array will be known to the caller as well.

Internally you can think of this:

// nums is passed in by reference. (i.e., without making a copy)
int len = removeDuplicates(nums);

// any modification to nums in your function would be known by the caller.
// using the length returned by your function, it prints the first len elements.
for (int i = 0; i < len; i++) {
    print(nums[i]);
}

/**
 * @param {number[]} nums
 * @return {number}
 */
var removeDuplicates = function(nums) {
    
};

怎麼解

i = 0 開始

若 nums[ i ] !== nums[ i-1 ],代表下一個跟自己不同值

  • 如果大於兩個,

if(i-start-2>0){      
    // 拔掉             
    nums.splice(start, i-start-2); 
    start = start + 2;
    i = start;                    
}
  • 若小於兩個就直接

start = i;  
var removeDuplicates = function(nums) {
  var start = 0;
  
  // 判斷極限值假如是 [1, 1, 1, 1, 1, 1]
  if(nums[0] == nums[len - 1]){
    if(len < 2) return 1;
    return 2;
  }
    
  for(var i=1;i<=nums.length;++i){           
        if(nums[i]!=nums[i-1]){
            // > 3
            if(i-start-2>0){                   
                nums.splice(start, i-start-2); 
                start = start + 2;
                i = start;                    
            }
            start = i;                         
        }
    }
    return nums.length;
};

學到什麼

題型一變其實思考邏輯就大大不同了,所以不用拘泥一定要怎麼解

Last updated