在一个排列中,如果一对数的前后位置与大小顺序相反,即前面的数大于后面的数,那么它们就称为一个逆序。一个排列中逆序的总数就称为这个排列的逆序数。
现在,给你一个N个元素的序列,请你判断出它的逆序数是多少。
比如 1 3 2 的逆序数就是1。
2 2 1 1 3 1 3 2
0 1
树状数组!
AC码:
// 离散化只能求没有重复的一组数的逆序对数 #include<stdio.h> #include<stdlib.h> #include<string.h> #define N 1000005 struct node { int val,order; }num[N]; // 存储输入的原数组 int a[N]; // 存储离散后的数据 int c[N]; // 存树状数组 int n; int lowbit(int x) { return x&(-x); } void update(int x,int t) { while(x<=n) { c[x]+=t; x+=lowbit(x); } } int getsum(int x) { int temp=0; while(x>=1) { temp+=c[x]; x-=lowbit(x); } return temp; } int cmp(const void *a,const void *b) { return (((struct node *)a)->val-((struct node *)b)->val); } int main() { int T,i,ans; scanf("%d",&T); while(T--) { scanf("%d",&n); for(i=1;i<=n;i++) // 输入的原数组 { scanf("%d",&num[i].val); num[i].order=i; } qsort(num+1,n,sizeof(num[1]),cmp); // 离散化 for(i=1;i<=n;i++) { a[num[i].order]=i; } // 用树状数组求逆序数 memset(c,0,sizeof(c)); ans=0; for(i=1;i<=n;i++) { update(a[i],1); ans+=i-getsum(a[i]); } printf("%d\n",ans); } return 0; }
原文地址:http://blog.csdn.net/u012804490/article/details/24729879