Effiziente Erstellung einer Adjazenzmatrix aus einem Netzwerkgraphen (umgekehrt) Python NetworkX

Ich versuche, Netzwerkgraphen zu erstellen und dünne Matrizen daraus zu generieren. Aus der WikipediaLaplacian matrix Beispiel: Ich habe mich entschieden, das folgende Netzwerkdiagramm mit @ neu zu erstellenetworkx

Wie kann man EFFIZIENT zwischen einem @ konvertieradjacency matrix und einnetwork graph?

Wenn ich zum Beispiel ein Netzwerkdiagramm habe, wie kann ich es schnell in eine Adjazenzmatrix konvertieren und wenn ich ein Adjazenzdiagramm habe, wie kann ich es effizient in ein Netzwerkdiagramm konvertieren.

Below ist mein Code dafür und ich denke, dass es für größere Netzwerke ziemlich ineffizient ist.

#!/usr/bin/python

import networkx as nx
import numpy as np
import matplotlib.pyplot as plt
import scipy as sp
import pandas as pd

%matplotlib inline

#Adjacent matrix
adj_matrix = np.matrix([[0,1,0,0,1,0],[1,0,1,0,1,0],[0,1,0,1,0,0],[0,0,1,0,1,1],[1,1,0,1,0,0],[0,0,0,1,0,0]])
adj_sparse = sp.sparse.coo_matrix(adj_matrix, dtype=np.int8)
labels = range(1,7)
DF_adj = pd.DataFrame(adj_sparse.toarray(),index=labels,columns=labels)
print DF_adj

#   1  2  3  4  5  6
#1  0  1  0  0  1  0
#2  1  0  1  0  1  0
#3  0  1  0  1  0  0
#4  0  0  1  0  1  1
#5  1  1  0  1  0  0
#6  0  0  0  1  0  0

#Network graph
G = nx.Graph()
G.add_nodes_from(labels)

#Connect nodes
for i in range(DF_adj.shape[0]):
    col_label = DF_adj.columns[i]
    for j in range(DF_adj.shape[1]):
        row_label = DF_adj.index[j]
        node = DF_adj.iloc[i,j]
        if node == 1:
            G.add_edge(col_label,row_label)


#Draw graph
nx.draw(G,with_labels = True)

#DRAWN GRAPH MATCHES THE GRAPH FROM WIKI

#Recreate adjacency matrix
DF_re = pd.DataFrame(np.zeros([len(G.nodes()),len(G.nodes())]),index=G.nodes(),columns=G.nodes())
for col_label,row_label in G.edges():
    DF_re.loc[col_label,row_label] = 1
    DF_re.loc[row_label,col_label] = 1
print G.edges()
#[(1, 2), (1, 5), (2, 3), (2, 5), (3, 4), (4, 5), (4, 6)]

print DF_re
#   1  2  3  4  5  6
#1  0  1  0  0  1  0
#2  1  0  1  0  1  0
#3  0  1  0  1  0  0
#4  0  0  1  0  1  1
#5  1  1  0  1  0  0
#6  0  0  0  1  0  0

Antworten auf die Frage(4)

Ihre Antwort auf die Frage