how to display all the substrings of a longest common substring of two substring i know the dp method to calculate length of lcs but how to display all those lcs code for lcs
function LCSLength(X[1..m], Y[1..n])
C = array(0..m, 0..n)
for i := 0..m
C[i,0] = 0
for j := 0..n
C[0,j] = 0
for i := 1..m
for j := 1..n
if X[i] = Y[j]
C[i,j] := C[i-1,j-1] + 1
else
C[i,j] := max(C[i,j-1], C[i-1,j])
return C[m,n]
i couldnt find a good article on net for how to find all lcs
string 1=abcabcaa string 2=acbacba
all lcs
ababa abaca abcba acaba acaca acbaa acbca
i already know the dp method to calculate lcs any help would be appreciated
i found this on wiki
function backtrackAll(C[0..m,0..n], X[1..m], Y[1..n], i, j)
if i = 0 or j = 0
return {""}
else if X[i] = Y[j]
return {Z + X[i] for all Z in backtrackAll(C, X, Y, i-1, j-1)}
else
R := {}
if C[i,j-1] ≥ C[i-1,j]
R := backtrackAll(C, X, Y, i, j-1)
if C[i-1,j] ≥ C[i,j-1]
R := R ∪ backtrackAll(C, X, Y, i-1, j)
return R
but am having diificulty in understanding it
A very intuitive way to do this is to store in additional 2D array backpointers, i.e.:
Now, let's define a directed graph. Any entry
[i,j]
in the array C corresponds to a vertex and backpointers correspond to edges.There are
n*m
vertices and at most2*n*m
edges, since one vertex has at most 2 backpointers.Now the problem is to return all paths in this graph from the vertex
[n,m]
to the vertex[0,0]
.The graph is directed and there are no cycles, so you can simply follow the pointers by a DFS (without marking vertices as visited) and for each edge
([i,j] -> [i-1,j-1])
append the letter that corresponds to this match to a resulting string. The LCS is the string accumulated after reaching the[0,0]
vertex.