标签:time with clu ice 负数 count index put pre
Given an array of integers where 1 ≤ a[i] ≤ n (n = size of array), some elements appear twice and others appear once.
Find all the elements of [1, n] inclusive that do not appear in this array.
Could you do it without extra space and in O(n) runtime? You may assume the returned list does not count as extra space.
Example:
Input: [4,3,2,7,8,2,3,1] Output: [5,6]
n位整数数组本应包含1~n所有数,实际缺少了其中一些,找出这些缺少的数。
限制条件:不占用额外空间(除返回的list以外),时间复杂度O(n)
遍历数组,遇到4则将数组中第4个数(下标为3)修改为负数
再次遍历数组,若第m个数(下标为m-1)没有被修改为负数,意味着m是数组中缺少的数
例:
1 2 3 4 5 6 7 8 (下标+1)
4 3 2 7 8 2 3 1
-4 -3 -2 -7 8 2 -3 -1
1 public class Solution { 2 public List<Integer> findDisappearedNumbers(int[] nums) { 3 List<Integer> list = new ArrayList<Integer>(); 4 for (int i = 0; i < nums.length; i++){ 5 nums[Math.abs(nums[i])-1] = - Math.abs(nums[Math.abs(nums[i])-1]); 6 //最内部绝对值:遍历到已被标记为负数的数时,要用其绝对值来寻找下标 7 //最外部绝对值:重复出现的数,下标已被标记过一次,再直接求相反数会又变为正,需先绝对值再求相反数 8 } 9 for (int i = 0; i < nums.length; i++){ 10 if(nums[i] > 0){ 11 list.add(i + 1); 12 } 13 } 14 return list; 15 } 16 }
1 public class Solution { 2 public List<Integer> findDisappearedNumbers(int[] nums) { 3 List<Integer> list = new ArrayList<Integer>(); 4 for (int i = 0; i < nums.length; i++){ 5 int index = Math.abs(nums[i])-1; 6 if(nums[index] > 0) 7 nums[index] = - nums[index]; 8 } 9 for (int i = 0; i < nums.length; i++){ 10 if(nums[i] > 0){ 11 list.add(i + 1); 12 } 13 } 14 return list; 15 } 16 }
448. Find All Numbers Disappeared in an Array
标签:time with clu ice 负数 count index put pre
原文地址:http://www.cnblogs.com/xuehaoyue/p/6359694.html