演算法二十四:最後勝出隊伍
n支隊伍比賽,分別編號為0,1,2。。。。n-1,已知它們之間的實力對比關係,
儲存在一個二維陣列w[n][n]中,w[i][j] 的值代表編號為i,j的隊伍中更強的一支。
所以w[i][j]=i 或者j,現在給出它們的出場順序,並存儲在陣列order[n]中,
比如order[n] = {4,3,5,8,1......},那麼第一輪比賽就是 4對3, 5對8。.......
勝者晉級,敗者淘汰,同一輪淘汰的所有隊伍排名不再細分,即可以隨便排,
下一輪由上一輪的勝者按照順序,再依次兩兩比,比如可能是4對5,直至出現第一名
程式設計實現,給出二維陣列w,一維陣列order 和 用於輸出比賽名次的陣列result[n],
求出result。
從order陣列中,每次都選出兩支隊伍比賽,失敗的隊伍將退出比賽,所以我們可以用list來儲存隊伍,每經過一場比賽,將失敗的隊伍刪除,持續這種過程知道最後只剩一支隊伍,就是最後獲勝的隊伍。由於要輸出最後比賽的名次,所以可以將每次失敗的隊伍取出來放到結果中。
#include< stdio.h>
#include< list>
#include< iostream>
void raceResult(int** w, int* order, int* result, int n)
{
std::list<int> winer;
int count = n;
while(n)
{
winer.push_front(order[--n]);
}
int resultNum = count - 1;
int nFirst, nSecond;
int round = 1;
while(winer.size()> 1)
{
//一輪開始
std::cout<<std::endl<<"round "<<round++<<std::endl;
std::list<int>::iterator it = winer.begin();
while (it != winer.end())
{
nFirst = *it;
if (++it == winer.end())
{
//輪空
std::cout<<nFirst<<" rest this round"<<std::endl;
}
else
{
nSecond = *it;
int nWiner = *((int*)w + count * nFirst + nSecond);
if (nWiner == nFirst)
{
it = winer.erase(it);
result[resultNum--] = nSecond;
std::cout<<nFirst<<" kick out "<<nSecond<<std::endl;
}
else
{
it = winer.erase(--it);
result[resultNum--] = nFirst;
++it;
std::cout<<nSecond<<" kick out "<<nFirst<<std::endl;
}
}
}
}
if (winer.size() == 1)
{
result[0] = winer.front();
}
std::cout<<std::endl<<"final result: ";
int nPlace = 0;
while(nPlace < count)
{
std::cout<<std::endl<<result[nPlace++];
}
}
void test()
{
//team 2>team 1>team 3>team 0>team 4>team 5
int w[6][6] = {
0,1,2,3,0,0,
1,1,2,1,1,1,
2,2,2,2,2,2,
3,1,2,3,3,3,
0,1,2,3,4,5
};
int order[6] = {1,3,4,2,0,5};
int result[6] = {-1};
raceResult((int**)w, order, result, 6);
getchar();
}