當前位置: 首頁>>代碼示例 >>用法及示例精選 >>正文


Python NetworkX edge_disjoint_paths用法及代碼示例


本文簡要介紹 networkx.algorithms.connectivity.disjoint_paths.edge_disjoint_paths 的用法。

用法:

edge_disjoint_paths(G, s, t, flow_func=None, cutoff=None, auxiliary=None, residual=None)

返回源和目標之間的邊不相交路徑。

邊不相交路徑是不共享任何邊的路徑。源和目標之間的邊不相交路徑的數量等於它們的邊連通性。

參數

GNetworkX 圖
s節點

流的源節點。

t節點

流的匯節點。

flow_func函數

用於計算一對節點之間的最大流量的函數。該函數必須接受至少三個參數:有向圖、源節點和目標節點。並返回遵循NetworkX 約定的殘差網絡(有關詳細信息,請參閱maximum_flow())。如果 flow_func 為 None,則使用默認的最大流量函數 (edmonds_karp())。默認函數的選擇可能會因版本而異,不應依賴。默認值:無。

cutoffint

產生的最大路徑數。一些最大流量算法,如edmonds_karp()(默認)和shortest_augmenting_path()支持cutoff參數,當流量值達到或超過cutoff時會終止。其他算法將忽略此參數。默認值:無。

auxiliaryNetworkX 有向圖

用於計算基於流的邊連接的輔助有向圖。它必須有一個稱為映射的圖形屬性,在 G 和輔助有向圖中有一個字典映射節點名稱。如果提供,它將被重用而不是重新創建。默認值:無。

residualNetworkX 有向圖

計算最大流量的殘差網絡。如果提供,它將被重用而不是重新創建。默認值:無。

返回

paths生成器

邊獨立路徑的生成器。

拋出

NetworkXNoPath

如果源和目標之間沒有路徑。

NetworkXError

如果源或目標不在圖表 G 中。

注意

這是邊不相交路徑的基於流的實現。我們計算輔助有向網絡上源和目標之間的最大流量。運行最大流算法後殘差網絡中的飽和邊對應於原始網絡中源和目標之間的邊不相交路徑。此函數處理有向圖和無向圖,並且可以使用NetworkX 流包中的所有流算法。

例子

我們在這個例子中使用了柏拉圖二十麵體圖,它的節點邊連通性為 5,因此任何一對節點之間都有 5 條邊不相交的路徑。

>>> G = nx.icosahedral_graph()
>>> len(list(nx.edge_disjoint_paths(G, 0, 6)))
5

如果需要在同一個圖中計算多對節點的邊不相交路徑,建議重用NetworkX在計算中使用的數據結構:邊連接的輔助有向圖,底層的殘差網絡最大流量計算。

如何計算重用數據結構的柏拉圖二十麵體圖的所有節點對之間的邊不相交路徑的示例。

>>> import itertools
>>> # You also have to explicitly import the function for
>>> # building the auxiliary digraph from the connectivity package
>>> from networkx.algorithms.connectivity import build_auxiliary_edge_connectivity
>>> H = build_auxiliary_edge_connectivity(G)
>>> # And the function for building the residual network from the
>>> # flow package
>>> from networkx.algorithms.flow import build_residual_network
>>> # Note that the auxiliary digraph has an edge attribute named capacity
>>> R = build_residual_network(H, "capacity")
>>> result = {n: {} for n in G}
>>> # Reuse the auxiliary digraph and the residual network by passing them
>>> # as arguments
>>> for u, v in itertools.combinations(G, 2):
...     k = len(list(nx.edge_disjoint_paths(G, u, v, auxiliary=H, residual=R)))
...     result[u][v] = k
>>> all(result[u][v] == 5 for u, v in itertools.combinations(G, 2))
True

您還可以使用替代流算法來計算邊不相交路徑。例如,在密集網絡中,算法 shortest_augmenting_path() 通常會比默認的 edmonds_karp() 執行得更好,這對於具有高度傾斜度分布的稀疏網絡來說更快。替代流函數必須從流包中顯式導入。

>>> from networkx.algorithms.flow import shortest_augmenting_path
>>> len(list(nx.edge_disjoint_paths(G, 0, 6, flow_func=shortest_augmenting_path)))
5

相關用法


注:本文由純淨天空篩選整理自networkx.org大神的英文原創作品 networkx.algorithms.connectivity.disjoint_paths.edge_disjoint_paths。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。