公共子序列
给定序列
X = < x1, x2, … , xm >
Y = < y1, y2, … , yn >
求 X 和 Y 的最长公共子序列
输入:
1、 序列[]X={’ ‘,‘A’,‘B’,‘C’,‘B’,‘D’,‘A’,‘B’};
2、 序列[]Y= {’ ',‘B’,‘D’,‘C’,‘A’,‘B’,‘A’};
3、 空备忘录b[][],c[][]
输出:
1、 记录最优值的备忘录
2、 最长公共子序列
package 公共子序列;
public class 公共子序列 {
public static int lcsLength(char []x,char []y,int[][]b) {
int m=x.length-1;
int n=y.length-1;
int [][]c=new int [m+2][n+2];
for(int i=1;i<=m;i++)c[i][0]=0;
for(int i=1;i<=n;i++)c[0][i]=0;
for(int i=1;i<=m;i++)
for(int j=1;j<=n;j++)
{
if(x[i]==y[j])
{
c[i][j]=c[i-1][j-1]+1;
b[i][j]=1;
}
else if(c[i-1][j]>=c[i][j-1])
{
c[i][j]=c[i-1][j];
b[i][j]=2;
}
else
{
c[i][j]=c[i][j-1];
b[i][j]=3;
}
}
return c[m][n];
}
public static void lcs(int i,int j,char[]x,int [][]b) {
if(i==0||j==0)return ;
if(b[i][j]==1)
{
lcs(i-1,j-1,x,b);
System.out.print(x[i]+" ");
}
else if(b[i][j]==2)lcs(i-1,j,x,b);
else lcs(i,j-1,x,b);
}
public static void main(String[] args) {
char []X={' ','A','B','C','B','D','A','B'};
char []Y= {' ','B','D','C','A','B','A'};
int [][]b=new int[8][7];
lcsLength(X,Y,b);
System.out.print("最长公共子序列为: ");
lcs(7,6,X,b);
}
}