在數(shù)組中的兩個(gè)數(shù)字,如果前面一個(gè)數(shù)字大于后面的數(shù)字,則這兩個(gè)數(shù)字組成一個(gè)逆序?qū)Ψ⒖颉]斎胍粋€(gè)數(shù)組,求出這個(gè)數(shù)組中的逆序?qū)Φ目倲?shù)P裹粤。并將P對(duì)1000000007取模的結(jié)果輸出阐污。 即輸出P%1000000007
public class Solution {
public int InversePairs(int [] array) {
int len = array.length;
return (int) dfs(array, 0, len-1)%1000000007; // 類似歸并排序
}
public double dfs(int[] array, int start, int end){
if(start>=end)
return 0;
int mid = (start + end)/2;//分成兩段
double leftPartCnts = dfs(array,start,mid);//左段內(nèi)部的逆序數(shù)
double rightPartCnts = dfs(array, mid+1, end);//右段的逆序數(shù)
int foreIdx = mid;//左段的指針,初始指向最后一個(gè)元素
int endIdx = end;//右段的指針,初始指向最后一個(gè)元素
long cnts = 0;//記錄合并產(chǎn)生的逆序數(shù)
int[] copy = new int[end-start+1];//合并時(shí)用到的臨時(shí)數(shù)組
int copyIdx = copy.length-1;//從右往左填充臨時(shí)數(shù)組
while(foreIdx >= start && endIdx >= mid+1){//如果左段的元素和右段的元素都沒有遍歷完
if(array[foreIdx]>array[endIdx]){// 如果左段元素 > 右段元素
copy[copyIdx--] = array[foreIdx--]; //把較大的元素放入copy
cnts += endIdx-mid; // 此時(shí)endIdx前的元素和foreIdx肯定也是逆序?qū)Γ孕略隽薳ndIdx-(mid+1—)+1個(gè)逆序?qū)? }else{
copy[copyIdx--] = array[endIdx--]; //不產(chǎn)生逆序?qū)φ到剑苯臃湃隿opy
}
}
while(foreIdx>=start){
copy[copyIdx--] = array[foreIdx--];// 把左段剩余的元素加入copy
}
while(endIdx>=mid+1){
copy[copyIdx--] = array[endIdx--];// 把右段剩余的元素加入copy
}
int tmpStart =start;
for(int el:copy){ // 把copy放到array對(duì)應(yīng)的位置
array[tmpStart++] = el;
}
if((leftPartCnts + rightPartCnts + cnts)>1000000007){//如果超出1000000007,先取余不影響最終結(jié)果芽狗,同時(shí)避免溢出
return (leftPartCnts + rightPartCnts + cnts)%1000000007;
}
else return leftPartCnts + rightPartCnts + cnts;//逆序數(shù)=兩斷數(shù)組內(nèi)部的逆序數(shù)+兩段數(shù)組合并產(chǎn)生的逆序數(shù)
}
}