scipy.sparse.csgraph.

floyd_warshall#

scipy.sparse.csgraph.floyd_warshall(csgraph, directed=True, return_predecessors=False, unweighted=False, overwrite=False)#

使用 Floyd-Warshall 算法计算最短路径长度

Added in version 0.11.0.

参数:
csgraph数组、矩阵或稀疏矩阵,2 维

表示输入图的距离的 N x N 数组。

有向的bool, 可选

如果为 True(默认),则在有向图上找到最短路径:仅沿路径 csgraph[i, j] 从点 i 移动到点 j。如果为 False,则在无向图上找到最短路径:算法可以从点 i 到 j 沿路径 csgraph[i, j] 或 csgraph[j, i] 前进。

return_predecessorsbool, 可选

如果为真,返回大小为 (N, N) 的前驱矩阵。

未加权bool, 可选

如果为真,则计算未加权距离。也就是说,不是找到使权重和最小的路径,而是找到使边数最小的路径。

覆盖bool, 可选

如果为 True,则用结果覆盖 csgraph。这仅适用于 csgraph 是一个 dtype=float64 的密集、c 顺序数组。

返回:
dist_matrixndarray

图节点之间的 N x N 距离矩阵。dist_matrix[i,j] 给出了沿图从点 i 到点 j 的最短距离。

前身ndarray

仅在 return_predecessors == True 时返回。N x N 的前驱矩阵,可用于重建最短路径。前驱矩阵的第 i 行包含从点 i 出发的最短路径信息:每个条目 predecessors[i, j] 给出了从点 i 到点 j 的路径中前一个节点的索引。如果点 i 和点 j 之间不存在路径,则 predecessors[i, j] = -9999。

Raises:
NegativeCycleError:

如果图中存在负权环

注释

如果存在多个有效解决方案,输出可能会因 SciPy 和 Python 版本的不同而有所变化。

示例

>>> from scipy.sparse import csr_matrix
>>> from scipy.sparse.csgraph import floyd_warshall
>>> graph = [
... [0, 1, 2, 0],
... [0, 0, 0, 1],
... [2, 0, 0, 3],
... [0, 0, 0, 0]
... ]
>>> graph = csr_matrix(graph)
>>> print(graph)
<Compressed Sparse Row sparse matrix of dtype 'int64'
    with 5 stored elements and shape (4, 4)>
    Coords  Values
    (0, 1)  1
    (0, 2)  2
    (1, 3)  1
    (2, 0)  2
    (2, 3)  3
>>> dist_matrix, predecessors = floyd_warshall(csgraph=graph, directed=False, return_predecessors=True)
>>> dist_matrix
array([[0., 1., 2., 2.],
       [1., 0., 3., 1.],
       [2., 3., 0., 3.],
       [2., 1., 3., 0.]])
>>> predecessors
array([[-9999,     0,     0,     1],
       [    1, -9999,     0,     1],
       [    2,     0, -9999,     2],
       [    1,     3,     3, -9999]], dtype=int32)