位运算-Single Number II(给定一个数组,除了一个数字出现一次,其他都出现三次,求出现一次的数)

题目描述:

Given an array of integers, every element appears three times except for one. Find that single one.

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

思考:

需要线性的时间,也就是遍历一次把和n有关,空间是常数。学习了网上的方法,int四个字节,一共32位,依次保存从1到32的位置上这个数组中二进制表示在当前位置出现1的次数,再遍历32个位置上的次数,分别和3求余,如果出现余数为1,说明这个1就是我们要找的那个数的二进制表示相对位置的1,然后使用左移位配合或运算组装我们要的那个数。

代码:

public int singleNumber(int[] nums) {
		int[] bitCountForOne = new int[32];
		int res = 0;
		for(int i = 0 ; i < 32 ; i++){
			for( int ii = 0 ; ii < nums.length ; ii++){
				bitCountForOne[i] += (nums[ii]>>i & 1);
			}
			
			res |= (bitCountForOne[i]%3)<<i;
		}
		
		return res;
	}
点赞