HDU2647 Reward 拓扑排序

题目链接:http://acm.hdu.edu.cn/showproblem.php?pid=2647


题目大意:有n个人m对关系,每对关系表示a的工资要比b的高,最低工资为888,问你这n个人满足m对关系的最低总工资是多少。


分析:我们以这m对关系来建图,要使a的工资要比b的工资高,只需保证a到b的单向性即可。


实现代码如下:

#include <cstdio>
#include <iostream>
#include <cstring>
#include <queue>
using namespace std;
#define MAXN 10005
typedef struct node
{
    int to;
    int nex;
}map;
int n,m;
int head[MAXN*2];
int ind[MAXN],w[MAXN];
int que[MAXN];
map edge[MAXN*2];
//数组模拟队列实现
void Top_sort()
{
    int cnt=0,ans=0;
    for(int i=1;i<=n;i++)
      if(ind[i]==0)
        que[cnt++]=i;
    for(int i=0;i<cnt;i++)
    {
        ans+=w[ que[i] ];
        for(int k=head[que[i]];k!=-1;k=edge[k].nex)
          if(--ind[edge[k].to]==0)
          {
              que[cnt++]=edge[k].to;
              w[edge[k].to]=w[ que[i] ]+1;
          }
    }
    if(cnt==n)  printf("%d\n",ans);
    else puts("-1");
}
/*
//用STL中队列实现
void Top_sort()
{
    int cnt=0,ans=0;
    queue <int> que;
    for(int i=1;i<=n;i++)
      if(ind[i]==0)
        que.push(i);
    while(!que.empty())
    {
        int v=que.front();
        ans+=w[v];
        que.pop();
        cnt++;
        for(int k=head[v];k!=-1;k=edge[k].nex)
        {
            if(--ind[edge[k].to]==0)
            {
                que.push(edge[k].to);
                w[edge[k].to]=w[v]+1;
            }
        }
    }
    if(cnt==n) printf("%d\n",ans);
    else puts("-1");
}
*/
int main()
{
    int a,b;
    while(scanf("%d%d",&n,&m)!=-1)
    {
        memset(ind,0,sizeof(ind));
        memset(head,-1,sizeof(head));
        for(int i=1;i<=n;i++) w[i]=888;
        int tmp=0;
        for(int i=1;i<=m;i++)
        {
            scanf("%d%d",&a,&b);
            ind[a]++;
            edge[tmp].to=a;
            edge[tmp].nex=head[b];
            head[b]=tmp++;
        }
        Top_sort();
    }
    return 0;
}


你可能感兴趣的:(HDU2647 Reward 拓扑排序)