题目背景
在艾泽拉斯大陆上有一位名叫歪嘴哦的神奇术士,他是部落的中坚力量 有一天他醒来后发现自己居然到了联盟的主城暴风城 在被众多联盟的士兵攻击后,他决定逃回自己的家乡奥格瑞玛题目描述
在艾泽拉斯,有n个城市。编号为1,2,3,...,n。城市之间有m条双向的公路,连接着两个城市,从某个城市到另一个城市,会遭到联盟的攻击,进而损失一定的血量。
没经过一个城市,都会被收取一定的过路费(包括起点和终点)。路上并没有收费站。
假设1为暴风城,n为奥格瑞玛,而他的血量最多为b,出发时他的血量是满的。
歪嘴哦不希望花很多钱,他想知道,在可以到达奥格瑞玛的情况下,他所经过的所有城市中最多的一次收取的费用的最小值是多少。
输入输出格式
输入格式: 第一行3个正整数,n,m,b。分别表示有n个城市,m条公路,歪嘴哦的血量为b。
接下来有n行,每行1个正整数,fi。表示经过城市i,需要交费fi元。
再接下来有m行,每行3个正整数,ai,bi,ci(1<=ai,bi<=n)。表示城市ai和城市bi之间有一条公路,如果从城市ai到城市bi,或者从城市bi到城市ai,会损失ci的血量。
仅一个整数,表示歪嘴哦交费最多的一次的最小值。
如果他无法到达奥格瑞玛,输出AFK。
输入输出样例
输入样例#1:4 4 8
8
5
6
10
2 1 2
2 4 1
1 3 4
3 4 3
输出样例#1:10
说明
对于60%的数据,满足n≤200,m≤10000,b≤200对于100%的数据,满足n≤10000,m≤50000,b≤1000000000
对于100%的数据,满足ci≤1000000000,fi≤1000000000,可能有两条边连接着相同的城市。
思路:某人说看到最大值中的最小值,或最小值中的最大值,一般用二分,加上最短路。对于AFK的情况,直接跑一遍血量的最短路,与初始血量比较。对于另一种情况,二分答案跑spfa就行。
贴代码:
#include <iostream>
#include <cstdio>
#include <cstdlib>
#include <cmath>
#include <cstring>
#include <algorithm>
#include <queue>
#define ll long long
using namespace std;
const int maxn=50004;
const int inf=1000000009;
struct data{
int v,nxt;
ll w;
}e[maxn*2];
int n,m,cnt=0,fst[maxn];
ll lim,cst[maxn],l=inf,r=0,a[maxn];
inline ll get(){
char c;while(!isdigit(c=getchar()));
ll v=c-48;while(isdigit(c=getchar()))v=v*10+c-48;
return v;
}
inline void add(int x,int y,ll z){
e[++cnt].v=y;e[cnt].w=z;e[cnt].nxt=fst[x];fst[x]=cnt;
}
queue<int>q;
bool vst[maxn];
int dst[maxn],pre[maxn];
inline bool spfa(ll lmt){
ll mx=cst[1];
if(mx>lmt)return 0;
q.push(1);
for(int i=1;i<=n;++i)dst[i]=inf;
memset(vst,0,sizeof(vst));
memset(pre,0,sizeof(pre));
dst[1]=0;vst[1]=1;
while(!q.empty()){
int x=q.front();q.pop();
for(int i=fst[x];i;i=e[i].nxt){
int y=e[i].v;
if(cst[y]>lmt)continue;
if(dst[y]>dst[x]+e[i].w){
dst[y]=dst[x]+e[i].w;
if(!vst[y]){
q.push(y);
vst[y]=1;
}
}
}
vst[x]=0;
}
if(dst[n]>lim)return 0;
return 1;
}
int main(){
n=(int)get();m=(int)get();lim=get();
for(int i=1;i<=n;++i)cst[i]=get(),l=min(l,cst[i]),r=max(r,cst[i]);
for(int i=1;i<=m;++i){
int x=get(),y=get();
ll z=get();
add(x,y,z);
add(y,x,z);
}
if(!spfa(r))printf("AFK\n");
else{
while(l<r){
ll mid=(l+r)>>1;
if(spfa(mid))r=mid;
else l=mid+1;
}
printf("%lld\n",l);
}
return 0;
}