标签:ref 安全 个数 bsp cto end 连接线 存储 没有
X 国的一个网络使用若干条线路连接若干个节点。节点间的通信是双向的。某重要数据包,为了安全起见,必须恰好被转发两次到达目的地。该包可能在任意一个节点产生,我们需要知道该网络中一共有多少种不同的转发路径。
源地址和目标地址可以相同,但中间节点必须不同。
如下图所示的网络。
1 -> 2 -> 3 -> 1 是允许的
1 -> 2 -> 1 -> 2 或者 1 -> 2 -> 3 -> 2 都是非法的。
输入数据的第一行为两个整数N M,分别表示节点个数和连接线路的条数(1<=N<=10000; 0<=M<=100000)。
接下去有M行,每行为两个整数 u 和 v,表示节点u 和 v 联通(1<=u,v<=N , u!=v)。
输入数据保证任意两点最多只有一条边连接,并且没有自己连自己的边,即不存在重边和自环。
1 #include <iostream> 2 #include <cstdio> 3 #include <cstdlib> 4 #include <cstring> 5 #include <string> 6 #include <cmath> 7 #include <map> 8 #include <algorithm> 9 #define INF 0x3f3f3f3f 10 #define zero 1e-7 11 12 using namespace std; 13 typedef long long ll; 14 const ll mod=1e9+7; 15 const ll max_n=1e4+7; 16 const ll max_m=1e5+7; 17 18 int n, m;//节点数(1-10000),连线数(0-100000) 19 int ans=0;//满足要求的路径条数 20 bool vis[max_n]={false};//标记是否访问过 21 22 struct node { 23 int u, v; 24 }e[max_m]; 25 26 void dfs(int s, int t, int deep) {//源地址,中间节点,深度 27 if(deep==4) { 28 ans++; 29 return ; 30 } 31 vis[t]=true; 32 for(int i=0; i<m; i++) { 33 if(e[i].u==t) { 34 if(!vis[e[i].v] || deep==3 && e[i].v==s) 35 dfs(s, e[i].v, deep+1); 36 } 37 if(e[i].v==t) { 38 if(!vis[e[i].u] || deep==3 && e[i].u==s) 39 dfs(s, e[i].u, deep+1); 40 } 41 } 42 vis[t]=false; 43 return ; 44 } 45 46 int main() { 47 int u, v; 48 cin>>n>>m; 49 for(int i=0; i<m; i++) { 50 scanf("%d %d", &e[i].u, &e[i].v); 51 } 52 for(int i=1; i<=n; i++) { 53 dfs(i, i, 1); 54 } 55 cout<<ans<<endl; 56 return 0; 57 }
后来搜了一下别人的代码,看到有用vector来存储的,这才恍然大悟,因为不太熟悉它的用法所以很少用,做题的时候甚至都没能想到,真是不应该.
STL挺好用的,之前有专门学过,但是一段时间没怎么刷题都快忘光了,还是要抽空重新复习一下才是. 先附上大神的STL总结——click here(1) and here(2)
1 #include <iostream> 2 #include <cstdio> 3 #include <cstdlib> 4 #include <cstring> 5 #include <string> 6 #include <cmath> 7 #include <map> 8 #include <vector> 9 #include <algorithm> 10 #define INF 0x3f3f3f3f 11 #define zero 1e-7 12 13 using namespace std; 14 typedef long long ll; 15 const ll mod=1e9+7; 16 const ll max_n=1e4+7; 17 18 int ans=0;//满足要求的路径条数 19 bool vis[max_n]={false};//标记是否访问过 20 vector<int> vec[max_n]; 21 22 void dfs(int s, int deep) {//deep表示s是第几个节点 23 if(deep==3) { 24 ans+=vec[s].size()-1;//第3个点和第2个点之间有连线,要减去这条,因为第4个点不能和第2个点一样 25 return ; 26 } 27 vis[s]=true; 28 for(int i=0; i<vec[s].size(); i++) { 29 if(!vis[vec[s][i]]) { 30 dfs(vec[s][i], deep+1); 31 } 32 } 33 vis[s]=false; 34 return ; 35 } 36 37 int main() { 38 int n, m;//节点数(1-10000),连线数(0-100000) 39 int u, v; 40 cin>>n>>m; 41 for(int i=0; i<m; i++) { 42 scanf("%d %d", &u, &v); 43 vec[u].push_back(v); 44 vec[v].push_back(u); 45 } 46 for(int i=1; i<=n; i++) { 47 dfs(i, 1); 48 } 49 cout<<ans<<endl; 50 return 0; 51 }
标签:ref 安全 个数 bsp cto end 连接线 存储 没有
原文地址:https://www.cnblogs.com/wwqzbl/p/13582919.html