Sunday算法是Daniel M.Sunday于1990年提出的字符串模式匹配算法。相对比较KMP和BM算法而言,简单了许多。
Sunday算法的思想类似于BM算法中的坏字符思想,有点像其删减版。差别在于Sunday算法在失配之后,是取目标串中当前和模式串匹配的部分后面一个位置的字符来做坏字符匹配。其时间复杂度和BM算法差不多,平均性能的时间复杂度也为O(n)。Sunday算法的位移比BM算法更大,所以Sunday算法的效率比BM算法更高,在匹配随机字符串时效率比其他匹配算法快。最差情况的时间复杂度为O(n * m),考虑如下目标串:baaaabaaaabaaaabaaaa,在里面搜索aaaaa,没有匹配位置。如果用Sunday算法,坏字符大部分都是a,而模式串中又全部都是a,所以在大部分情况下,失配后模式串只能往右移动1位。
匹配原理:从前往后匹配,如果不匹配,则根据母串S对齐部分的最后一个字符的下一个字符进行判断:如果该字符出现在模板串T中,则选择最右出现的位置进行对齐;否则,直接跳过该匹配区域。
母串S:s e a r c h s u b s t r i n g
模板串T:s u b s t r i n g
开始匹配(第1个字符):
s e a r c h s u b s t r i n g
s u b s t r i n g
继续下一字符匹配(第2个字符):
s e a r c h s u b s t r i n g
s u b s t r i n g
出现不匹配情况,查找母串对齐部分的最后一个字符的下一个字符s。在T中,字符s出现两次,按照原理,选择最右位置出现的s进行对齐,那么可以得到:
s e a r c h s u b s t r i n g
s u b s t r i n g
假设母串S为:s e a r c h s u b z t r i n g
那么当匹配到上述情况时,字符z在T中没有出现,那么就可以得到下面的情况:
s e a r c h s u b z t r i n g
s u b s t r i n g
这就是其原理的两种情况。
Java语言实现(s表示母串,t表示模板串):
public class Sunday {
// 数组容量可变,依字符范围而定
private static final int MAX_SIZE = 65536;
// 匹配失败时的移动距离
private static final int[] MOVE_LENGTH = new int[MAX_SIZE]; // 设置移动距离
private static void setMoveLength(int tLen, String t) {
int tLenPlusOne = tLen + 1;
// 默认子串中的任何字符不出现在母串中,移动距离是子串长度 + 1
for (int i = 0; i < MAX_SIZE; i++) {
MOVE_LENGTH[i] = tLenPlusOne;
} // 确定母串匹配部分最后一个字符的下一个字符在子串中最右出现的位置
for (int i = 0; i < tLen; i++) {
MOVE_LENGTH[t.charAt(i)] = tLen - i;
}
} // 顺序查找指定子串在指定母串中首次出现的位置
public static int indexOf(String s, String t) {
// 如果两个字符串至少有一个是null
if (s == null || t== null) {
return -1;
} // 获取字符串长度
int sLen = s.length();
int tLen = t.length();
// 设置移动距离
setMoveLength(tLen, t); // i是母串遍历下标
for (int i = 0; i < sLen; ) {
// j是子串遍历下标
int j = 0;
// 不断匹配字符
while (j < tLen && i + j < sLen && s.charAt(i + j) == t.charAt(j)) {
j++;
} // 如果查找成功
if (j == tLen) {
return i;
} // 向右移动距离最小是1,i + tLen是匹配时最后一个字符下标
// 如果该下标越界,则查找失败
if (i + tLen >= sLen) {
return -1;
} // 右移对齐
i += MOVE_LENGTH[s.charAt(i + tLen)];
} // 查找失败
return -1;
} public static void main(String[] args) {
String s = "searchsubstring";
String t = "substring";
System.out.println(indexOf(s, t));
} }
结果:
6
参考资料