美文网首页
136. Single Number 单独的数字

136. Single Number 单独的数字

作者: xingzai | 来源:发表于2019-05-16 17:04 被阅读0次

    题目链接
    tag:

    • Easy;
    • Bit Operation;

    question:
      Given a non-empty array of integers, every element appears twice except for one. Find that single one.

    Note:
    Your algorithm should have a linear runtime complexity. Could you implement it without using extra memory?

    Example 1:

    Input: [2,2,1]
    Output: 1

    Example 2:

    Input: [4,1,2,1,2]
    Output: 4

    思路:
      要求时间复杂度 O(n),并且空间复杂度 O(1),不能用排序方法,也不能使用 map 数据结构。那么只能另辟蹊径,需要用位操作 Bit Operation 来解此题,由于数字在计算机是以二进制存储的,每位上都是0或1,如果我们把两个相同的数字异或,0与0 '异或' 是0,1与1 '异或' 也是0,那么我们会得到0。根据这个特点,我们把数组中所有的数字都 '异或' 起来,则每对相同的数字都会得0,然后最后剩下来的数字就是那个只有1次的数字。这个方法确实很赞,代码如下:

    class Solution {
    public:
        int singleNumber(vector<int>& nums) {
            if (nums.size() < 2) return nums[0];
            int res = nums[0]^nums[1];
            for (int i=2; i<nums.size(); ++i) {
                res ^= nums[i];
            }
            return res;
        }
    };
    

    相关文章

      网友评论

          本文标题:136. Single Number 单独的数字

          本文链接:https://www.haomeiwen.com/subject/orziaqtx.html