其他分享
首页 > 其他分享> > 【力扣】260. 只出现一次的数字 III

【力扣】260. 只出现一次的数字 III

作者:互联网

260. 只出现一次的数字 III

给定一个整数数组 nums,其中恰好有两个元素只出现一次,其余所有元素均出现两次。 找出只出现一次的那两个元素。你可以按 任意顺序 返回答案。
进阶:你的算法应该具有线性时间复杂度。你能否仅使用常数空间复杂度来实现?

题解

方法一:哈希表

class Solution {
    public int[] singleNumber(int[] nums) {
        int n = nums.length;
        if(n == 2) return nums;
        Map<Integer, Integer> map = new HashMap<>();
        for(int x : nums){
            map.put(x, map.getOrDefault(x, 0) + 1);
        }
        int[] ans = new int[2];
        int i = 0;
        for(Map.Entry<Integer, Integer> entry : map.entrySet()){
            if(entry.getValue() == 1){
                ans[i++] = entry.getKey();
            }
        }
        return ans;
    }
}

方法二:位运算

class Solution {
    public int[] singleNumber(int[] nums) {
        int xorsum = 0;
        for (int num : nums) {
            xorsum ^= num;
        }
        // 防止溢出
        int lsb = (xorsum == Integer.MIN_VALUE ? xorsum : xorsum & (-xorsum));
        int type1 = 0, type2 = 0;
        for (int num : nums) {
            if ((num & lsb) != 0) {
                type1 ^= num;
            } else {
                type2 ^= num;
            }
        }
        return new int[]{type1, type2};
    }
}

标签:map,num,nums,int,力扣,260,ans,III,xorsum
来源: https://blog.csdn.net/weixin_41317766/article/details/121047324