TOJ 3517 The longest athletic track

来源:互联网 发布:知乎 守夜人原画 编辑:程序博客网 时间:2024/05/08 19:12

After a long time of algorithm training, we want to hold a running contest in our beautiful campus. Because all of us are curious about a coders's fierce athletic contest,so we would like a more longer athletic track so that our contest can last more .


In this problem, you can think our campus consists of some vertexes connected by roads which are undirected and make no circles, all pairs of the vertexes in our campus are connected by roads directly or indirectly, so it seems like a tree, ha ha.


We need you write a program to find out the longest athletic track in our campus. our athletic track may consist of several roads but it can't use one road more than once.

Input

*Line 1: A single integer: T represent the case number T <= 10
For each case
*Line1: N the number of vertexes in our campus 10 <= N <= 2000
*Line2~N three integers a, b, c represent there is a road between vertex a and vertex b with c meters long
1<= a,b <= N,  1<= c <= 1000;

Output

For each case only one integer represent the longest athletic track's length

Sample Input

171 2 202 3 102 4 204 5 105 6 104 7 40

Sample Output

80

分析:求树的直径(最长路)的模板题。


Code:

#include <iostream>#include <cstring>#include <cstdio>#include <queue>#define Max(a,b) ((a)>(b)?(a):(b))using namespace std;const int maxn=2005;const int inf=0x3f3f3f3f;int Map[maxn][maxn],sum[maxn];bool vis[maxn];int ans,n;int bfs(int st) {    memset(vis,false,sizeof(vis));    vis[st]=true;    sum[st]=0;    queue<int>Q;    Q.push(st);    ans=0;    int key;    while(!Q.empty()) {        int cur=Q.front();        Q.pop();        for(int i=1;i<=n;i++) {            if(!vis[i]&&Map[cur][i]<inf) {                vis[i]=true;                sum[i]=sum[cur]+Map[cur][i];                Q.push(i);                if(sum[i]>ans) {                    ans=sum[i];                    key=i;                }            }        }    }    return key;}int main(){    int T;    scanf("%d",&T);    while(T--) {        scanf("%d",&n);        for(int i=1;i<=n;i++) {            Map[i][i]=inf;            for(int j=i+1;j<=n;j++) Map[i][j]=Map[j][i]=inf;        }        int u,v,w;        for(int i=1;i<n;i++) {            scanf("%d %d %d",&u,&v,&w);            Map[u][v]=Map[v][u]=w;        }        int p=bfs(1);        bfs(p);        printf("%d\n",ans);    }    return 0;}


原创粉丝点击