在 C++ 中使用数组的位数组查找重复项
概念
我们有一个由 n 个数字组成的数组,其中 n 的最大值为 32,000。现在给定的数组可能包含重复的条目,但我们不知道 n 是多少。现在提出的问题是,在只有 4 千字节可用内存的情况下,如何在数组中显示或打印出所有重复的元素?
输入
arr[] = {2, 6, 2, 11, 13, 11}
输出
2 11 2 and 11 appear more than once in given array.
输入
arr[] = {60, 50, 60}
输出
60
方法
现在我们有 4 千字节的内存,这表示我们可以寻址最多 8 * 4 * 210 比特。需要注意的是,32 * 210 比特大于 32000。因此,我们可以生成一个由 32000 比特组成的位图,其中每个比特代表一个整数。
同样需要注意的是,如果我们需要生成一个比特数大于 32000 的位图,那么我们可以轻松地生成 32000 以上的比特数;通过实现这个位向量,我们能够遍历数组,通过将每个元素 v 设置为 1 来标记它。在这种情况下,当我们遍历重复元素时,我们打印它。
示例
// C++ program to print all Duplicates in array #include <bits/stdc++.h> using namespace std; // Shows a class to represent an array of bits using // array of integers class BitArray{ int *arr1; public: BitArray() {} // Constructor BitArray(int n1){ // Used to divide by 32. To store n bits, we require // n/32 + 1 integers (Assuming int is stored // using 32 bits) arr1 = new int[(n1 >> 5) + 1]; } // Now get value of a bit at given position bool get(int pos1){ // Used to divide by 32 to find position of // integer. int index1 = (pos1 >> 5); // Now determine bit number in arr[index] int bitNo1 = (pos1 & 0x1F); // Determine value of given bit number in // arr1[index1] return (arr1[index1] & (1 << bitNo1)) != 0; } // Used to set a bit at given position void set(int pos1){ // Determine index of bit position int index1 = (pos1 >> 5); // Used to set bit number in arr1[index1] int bitNo1 = (pos1 & 0x1F); arr1[index1] |= (1 << bitNo1); } //Shows main function to print all Duplicates void checkDuplicates1(int arr1[], int n1){ // Used to create a bit with 32000 bits BitArray ba1 = BitArray(320000); // Used to traverse array elements for (int i = 0; i < n1; i++){ // Shows index in bit array int num1 = arr1[i]; // Now if num is already present in bit array if (ba1.get(num1)) cout << num1 << " "; // Otherwise or else insert num else ba1.set(num1); } } }; // Driver code int main(){ int arr1[] = {2, 6, 2, 11, 13, 11}; int n1 = sizeof(arr1) / sizeof(arr1[0]); BitArray obj1 = BitArray(); obj1.checkDuplicates1(arr1, n1); return 0; }
输出
2 11
广告