leetcode 448. Find All Numbers Disappeared in an Array(寻找所有消失的元素)
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]
思路:由于元素大小有限制,是在1..n之间。
这个信息有两个作用。一个是元素都是正数,一个是元素大小(绝对值意义上的)有限。
因此我们可以把元素本身和一个位置关联起来。
由于都是正数,我们可以用变成其相反数的方法进行标记(如果已经为负数,就不做处理)
1/* ***********************************************
2Author :111qqz
3Created Time :2017年04月05日 星期三 14时07分53秒
4File Name :448.cpp
5************************************************ */
6class Solution {
public:
    vector<int> findDisappearedNumbers(vector<int>& nums) {
 1	int siz = nums.size(); //由于出现的元素大小在1..之间,因此可以用位置i的正负来表示元素i+1是否出现了。
 2	for ( int i = 0 ; i < siz ; i++)
 3	{
 4	    int id = abs(nums[i]);
 5	    if (nums[id-1]>0) nums[id-1]*=-1;
 6	}
 7	vector<int>res;
 8	for ( int i = 0 ; i < siz ; i++)
 9	{
10	    if (nums[i]>0) res.push_back(i+1);
11	}
12	return res;
    }
};