在 C++ 中查找一个整数 X,它是数组中除一个元素之外所有元素的约数
概念
对于给定的整数数组,我们的任务是确定一个整数 B,它是除数组中恰好一个元素之外的所有元素的约数。
需要注意的是,所有元素的最大公约数 (GCD) 不是 1。
输入
arr[] = {8, 16, 4, 24}
输出
8 8 is the divisor of all except 4.
输入
arr[] = {50, 15, 40, 41}
输出
5 5 is the divisor of all except 41.
方法
我们创建一个前缀数组 A,使得位置或索引 i 包含从 1 到 i 的所有元素的最大公约数。类似地,创建一个后缀数组 C,使得索引 i 包含从 i 到 n-1(最后一个索引)的所有元素的最大公约数。可以看出,如果 A[i-1] 和 C[i+1] 的最大公约数不是 i 位置元素的约数,那么它就是所需答案。
示例
// C++ program to find the divisor of all // except for exactly one element in an array. #include <bits/stdc++.h> using namespace std; // Shows function that returns the divisor of all // except for exactly one element in an array. int getDivisor1(int a1[], int n1){ // If there's only one element in the array if (n1 == 1) return (a1[0] + 1); int A[n1], C[n1]; // Now creating prefix array of GCD A[0] = a1[0]; for (int i = 1; i < n1; i++) A[i] = __gcd(a1[i], A[i - 1]); // Now creating suffix array of GCD C[n1-1] = a1[n1-1]; for (int i = n1 - 2; i >= 0; i--) C[i] = __gcd(A[i + 1], a1[i]); // Used to iterate through the array for (int i = 0; i <= n1; i++) { // Shows variable to store the divisor int cur1; // now getting the divisor if (i == 0) cur1 = C[i + 1]; else if (i == n1 - 1) cur1 = A[i - 1]; else cur1 = __gcd(A[i - 1], C[i + 1]); // Used to check if it is not a divisor of a[i] if (a1[i] % cur1 != 0) return cur1; } return 0; } // Driver code int main(){ int a1[] = { 50,15,40,41 }; int n1 = sizeof(a1) / sizeof(a1[0]); cout << getDivisor1(a1, n1); return 0; }
输出
5
广告