我在大文本文件中编写抄袭检测应用程序。在阅读了很多关于它的文章后,我决定使用Winnowing algorithm(使用Karp-Rabin滚动哈希函数),但我遇到了一些问题。
数据:
我有两个简单的文本文件 - 第一个是较大的文件,第二个是第一个的一个段落。
使用过的算法:
这是我用来从所有哈希中选择指纹的算法。
void winnow(int w /*window size*/) {
// circular buffer implementing window of size w
hash_t h[w];
for (int i=0; i<w; ++i) h[i] = INT_MAX;
int r = 0; // window right end
int min = 0; // index of minimum hash
// At the end of each iteration, min holds the
// position of the rightmost minimal hash in the
// current window. record(x) is called only the
// first time an instance of x is selected as the
// rightmost minimal hash of a window.
while (true) {
r = (r + 1) % w; // shift the window by one
h[r] = next_hash(); // and add one new hash, if hash = -1, then it's end of file
if(h[r] == -1)
break;
if (min == r) {
// The previous minimum is no longer in this
// window. Scan h leftward starting from r
// for the rightmost minimal hash. Note min
// starts with the index of the rightmost
// hash.
for(int i=(r-1)%w; i!=r; i=(i-1+w)%w)
if (h[i] < h[min]) min = i;
record(h[min], global_pos(min, r, w));
} else {
// Otherwise, the previous minimum is still in
// this window. Compare against the new value
// and update min if necessary.
if (h[r] <= h[min]) { // (*)
min = r;
record(h[min], global_pos(min, r, w));
}
}
}
}
接下来,为了检测两个文件中是否有相同的文本,我只是比较来自两个文本的指纹以检查我们是否匹配。因此,为了检测剽窃,算法必须采用将在文本中的相同位置开始的哈希,例如:
文本1: 做我的检查吧。
文本2: 我的责备了他的我的dasd鸡。
要获得具有相同值的正确哈希值(这也意味着我们有相同的文本),算法应该从我指向“|”的位置获取指纹或'^'(我假设我们用5个字符来计算哈希值,没有空格)。它不能从'|'获取哈希值在文本1和文本2中的'^',因为这两个哈希值将不同,并且不会检测到抄袭。
问题:
要检测此段落是否从文本编号1复制,我必须在两个文本中的某处都有两个相同的指纹。问题是算法选择那些不适合彼此的指纹,我的意思是他们只是错过了,即使是在更大的文本中。
问题:
你是否有任何想法如何改进这种算法(实际上归结为正确的羚牛指纹算法),它会更有可能找到抄袭?
我的想法:
我想过运行winnow函数几次,对于不同的窗口大小(会导致不同的哈希值),但对于这个程序必须工作的大文本(如2MB只是文本),这也需要很多时间。
答案 0 :(得分:2)
如果您正在运行正在计算哈希值的窗口,则可以在窗口移动时以恒定时间更新哈希值。该方法称为Rabin fingerprint(see also)。这应该允许您在O(n)运行时间内计算大小为X的所有指纹(n是输入文档的大小)。我想你引用的论文是这种方法的一些高级扩展,如果正确实现它也应该给你一个类似的运行时间。关键是更新哈希值而不是重新计算它。