求字符串最大的重复字串

1,定义一个后缀数组

2,对后缀数组排序

3,找出最大的重复字串:与其重复的最大字串,一定是相邻的。


private static int partition(String[] src, int low, int high) {
	if (src == null) {
		return -1;
	}

	String pivotValue = src[low];
	while (low < high) {
		while (low < high && src[high].compareTo(pivotValue) > 0)
			high--;
		src[low] = src[high];
		while (low < high && src[low].compareTo(pivotValue) < 0)
			low++;
		src[high] = src[low];
	}

	src[low] = pivotValue;
	return low;
}

public static void quickSort(String[] src, int low, int high) {
	if (src == null) {
		return;
	}

	if (low < high) {
		int mid = partition(src, low, high);
		quickSort(src, low, mid - 1);
		quickSort(src, mid + 1, high);
	}

}

public static String[] getSuffixChars(String src) {
	if (src == null) {
		return null;
	}
	String[] suffixStrings = new String[src.length()];
	for (int i = 0; i < src.length(); i++) {
		suffixStrings[i] = src.substring(i);
	}

	return suffixStrings;
}

private static int commonStringLength(String str1, String str2){
	if(str1==null || str2==null)
		return -1;
	int len1 = str1.length();
	int len2 = str2.length();
	int commonLength = 0;
	
	for(int i=0; i maxLength) {
			maxLength = commonLength;
			maxLoc = i-1;
		}
	}

	return suffixStrings[maxLoc].substring(0, maxLength);
}


你可能感兴趣的:(java,算法)