一、题目描述

一个整型数组 nums 里除两个数字之外,其他数字都出现了两次。请写程序找出这两个只出现一次的数字。要求时间复杂度是O(n),空间复杂度是O(1)。

示例 1:

输入:nums = [4,1,4,6]
输出:[1,6] 或 [6,1]
示例 2:

输入:nums = [1,2,10,4,1,4,3,3]
输出:[2,10] 或 [10,2]

限制:

2 <= nums.length <= 10000

 

二、题目难度:中等

三、题解

方法一:

class Solution {
public:
    vector<int> singleNumbers(vector<int>& nums) {
        int n = nums.size();
        vector<int> res;
        int Xor = 0;
        for(int num:nums){
            Xor ^= num;
        }
        int count = 0;//Xor第count位为1
        while(!(Xor&1)){
            Xor >>= 1;
            count++;
        }
        int Xora = 0;
        int Xorb = 0;
        for(int num:nums){
            if((num>>count)&1)
                Xora ^= num;
            else
                Xorb ^= num;
        }
        return vector<int>{Xora, Xorb};
    }
};

 

 优化代码:

class Solution {
public:
    vector<int> singleNumbers(vector<int>& nums) {
        int Xor = 0;
        for(int num:nums){
            Xor ^= num;
        }
        int div = 1;
        while(!(div&Xor)){
            div <<= 1;
        }
        int Xora = 0;
        int Xorb = 0;
        for(int num:nums){
            if(num&div)
                Xora ^= num;
            else
                Xorb ^= num;
        }
        return vector<int>{Xora, Xorb};
    }
};

 

posted on 2021-02-22 18:01  曹婷婷  阅读(61)  评论(0)    收藏  举报