P2762 太空飞行计划问题

题目背景

题目描述

W 教授正在为国家航天中心计划一系列的太空飞行。每次太空飞行可进行一系列商业性实验而获取利润。现已确定了一个可供选择的实验集合E={E1,E2,…,Em},和进行这些实验需要使用的全部仪器的集合I={I1,I2,…In}。实验Ej需要用到的仪器是I的子集RjÍI。配置仪器Ik的费用为ck美元。实验Ej的赞助商已同意为该实验结果支付pj美元。W教授的任务是找出一个有效算法,确定在一次太空飞行中要进行哪些实验并因此而配置哪些仪器才能使太空飞行的净收益最大。这里净收益是指进行实验所获得的全部收入与配置仪器的全部费用的差额。

对于给定的实验和仪器配置情况,编程找出净收益最大的试验计划。

输入输出格式

输入格式:

第1行有2 个正整数m和n。m是实验数,n是仪器数。接下来的m 行,每行是一个实验的有关数据。第一个数赞助商同意支付该实验的费用;接着是该实验需要用到的若干仪器的编号。最后一行的n个数是配置每个仪器的费用。

输出格式:

第1 行是实验编号;第2行是仪器编号;最后一行是净收益。

输入输出样例

输入样例#1:

2 3
10 1 2
25 2 3
5 6 7
输出样例#1:

1 2
1 2 3
17

说明

感谢@zhouyonglong 提供spj

分析

网络流经典建模题,最大权闭合子图,注意建图,

建立源点S,汇点T,S向每个实验连边容量为获益,每个器材向T连边容量为费用,其他的边容量为正无穷,求最小割(=最大流);

最大权闭合图问题

code

 #include<cstdio>
#include<algorithm>
#include<queue>
#include<cstring> using namespace std; const int INF = 0x7fffffff;
const int MAXN = ;
struct Edge{
int to,c,nxt;
}e[]; int head[MAXN],dis[MAXN];
int s,t,tot=;
queue<int>q; int read(int &x)
{
x = ;char ch = getchar();
for (; ch<''||ch>''; ch = getchar());
for (; ch>=''&&ch<=''; ch = getchar())
x = x*+ch-'';
if (ch==||ch==) return ;
return ;
}
void add_edge(int u,int v,int w)
{
e[++tot].c = w,e[tot].to = v,e[tot].nxt = head[u];
head[u] = tot;
e[++tot].c = ,e[tot].to = u,e[tot].nxt = head[v];
head[v] = tot;
}
bool bfs()
{
memset(dis,-,sizeof(dis));
dis[s] = ;
q.push(s);
while (!q.empty())
{
int u = q.front();
q.pop();
for (int i=head[u]; i; i=e[i].nxt)
{
int v = e[i].to;
if (dis[v]==-&&e[i].c>)
{
dis[v] = dis[u]+;
q.push(v);
}
}
}
return dis[t]!=-;
}
int dfs(int u,int low)
{
if (u==t) return low;
int w,tmp = low;
for (int i=head[u]; i; i=e[i].nxt)
{
int v = e[i].to;
if (dis[v]==dis[u]+&&e[i].c>)
{
w = dfs(v,min(e[i].c,low));
e[i].c -= w;
e[i^].c += w;
low -= w;
}
}
return tmp - low;
}
int main()
{
int ans = ,sum = ,m,n,flag;
read(m),read(n);
s = ,t = n+m+;
for (int x,i=; i<=m; ++i)
{
flag = ;
read(x);
sum += x;
add_edge(s,i,x);
while (flag)
{
flag = read(x);
add_edge(i,x+m,INF);
}
}
for (int x,i=; i<=n; ++i)
{
read(x);
add_edge(i+m,t,x);
}
while (bfs())
ans += dfs(s,INF);
for (int i=; i<=m; ++i)
if (dis[i]!=-) printf("%d ",i);
printf("\n");
for (int i=m+; i<=t; ++i)
if (dis[i]!=-) printf("%d ",i-m);
printf("\n%d\n",sum-ans);
return ;
}
05-11 20:42