编程语言
首页 > 编程语言> > C++中串BF模式匹配法

C++中串BF模式匹配法

作者:互联网

串BF模式匹配法也叫暴力匹配法,优点是便于理解,缺点是运行速度相对KMP模式匹配法来说会慢一些。BF模式匹配法具体如下:两个字符串分别为A,B。其中A是主串,B是子串,我们需要通过BF模式匹配法来得出子串B匹配主串A后,第一个字符主串A中出现的位置。

具体代码如下:

#include <iostream>
using namespace std;
#include <string>
int Index_BF(string A, string B) {
	int i = 0;  //主串A的下标变量
	int j = 0;  //子串B的下标变量
	int a = A.length();
	int b = B.length();
	while (i < a && j < b) { //这里跳出循环条件要么是i已经超出了A的大小或者是因为此时已经找到B才跳出)
		if (A[i] == B[j]) {
			i++, j++;
		}
		else {
			i = i - j + 1; //由于没找到i回溯到原来位置的后一个位置
			j = 0;   
		}
	}
	if (j == B.size()) {  //由上面跳出循环条件可知,此时找到了
		return i-b;
	}
	else {
		return -1; //没找到
	}
}
int main() {
	string a = "aabc";
	string b = "c";
	cout << Index_BF(a, b) << endl;
	return 0;
}

标签:子串,主串,BF,string,int,C++,中串,模式匹配
来源: https://blog.csdn.net/weixin_64366370/article/details/123601378