a
大小数组中的反转n
称为一对(i,j)
,它持有i<j
和a[i]>a[j]
。我正在尝试在 C++ 中实现一个函数,该函数计算给定数组中的反转次数。我遵循分而治之的方法,它只是修改了归并排序算法,并在 O(n log n ) 时间内运行。到目前为止,这是我的代码:
long long int glob;
template< class T >
long long int merge( T *arr, int beg, int mid, int end ) {
queue< int > left;
queue< int > right;
for( int i=beg; i<=mid; ++i ) {
left.push( arr[i] );
}
for( int i=mid+1; i<=end; ++i ) {
right.push( arr[i] );
}
int index=beg;
int ret=0;
while( !left.empty() && !right.empty() ) {
if( left.front() < right.front() ) {
arr[index++] = left.front();
left.pop();
} else {
arr[index++] = right.front();
right.pop();
ret+=left.size();
}
}
while( !left.empty() ) { arr[index++]=left.front();left.pop(); }
while( !right.empty() ) { arr[index++]=right.front();right.pop(); }
return ret;
}
template< class T >
void mergesortInvCount( T *arr, int beg, int end ) {
if( beg < end ) {
int mid = (int)((beg+end)/2);
mergesortInvCount( arr, beg, mid );
mergesortInvCount( arr, mid+1, end );
glob += merge( arr, beg, mid, end );
}
}
对于某些测试用例,它会产生正确的结果,但对于其他一些测试用例,它会给我错误的输出。我是否错误地理解了算法,或者我在实现时犯了错误?有人可以帮我吗?提前致谢。
Test case: 2 1 3 1 2
Correct: 4
Mine: 6