树的直径:树上的最长简单路径。
求解的方法是bfs或者dfs。先找任意一点,bfs或者dfs找出离他最远的那个点,那么这个点一定是该树直径的一个端点,记录下该端点,继续bfs或者dfs出来离他最远的一个点,那么这两个点就是他的直径的短点,距离就是路径长度。具体证明见http://www.cnblogs.com/wuyiqi/archive/2012/04/08/2437424.html 其实这个自己画画图也能理解。
POJ 1985
题意:直接让求最长路径。
可以用dfs也可以用bfs
bfs代码:
#include <cstdio> #include <cstring> #include <algorithm> #include <queue> using namespace std; typedef pair<int, int> pii; const int maxn = 200000; int tot, head[maxn]; struct Edge { int to, next, w; }edge[maxn]; bool vis[maxn]; void init() { tot = 0; memset(head, -1, sizeof(head)); } void addedge(int u, int v, int w) { edge[tot].to = v; edge[tot].w = w; edge[tot].next = head[u]; head[u] = tot++; } int maxx, pos; void bfs(int p)//从p开始找到离他最远的那个点,距离保存在maxx当中 { maxx = -1; memset(vis, false, sizeof(vis)); queue<pii> Q; vis[p] = true; pii cur, nex; cur.first = p; cur.second = 0;//pair的first表示节点编号,second表示权值 Q.push(cur); while (!Q.empty()) { cur = Q.front(); Q.pop(); for (int i = head[cur.first]; i != -1; i = edge[i].next) { int v = edge[i].to; if (vis[v]) continue; vis[v] = true; nex.first = v; nex.second = cur.second + edge[i].w; if (maxx < nex.second)//如果找到最大的就替换 { maxx = nex.second; pos = v; } Q.push(nex); } } } int main() { int n, m; while (~scanf("%d %d", &n, &m)) { init(); int u, v, w; for (int i = 0; i < m; i++) { scanf("%d %d %d %*s", &u, &v, &w); addedge(u, v, w); addedge(v, u, w); } bfs(1); bfs(pos); printf("%d\n", maxx); } return 0; }