统计32个bit位上1出现的次数,次数对三取余就是出现一次那个数字对应比特位的数

class Solution {
public:
int singleNumber(vector<int>& n) {
vector<int> c(32,0);
for(int j=0;j<n.size();j++){
for(int i=0;i<=31;i++){
if( (n[j] &(1<<i)) ){
c[i]++;
}
}
}
int ret = 0;
for(int i=31;i>=0;i--){
ret *= 2;
if(c[i]%3==1){
ret += 1;
}
}
return ret;
}
};

剑指 Offer 56 - II. 数组中数字出现的次数 II 【位运算】_算法

有限状态机

借用官方题解的图

剑指 Offer 56 - II. 数组中数字出现的次数 II 【位运算】_有限状态机_02


​出处​​侵删

​https://leetcode-cn.com/problems/shu-zu-zhong-shu-zi-chu-xian-de-ci-shu-ii-lcof/solution/mian-shi-ti-56-ii-shu-zu-zhong-shu-zi-chu-xian-d-4/​

还有一种更新one的方法:
就是当n和two都是1的时候,one是0
其他情况是 n^one
one = (n^one) & (~(n&two));
two更新类似

class Solution {
public:
int singleNumber(vector<int>& ns) {

int one=0;
int two=0;
for(int n:ns){
one = (n^one) & (~(n&two));
two = (n^two) &( ~(n&one) );
}
return one;
}
};

剑指 Offer 56 - II. 数组中数字出现的次数 II 【位运算】_i++_03