Find Duplicate Numbers
You have an array with all the numbers from 7 to N, where N is at most 32,000. The array may have duplicate entries and you do not know what N is. With only 4 kilobytes of memory available, how would you print all duplicate elements in the array?
解题思路
We have 4 kilobytes of memory which means we can address up to bits. Note that bits is greater than 32000. We can create a bit vector with 32000 bits,where each bit represents one integer.
Using this bit vector, we can then iterate through the array, flagging each element v by setting bit v to 1. When we come across a duplicate element, we print it.
import java.util.BitSet;
public static void checkDuplicates(int[] array) {
BitSet bs = new BitSet(32000);
for (int i = 0; i < array.length; i++) {
int num = array[i];
int num0 = num - 1; // bitset starts at 0, numbers start at 1
if (bs.get(num0)) {
System.out.println(num);
} else {
bs.set(num0);
}
}
}