所以我有一个随机的 javascript 名称数组...
[@larry,@nicholas,@notch] 等等。
它们都以@ 符号开头。我想按 Levenshtein Distance 对它们进行排序,以便列表顶部的那些最接近搜索词。目前,我有一些使用 jQuery 的 javascript,在按键输入的搜索词周围.grep()
使用 javascript方法:.match()
(自首次发布以来编辑的代码)
limitArr = $.grep(imTheCallback, function(n){
return n.match(searchy.toLowerCase())
});
modArr = limitArr.sort(levenshtein(searchy.toLowerCase(), 50))
if (modArr[0].substr(0, 1) == '@') {
if (atRes.childred('div').length < 6) {
modArr.forEach(function(i){
atRes.append('<div class="oneResult">' + i + '</div>');
});
}
} else if (modArr[0].substr(0, 1) == '#') {
if (tagRes.children('div').length < 6) {
modArr.forEach(function(i){
tagRes.append('<div class="oneResult">' + i + '</div>');
});
}
}
$('.oneResult:first-child').addClass('active');
$('.oneResult').click(function(){
window.location.href = 'http://hashtag.ly/' + $(this).html();
});
它还有一些 if 语句检测数组是否包含主题标签 (#) 或提及 (@)。忽略那个。imTheCallback
是名称数组,标签或提及,然后是modArr
排序的数组。然后.atResults
and.tagResults
元素是它每次在数组中附加的元素,这会根据输入的搜索词形成一个名称列表。
我也有 Levenshtein 距离算法:
var levenshtein = function(min, split) {
// Levenshtein Algorithm Revisited - WebReflection
try {
split = !("0")[0]
} catch(i) {
split = true
};
return function(a, b) {
if (a == b)
return 0;
if (!a.length || !b.length)
return b.length || a.length;
if (split) {
a = a.split("");
b = b.split("")
};
var len1 = a.length + 1,
len2 = b.length + 1,
I = 0,
i = 0,
d = [[0]],
c, j, J;
while (++i < len2)
d[0][i] = i;
i = 0;
while (++i < len1) {
J = j = 0;
c = a[I];
d[i] = [i];
while(++j < len2) {
d[i][j] = min(d[I][j] + 1, d[i][J] + 1, d[I][J] + (c != b[J]));
++J;
};
++I;
};
return d[len1 - 1][len2 - 1];
}
}(Math.min, false);
如何在当前代码中使用算法(或类似算法)对其进行排序而不会产生不良性能?
更新:
所以我现在正在使用 James Westgate 的 Lev Dist 函数。工作 WAYYYY 快。所以性能解决了,现在的问题是使用它的源...
modArr = limitArr.sort(function(a, b){
levDist(a, searchy)
levDist(b, searchy)
});
.sort()
我现在的问题是对使用该方法的一般理解。感谢您的帮助,谢谢。
谢谢!