题目:
小明从
1
1
1到
n
n
n点旅游(有向图),对于不同点会有一个货物的价格,小明可以从一个点买,一个点卖求能赚到的最大价钱(只能买卖一次) / (小明最后要到
n
n
n点)。
思路:
t
a
r
j
a
n
tarjan
tarjan 缩点后 建图 ,爆搜
1
1
1~
n
n
n 的路径上最大最小价格更新答案。(要标记路径 ,不然会
t
l
e
tle
tle)
代码
#include<iostream>
#include<cstring>
#include<vector>
using namespace std;
const int N = 2e5+10,M = 2e6+10;
int h[N],ne[M],e[M],idx;
void add(int a,int b){
ne[idx] = h[a],e[idx] = b,h[a] = idx++;
}
int a[N];
vector<int > v[N];
int n,m;
int dfn[N],low[N],tim;
int stk[N],top;
bool st[N];
int mn[N],mx[N];
int scc[N],cnt;
int ans = 0;
int val[N];
int con[N];
void tarjan(int u){
dfn[u] = low[u] = ++tim;
stk[ ++ top] = u;
st[u] = true;
for(auto y : v[u]){
if(!dfn[y])tarjan(y),low[u] = min(low[u],low[y]);
else if(st[y])low[u] = min(low[u],dfn[y]);
}
if(dfn[u] == low[u]){
int y;
++cnt;
mn[cnt] = 110;
do{
y = stk[top--];
st[y] = false;
mn[cnt] = min(mn[cnt],a[y]);
mx[cnt] = max(mx[cnt],a[y]);
scc[y] = cnt;
}while(u != y);
}
}
bool flag;
void dfs(int u,int cost){
int tp = max(mx[u] - cost,mx[u] - mn[u]);
st[u] = true;
if(u == scc[n]){
con[u] = 1;
ans = max(tp,ans);
return ;
}
//更新买价
cost = min(mn[u],cost);
for(int i = h[u]; ~i ; i = ne[i]){
int y = e[i];
//遍历过该点且能够到n,直接更新答案
if(st[y]){
if(con[y])
ans = max(ans,mx[y] - cost),con[u] = 1;
continue;
}
dfs(y,cost);
if(con[y])con[u] = 1;
}
//当前路径可以到n,更新答案;
if(con[u]) ans = max(tp,ans);
}
int main(){
cin >> n >> m;
memset(h,-1,sizeof h);
for(int i = 1;i<=n;i++)scanf("%d",&a[i]);
for(int i = 1;i<=m;i++){
int a,b,c;
scanf("%d%d%d",&a,&b,&c);
v[a].push_back(b);
if(c == 2)v[b].push_back(a);
}
tarjan(1);
for(int i = 1;i<=n;i++){
for(auto y : v[i]){
if(scc[y] != scc[i])add(scc[i],scc[y]);
}
}
dfs(scc[1],mn[scc[1]]);
cout << ans << endl;
return 0;
}