比较两个字符串以查看它们有多相似的最佳方法是什么?
例子:
My String My String With Extra Words
要么
My String My Slightly Different String
我正在寻找的是确定每对中的第一和第二个字符串有多相似。我想对比较进行评分,如果字符串足够相似,我会认为它们是匹配对。
在C#中有什么好方法吗?
static class LevenshteinDistance { public static int Compute(string s, string t) { if (string.IsNullOrEmpty(s)) { if (string.IsNullOrEmpty(t)) return 0; return t.Length; } if (string.IsNullOrEmpty(t)) { return s.Length; } int n = s.Length; int m = t.Length; int[,] d = new int[n + 1, m + 1]; // initialize the top and right of the table to 0, 1, 2, ... for (int i = 0; i <= n; d[i, 0] = i++); for (int j = 1; j <= m; d[0, j] = j++); for (int i = 1; i <= n; i++) { for (int j = 1; j <= m; j++) { int cost = (t[j - 1] == s[i - 1]) ? 0 : 1; int min1 = d[i - 1, j] + 1; int min2 = d[i, j - 1] + 1; int min3 = d[i - 1, j - 1] + cost; d[i, j] = Math.Min(Math.Min(min1, min2), min3); } } return d[n, m]; } }