136. 只出现一次的数字 - 力扣(LeetCode)
给你一个 非空 整数数组 nums
,除了某个元素只出现一次以外,其余每个元素均出现两次。找出那个只出现了一次的元素。你必须设计并实现线性时间复杂度的算法来解决此问题,且该算法只使用常量额外空间
(1)哈希
class Solution {
public:int singleNumber(vector<int>& nums) {unordered_map<int,int>mp;for (const int &num: nums) mp[num]++;for (auto it: mp) if(it.second == 1) return it.first;return -1;}
};
(2)位运算(模2加法 )
- 方法1:统计每个比特位的1的个数
class Solution {
public:// 模2加法 方法1:统计每个比特位的1的个数int singleNumber(vector<int>& nums) {int ans = 0;for(int i=0;i<32;i++) {int cnt=0;for(const int& x : nums) {cnt += (x>>i) & 1;}ans |= (cnt % 2) << i;}return ans;}
};
- 方法2:位运算
class Solution {
public:// 异或 模2加法 方法2:位运算int singleNumber(vector<int>& nums) {int res=0;for (const int &num: nums) {res^= num;}return res;}
};
我的往期文章推荐:
leetCode 260.只出现一次的数字 ||| + 位运算-CSDN博客https://blog.csdn.net/weixin_41987016/article/details/134106477?spm=1001.2014.3001.5501