给定两个大小为n的数组A []和B []。我们需要首先对任何数组进行置换,以使对的乘积之和(每对1个元素)最小。那就是所有i的总和(Ai * Bi)最小。与置换数组相比,我们还需要计算原始数组中存在的解排列数。
例子:
Input : A[] = {4, 3, 2},
B[] = {7, 12, 5}
Output : 3
Explanation : A[] = {4, 3, 2} and B[] = {5, 7, 12}
results in minimum product sum. B[] = {7, 12, 5}
is 3-position different from new B[].
Input : A[] = {4, 3, 2},
B[] = { 1, 2, 3}
Output : 0
Explanation : A[] = {4, 3, 2} and B[] = {1, 2, 3}
results in minimum product sum. B[] = {1, 2, 3}
is exactly same as new one.
从两个阵列中找到最小乘积之和的想法是对两个阵列中的一个以递增方式进行排序,另一个以递减方式进行排序。这些类型的阵列将始终产生最小的对乘积之和。对两个数组进行排序将给出对值,即A中的哪个元素与B []中的哪个元素配对。在那之后,计算从原始阵列开始的重新排列。
算法 :
- 复制两个数组。
- 按递增顺序对copy_A []进行排序,按递减顺序对copy_B []进行排序。
- 迭代所有Ai,在copy_A []中找到Ai作为copy_A [j],然后
检查copy_B [j] == B [i]是否正确。如果不相等,则增加计数。 - 返回计数值。那将是我们的答案。
// CPP program to count de-arrangements for
// minimum product.
#include
using namespace std;
// function for finding de-arrangement
int findDearrange (int A[], int B[], int n)
{
// create copy of array
vector copy_A (A, A+n);
vector copy_B (B, B+n);
// sort array in inc & dec way
sort(copy_A.begin(), copy_A.end());
sort(copy_B.begin(), copy_B.end(),greater());
// count no. of de arrangements
int count = 0;
for (int i=0; i::iterator itA;
// find position of A[i] in sorted array
itA = lower_bound(copy_A.begin(),
copy_A.end(), A[i]);
// check whether B[i] is same as required or not
if (B[i] != copy_B[itA-copy_A.begin()])
count++;
}
// return count
return count;
}
// driver function
int main()
{
int A[] = {1, 2, 3, 4};
int B[] = {6, 3, 4, 5};
int n = sizeof(A) /sizeof(A[0]);;
cout << findDearrange(A,B,n);
return 0;
}
输出:
2