这是一种 NumPythonic 方法 -
# Tag each string with a numeric ID based on the uniqueness among other strings
_,ID = np.unique(graph,return_inverse=True)
M = ID.reshape(graph.shape)
# Consider each row of numeric IDs as an indexing tuple of a 2D array.
# Calculate the linear indices corresponding to each tuple.
n = M.max()+1
idx1 = M[:,0]*(n) + M[:,1]
idx2 = M[:,1]*(n) + M[:,0]
# Setup output array with 1s on the diagonal.
out = np.eye(n,dtype=int)
# Put 1s at places specified by the earlier computed pairs of linear indices
np.put(out,[idx1,idx2],1)
样本输入、输出 -
In [93]: graph
Out[93]:
array([['A', 'B'],
['A', 'C'],
['A', 'F'],
['B', 'D'],
['C', 'D'],
['C', 'F'],
['E', 'D'],
['E', 'F']],
dtype='|S4')
In [94]: out
Out[94]:
array([[1, 1, 1, 0, 0, 1],
[1, 1, 0, 1, 0, 0],
[1, 0, 1, 1, 0, 1],
[0, 1, 1, 1, 1, 0],
[0, 0, 0, 1, 1, 1],
[1, 0, 1, 0, 1, 1]])
运行时测试
本节基本上比较了迄今为止列出的所有解决问题的方法(在这篇文章和其他文章中)。
定义功能 -
def networkx_based(a): #@atomh33ls's solution code
A=nx.Graph()
for x in a:
A.add_edge(x[0],x[1])
return nx.adjacency_matrix(A)
def vectorize_based(data): # @plonser's solution code
ord_u = np.vectorize(lambda x: ord(x)-65)
s = ord_u(data)
res = np.zeros((s.max()+1,s.max()+1),dtype=int)
res[s[:,0],s[:,1]] = 1
res_sym = res + res.T
np.fill_diagonal(res_sym,1)
return res_sym
def unique_based(graph): #solution from this post
_,ID = np.unique(graph,return_inverse=True)
M = ID.reshape(graph.shape)
n = M.max()+1
idx1 = M[:,0]*(n) + M[:,1]
idx2 = M[:,1]*(n) + M[:,0]
out = np.eye(n,dtype=int)
np.put(out,[idx1,idx2],1)
return out
计时 -
In [321]: N = 1000
In [322]: arr = np.random.randint(65,90,(N,2))
In [323]: graph = np.array([map(chr,a) for a in arr],dtype='S4')
In [324]: %timeit networkx_based(graph)
100 loops, best of 3: 3.79 ms per loop
In [325]: %timeit vectorize_based(graph)
1000 loops, best of 3: 760 µs per loop
In [326]: %timeit unique_based(graph)
1000 loops, best of 3: 405 µs per loop