Алгоритм, который находит число простых путей от


34

Можно ли предложить мне алгоритм линейного времени , который принимает в качестве входных данных ориентированного ациклического граф и две вершины S и T и возвращает число простых путей от й до т в G . У меня есть алгоритм, в котором я буду запускать DFS (Поиск в глубину), но если DFS найдет t, то он не изменит цвет (с белого на серый) ни одного из узлов, которые входят в путь s tG=(V,E)ststG
tst так, что, если это подпуть любого другого пути, то и DFS снова проходит этот подпуть. Например, рассмотрим список смежности, где нам нужно найти количество путей от до v . P O S Z Opv
Здесь DFS будет начинаться сp,а затем предположим, что он переходит кpz,поскольку он не сталкивается сvDFS будет работать нормально.Теперьвторой путь - этоpsryv,поскольку он сталкивается сv,мы не будем менять цвет вершинs,r,y,vк серому. Тогда путьpov,так как цветvвсе еще белый. Затем путьposryv,так как цветs

poszorsvsrryyvvwzwz
ppzvpsryvvs,r,y,vpovvposryvs is white and similarly of path poryv.Also a counter is maintained which get incremented when v is encountered.

Is my algorithm correct? if not, what modifications are needed to make it correct or any other approaches will be greatly appreciated.

Note:Here I have considered the DFS algorithm which is given in the book "Introduction to algorithms by Cormen" in which it colors the nodes according to its status.So if the node is unvisited , unexplored and explored then the color will be white,grey and black respectively.All other things are standard.



4
Note that all paths in a directed acyclic graph are necessarily simple (by virtue of acyclicity).
Noldorin

Ответы:


37

Your current implementation will compute the correct number of paths in a DAG. However, by not marking paths it will take exponential time. For example, in the illustration below, each stage of the DAG increases the total number of paths by a multiple of 3. This exponential growth can be handled with dynamic programming.

dag

Computing the number of s-t paths in a DAG is given by the recurrence,

Paths(u)={1if u=t(u,v)EPaths(v)otherwise.

A simple modification of DFS will compute this given as

def dfs(u, t):
    if u == t:
        return 1
    else:
        if not u.npaths:
            # assume sum returns 0 if u has no children
            u.npaths = sum(dfs(c, t) for c in u.children)
        return u.npaths

It is not difficult to see that each edge is looked at only once, hence a runtime of O(V+E).


I understood your algorithm and it can be made little more efficient by using dynamic programming since same recursive calls are called many times so its better to save.Right??
Saurabh

1
@SaurabhHota, it is using dynamic programming. The first time the vertex u is encountered, it computes the number of paths it has to t. This is stored in u.npaths. Each subsequent call to u will not recompute its number of paths, but simply return u.npaths.
Nicholas Mancuso

1
For such graphs, isn't the answer just m^n where m is the number of nodes in a column (3 here) and n is the number of columns excluding s,t (4 here). output is 3^4 = 81 for the example graph.
saadtaame

@saadtaame, sure; however, my intent was to merely showcase exponential increase as the "length" of a graph grows. Of course for that highly structured graph you can count in closed form while the algorithm listed works for all graphs.
Nicholas Mancuso

3
The O(V+E) running time assumes that you can perform the necessary additions in constant time, but the numbers being added can have Θ(V) bits in the worst case. If you want the exact number of paths, the running time (counting bit operations) is actually O(VE).
JeffE

15

You only need to notice that the number of paths from one node to the target node is the sum of the number of paths from its children to the target. You know that this algorithm will always stop because your graph doesn't have any cycles.

Now, if you save the number of paths from one node to the target as you visit the nodes, the time complexity becomes linear in the number of vertices and memory linear in the number of nodes.


0

The number of paths between any two vertices in a DAG can be found using adjacency matrix representation.

Suppose A is the adjacency matrix of G. Taking Kth power of A after adding identity matrix to it, gives the number of paths of length <=K.

Since the max length of any simple path in a DAG is |V|-1, calculating |V|-1 th power would give number of paths between all pairs of vertices.

Calculating |V|-1 th power can be done by doing log(|V|-1) muliplications each of TC: |V|^2.


The question asks for a linear time algorithm. Your algorithm is slower than that.
D.W.

@Vivek can you mention a reference for the theorems in your answer?
Hamideh
Используя наш сайт, вы подтверждаете, что прочитали и поняли нашу Политику в отношении файлов cookie и Политику конфиденциальности.
Licensed under cc by-sa 3.0 with attribution required.