Middle-题目2:260. Single Number III

题目原文:
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.
题目大意:
给一个数组,里面有两个元素只出现了一次,而其他数都出现了两次,找出这两个元素。
题目分析:
这道题是Middle-题目1的变形。
朴素解法:
用HashSet存储每一个元素,如果元素存在于集合内就remove掉,否则add进集合内,这样遍历完一个数组就set里面只剩下两个元素。
使用位运算的解法:
设两个单独的数是a和b,先把所有数都异或起来,得到a⊕b,记这个数是r,而因为a≠b,所以r≠0,r对应的二进制数一定有1。再令mask=r∧¬(r-1),得到一个比特串,mask串一定只有一位是1,其他位都是0,这个1即是r中最低位的1.既然这一位为1,说明a和b中对应位必然一个是0一个是1。再遍历一遍这个数组,把每个数和mask求一次与,再分别异或起来,这就得到了a和b。(因为相当于分成mask所在位为0和1的两个子数组,把这两个子数组都异或起来自然得到了a和b。)
源码:(language:java)
朴素解法:

public class Solution {
    public int[] singleNumber(int[] nums) {
        HashSet<Integer> set=new HashSet<Integer>();
        for(int num:nums) {
            if(set.contains(num))
                set.remove(num);
            else
                set.add(num);               
        }
        int[] array=new int[2];
        int i=0;
        for(int num:set)
            array[i++]=num;

        return array;


    }
}

位运算解法:

public class Solution {
    public int[] singleNumber(int[] nums) {
        int[] res = new int[2];
        int r = 0;
        for(int i=0;i<nums.length;i++) {
            r = r^nums[i];
        }
        res[0] = 0;
        res[1] = 0;
        int mask = r & (~(r-1));
        for(int i=0;i<nums.length;i++){
            if((mask & nums[i])!=0){
                res[0] = res[0] ^ nums[i];
            }else {
                res[1] = res[1] ^ nums[i];
            }
        }
        return res;
    }
}

成绩:
朴素解法:12ms,beats 14.33%,众数2ms,62.30%
位运算解法:2ms,beats 37.32%

你可能感兴趣的:(Middle-题目2:260. Single Number III)