[Question]
在一个整型数组中,要求算法时间复杂度O(N),空间复杂度O(1)
(一)只有一个数出现奇数次,其余出现偶数次。要求:找到这个奇数次的数
(二)有两个不相等的数出现奇数次,其余出现偶数次。要求:找到这两个奇数次的数
[Source code]
public class code01_EvenTimesOddTimes {
public static void main(String[] args) {
int[] array = new int[]{1, 1, 2, 2, 3, 3, 2, 3, 3, 1};
chooseFunction(array);
}
public static void chooseFunction(int[] array) {
if (array.length % 2 != 0) {
evenTimes(array);
} else {
twoEvenTimes(array);
}
}
public static void evenTimes(int[] array) {
if (array == null || array.length % 2 == 0) {
return;
}
int XOR = 0;
for (int cur : array) {
XOR ^= cur;
}
System.out.println(XOR);
}
public static void twoEvenTimes(int[] array) {
if (array == null || array.length % 2 != 0) {
return;
}
int XOR = 0;
for (int cur : array) {
XOR ^= cur;
}
//RightOne取最右边为1的数
int RightOne = XOR & (~XOR + 1);
//XOR:10110010 ~XOR:01001101
//~XOR + 1:01001110
//XOR & (~XOR + 1):00000010
int XOR_ = 0;
for (int cur : array) {
if ((cur & RightOne) == 1) {
XOR_ ^= cur;
}
}
System.out.println(XOR_);
System.out.println(XOR ^ XOR_);
}
}