要求:求两个字符串的最长公共子串,如“abcdefg”和“adefgwgeweg”的最长公共子串为“defg”(子串必须是连续的)


方法一: 对于较短的那个字符串,假设其长度为n,依次找到它的长度为n, n-1, n-2....1的若干的子串,若另外那个较长的字符串包含了较短字符串的某个子串,则找到了二者的最长公共子串。

Java代码如下:

public class Solution{
	
	// 求解两个字符号的最长公共子串
	public static String maxSubstring(String strOne, String strTwo){
		// 参数检查
		if(strOne==null || strTwo == null){
			return null;
		}
		if(strOne.equals("") || strTwo.equals("")){
			return null;
		}
		// 二者中较长的字符串
		String max = "";
		// 二者中较短的字符串
		String min = "";
		if(strOne.length() < strTwo.length()){
			max = strTwo;
			min = strOne;
		} else{
			max = strTwo;
			min = strOne;
		}
		String current = "";
		// 遍历较短的字符串,并依次减少短字符串的字符数量,判断长字符是否包含该子串
		for(int i=0; i<min.length(); i++){
			for(int begin=0, end=min.length()-i; end<=min.length(); begin++, end++){
				current = min.substring(begin, end);
				if(max.contains(current)){
					return current;
				}
			}
		}
		return null;
	}
	
	public static void main(String[] args) {
		String strOne = "abcdefg";
		String strTwo = "adefgwgeweg";
		String result = Solution.maxSubstring(strOne, strTwo);
		System.out.println(result);
	}
}




方法二:

参见:

采用一个二维矩阵来记录中间结果,矩阵的横坐标为字符串1的各个字符,矩阵的纵坐标为字符串2的各个字符。

举例说明:假设两个字符串分别为"bab"和"caba" (当然我们现在一眼就可以看出来最长公共子串是"ba"或"ab")

   b  a  b

c  0  0  0

a  0  1

b  1  0  1

a  0  1

可以看出,矩阵的斜对角线最长的那个就对应着两个字符串的最长公共子串。

不过在二维矩阵上找最长的由1组成的斜对角线也是件麻烦费时的事,可以用下面的方法改进:当要在矩阵是填1时让它等于其左上角元素加1。

   b  a  b

c  0  0  0

1

1  0  2

2

这样矩阵中的最大元素就是最长公共子串的长度。另外,在构造这个二维矩阵的过程中由于得出矩阵的某一行后其上一行就没用了,所以实际上在程序中可以用一维数组来代替这个矩阵。



Java代码如下:

public class Solution{
	
	// 求解两个字符号的最长公共子串
	public static String maxSubstring(String strOne, String strTwo){
		// 参数检查
		if(strOne==null || strTwo == null){
			return null;
		}
		if(strOne.equals("") || strTwo.equals("")){
			return null;
		}
		// 矩阵的横向长度
		int len1 = strOne.length();
		// 矩阵的纵向长度
		int len2 = strTwo.length();
		
		// 保存矩阵的上一行
		int[] topLine = new int[len1];
		// 保存矩阵的当前行
		int[] currentLine = new int[len1];
		// 矩阵元素中的最大值
		int maxLen = 0;
		// 矩阵元素最大值出现在第几列
		int pos = 0;
		char ch = ' ';
		for(int i=0; i<len2; i++){
			ch = strTwo.charAt(i);
			// 遍历str1,填充当前行的数组
			for(int j=0; j<len1; j++){
				if( ch == strOne.charAt(j)){
					// 如果当前处理的是矩阵的第一列,单独处理,因为其坐上角的元素不存在
					if(j==0){
						currentLine[j] = 1;
					} else{
						currentLine[j] = topLine[j-1] + 1;
					}
					if(currentLine[j] > maxLen){
						maxLen = currentLine[j];
						pos = j;
					}
				}
			}
			// 将矩阵的当前行元素赋值给topLine数组; 并清空currentLine数组
			for(int k=0; k<len1; k++){
				topLine[k] = currentLine[k];
				currentLine[k] = 0;
			}
			// 或者采用下面的方法
			// topLine = currentLine;
			// currentLine = new int[len1];
		}
		return strOne.substring(pos-maxLen+1, pos+1);
	}
	
	public static void main(String[] args) {
		String str1 = "bab";
		String str2 = "caba";
		String result = Solution.maxSubstring(str1, str2);
		System.out.println(result);
	}
}