祈祷中...

题意

给定一个图,求其中任意两点之间距离的最大值,不能重复访问(类似于最长路(也许))。

思路

由于我赛时的时候脑子抽了不知道咋写,差点挂,最后写成了状压DP,设 $dp[i][S]$ 表示通过了集合 $S$ 的点,最后在 $i$ 点的最长路径。

那么转移方程可得:

代码

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
#include<bits/stdc++.h>
#define int long long
#define endl "\n"
using namespace std;
template<typename P>
inline void read(P &x){
P res=0,f=1;
char ch=getchar();
while(ch<'0' || ch>'9'){
if(ch=='-') f=-1;
ch=getchar();
}
while(ch>='0' && ch<='9'){
res=res*10+ch-'0';
ch=getchar();
}
x=res*f;
}
int n,m;
const int Max=20;
struct node{
int to,w;
};
vector<node> e[120];
int dp[120][1<<14];
signed main(){
read(n),read(m);
int u,v,w;
for(int i=1;i<=m;++i){
read(u),read(v),read(w);
u--,v--;
e[u].push_back(node{v,w});
e[v].push_back(node{u,w});
}
int ans=0;
int mas=1<<n;
int to;
for(int s=0;s<mas;++s){
for(int i=0;i<n;++i){
if((s>>i)&1){
for(auto edge:e[u=i])
if(!(s>>(to=edge.to)&1)){
dp[to][s^(1<<to)]=max(dp[to][s^(1<<to)],dp[u][s]+edge.w);
}
}
}
}
for(int i=0;i<n;++i){
ans=max(ans,dp[i][mas-1]);
}
cout<<ans<<endl;
return 0;
}