最長公共子串 二維陣列 Go實現

HayPinF發表於2021-01-01

參考:https://blog.csdn.net/dongyanwen6036/article/details/87914940

 


//CommonSubstr 尋找兩個字串間的最大相同子串
func CommonSubstr(A string, B string) string {
	//構造BxA的二維陣列C,每個元素C[i][j]包含兩個資訊:1、該元素對應的B[i]與A[j]兩個字元是否相同
	//2、 如果B[i]與A[j]相同,且各倒退一個字元B[i-1]A[j-1]也相同,則與前面字元構成一個公共子串,
	//在C[i][j]元素額外儲存當前公共子串的長度1+C[i-1][j-1]的子串長度;如果B[i-1]A[j-1]不同
	//則C[i][j]元素的公共子串的長度就只有當前公共字元一個
	var irecord, nMax int
	nMax = 0
	var Common [][][]int
	Common = make([][][]int, len(B), len(B))
	for i := 0; i < len(B); i++ {
		Common[i] = make([][]int, len(A), len(A))
		for j := 0; j < len(A); j++ {
			//Go初始化使用型別的零值,不用手動初始化
			Common[i][j] = make([]int, 2, 2)
			Common[i][j] = []int{0, 0}
			if B[i] == A[j] {
				Common[i][j][0] = 1
				if i > 0 && j > 0 {
					Common[i][j][1] = 1 + Common[i-1][j-1][1]
				} else {
					Common[i][j][1] = 1
				}
				if Common[i][j][1] > nMax {
					nMax = Common[i][j][1]
					irecord = i
				}
			} else {
				Common[i][j][0] = 0
				Common[i][j][1] = 0
			}
		}
	}
	if nMax == 0 {
		return ""
	} else {
		return B[irecord-nMax+1 : irecord+1]
	}

	//
}

 

相關文章