【问题描述】
请编码输出无向无权图的邻接矩阵。
【输入】
第一行输入顶点数V、边数E;
随后E行,每行输入无向无权图中某条边的两个顶点的编号(注意:本示例中,顶点编号都从1开始编起)。
【输出】
输出无向无权图的邻接矩阵。
【算法代码】
#include <bits/stdc++.h>
using namespace std;
const int maxn=100;
int mp[maxn][maxn]; //无向无权图的邻接矩阵
int V,E; //顶点数、边数
int sx,ex; //起点编号、终点编号
int main() {
cin>>V>>E;
for(int i=1; i<=E; i++) {
cin>>sx>>ex; //起点终点编号都从1编起
mp[sx][ex]=1;
mp[ex][sx]=1;
}
for(int i=1; i<=V; i++) {
for(int j=1; j<=V; j++) {
cout<<mp[i][j]<<" ";
}
cout<<endl;
}
return 0;
}
/*
input:
5 6
1 3
2 1
1 2
2 3
3 4
5 1
output:
0 1 1 0 1
1 0 1 0 0
1 1 0 1 0
0 0 1 0 0
1 0 0 0 0
*/