Codeforces Global Round 9 - E - Inversion SwapSort

求逆序数,并利用STL的multimap快速进行数据处理。
本题就是一个观察样例找规律题。我们只需要用合适的方式把这种规律描述出来即可。
规律为:m的个数即为原序列逆序数对个数。然后将这些逆序数按照cmp顺序输出。
cmp:若逆序对下标的pair为(i, j),则在原序列a中,a[i]小的优先输出,若a[i]相同,则比较 j ,j 大者先输出。

即 :

const int maxn = 1010;
int a[maxn];
typedef pair<int,int> P;
bool cmp(P p1, P P2){
       if(a[p1.first] == a[p2.first]) return p1.second > p2.second ;
       else return a[p1.first] < a[p2.first] ;
}

完整代码如下所示:

#include 
#include 
#include 
using namespace std;
const int maxn = 1010;
int a[maxn];

multimap<int,pair<int,int> > mp;

int main(){
	int n;
	cin >> n;
	for(int i = 1;i <= n;i++){
		cin >> a[i];
	}
	int ans = 0;
	for(int i = 1;i<n;i++){
		for(int j = n;j>i;j--){
			if(a[i]>a[j]){
				mp.insert(make_pair(a[i],make_pair(i,j)));
				ans++;
			}
		}
	}
	cout << ans << endl;
	multimap<int,pair<int,int> >::iterator it;
	for(it = mp.begin() ;it != mp.end() ;it++){
		cout << it->second.first << " " << it->second.second << endl;
	}
	return 0;
}

你可能感兴趣的:(ACM-ICPC算法,算法)