用哈希算法求字符串匹配——算法笔记

复杂度 m*n
它的思想类似于进制数转换,把目标数组看成一个ASCII数,然后求其hash值。

#include 
#include  
using namespace std;

long hash(string str)	//求字符串的一个hash值 
{
	int seed = 31;
	long hash=0;
	
	for(int i=0; i<str.length(); i++)		//通过 seed 进行了类似进制数转换的求hash法 
	{
		hash = seed*hash + str[i];			// hash是 long 型,+str[i]自动把它转成ASCII了 
	}
	return hash;
}

void match(string p, string s)
{
	long hash(string str);
	
	long hash_p = hash(p);	//p的hash值

	for(int i=0; i+p.size()<=s.size(); i++)
	{
		//cout << "---" << i << endl;
		long hash_i = hash(s.substr(i,p.size()) ); 	//i为起点,长度为p_len的字串的hash值 
		if(hash_i == hash_p)
		{
			cout << "match " << i << endl; //<< s.substr(i,p.size()) << endl;
		}

	} 
}

int main()
{
	string s = "ABABABA";
	string p = "ABA";		//在s中出现了3次,分别是在0、2、4的位置
	
	match(p,s); 

	return 0;
}

你可能感兴趣的:(C++算法笔记)