1. 程式人生 > >逃生(反向topo)

逃生(反向topo)

names string.h hust only topo struct default 我們 set

逃生 Time Limit:1000MS Memory Limit:32768KB 64bit IO Format:%I64d & %I64u Submit Status

Description

糟糕的事情發生啦,現在大家都忙著逃命。但是逃命的通道很窄,大家只能排成一行。

現在有n個人,從1標號到n。同時有一些奇怪的約束條件,每個都形如:a必須在b之前。
同時,社會是不平等的,這些人有的窮有的富。1號最富,2號第二富,以此類推。有錢人就賄賂負責人,所以他們有一些好處。

負責人現在可以安排大家排隊的順序,由於收了好處,所以他要讓1號盡量靠前,如果此時還有多種情況,就再讓2號盡量靠前,如果還有多種情況,就讓3號盡量靠前,以此類推。

那麽你就要安排大家的順序。我們保證一定有解。

Input

第一行一個整數T(1 <= T <= 5),表示測試數據的個數。
然後對於每個測試數據,第一行有兩個整數n(1 <= n <= 30000)和m(1 <= m <= 100000),分別表示人數和約束的個數。

然後m行,每行兩個整數a和b,表示有一個約束a號必須在b號之前。a和b必然不同。

Output

對每個測試數據,輸出一行排隊的順序,用空格隔開。

Sample Input

1
5 10
3 5
1 4
2 5
1 2
3 4
1 4
2 3
1 5
3 5
1 2

AC代碼

1 2 3 4 5
要用反向拓撲,例如4個人,3必須在1前面,2必須在4前面,首先想到的是用優先隊列,從小到大排,但是這樣的話2會排在1前面,但是題目要求要盡可能的讓小的排在前面,所以反向拓撲,優先隊列,從大到小,然後再放入棧中
#include<stdio.h>
#include<string.h>
#include<queue>
#include<stack>
using namespace std;
int n,m;
struct node{
	int to,next;
}num[100010];
int head[30030];
int in[30010];
void topo()
{
	priority_queue<int>q;
	stack<int>s;
	int i,j,top,t;
	for(i=1;i<=n;i++)
	if(in[i]==0)
	q.push(i);
	while(!q.empty())
	{
		top=q.top();
		q.pop();
		s.push(top);
		for(i=head[top];i!=-1;i=num[i].next)
		{
			in[num[i].to]--;
			if(in[num[i].to]==0)
			q.push(num[i].to);
		}
	}
	while(s.size()>1)
	{
		printf("%d ",s.top());
		s.pop();
	}
	printf("%d\n",s.top());
}
int main()
{
	int t,a,b,i;
	scanf("%d",&t);
	while(t--)
	{
		memset(head,-1,sizeof(head));
		memset(in,0,sizeof(in));
		scanf("%d%d",&n,&m);
		for(i=0;i<m;i++)
		{
			scanf("%d%d",&a,&b);
			num[i].to=a;
			num[i].next=head[b];
			head[b]=i;
			in[a]++;
		}
		topo();
	}
	return 0;
}

  

topo

逃生(反向topo)