acm 杭电 畅通工程 1232

这道题让我实现了一个菜鸟的梦想,一次编程,一次测试,一次ac

 

把有道路连通的城市组成一棵树,其实只要知道知道了城市有几棵,就知道了答案。有n棵树,就需要建n-1条道路。

我们的树是子节点指向父节点的,这样容易从一个节点找出他的根。

同根的节点代表的城市是连通的,所以一开始有n个城市则有n棵树,通过读入道路,将处于不同树的城市连通。

读完所有道路之后,每个根代表了和他连通的城市集,将每个城市找到的根放入一个无重复值的set,便可知道set包含的根的数目,便能知道答案。

我们用一个数组表示:下标为城市标号,所存数值为父节点下标,所存数值为-1表示没有父节点,既为根。

#include #include #include using namespace std; int city[1000]; int city_cnt; void init() { fill(city, city+city_cnt, -1); } int find_root(int from) { int i = from; while(!(city[i] < 0)) i = city[i]; return i; } void connect(int from, int to) { int root_from = find_root(from); int root_to = find_root(to); if(root_from != root_to) city[root_from] = root_to; } int get_group() { set group; int i = 0; while(i < city_cnt) { group.insert(find_root(i)); ++i; } return group.size(); } int main() { int road; int from, to; while(1) { scanf("%d", &city_cnt); if(city_cnt == 0) break; init(); scanf("%d", &road); for(int i=0; i

你可能感兴趣的:(ACM)