leetcode-Single Number III

来源:互联网 发布:驱动加密软件 编辑:程序博客网 时间:2024/05/16 00:40

Difficulty:Medium

Given an array of numbers nums, in which exactly two elements appear only once and all the other elements appear exactly twice. Find the two elements that appear only once.

For example:

Given nums = [1, 2, 1, 3, 2, 5], return [3, 5].

Note:

  1. The order of the result is not important. So in the above example, [5, 3] is also correct.
  2. Your algorithm should run in linear runtime complexity. Could you implement it using only constant space complexity?

class Solution {public:    vector<int> singleNumber(vector<int>& nums) {        if(nums.empty())            return vector<int>();        int temp=0;        for(auto &e:nums)            temp^=e;        int i;            for(i=0;i<31;++i)            if(temp&(1<<i))                break;        vector<int> res(2,0);                for(auto &e:nums){            if(e&(1<<i))                res[0]^=e;            else                res[1]^=e;        }            return res;    }};


0 0