在字符串列表中查找与输入字符串最接近的匹配项

时间:2012-12-10 00:50:13

标签: c# .net vb.net visual-studio-2012

我在找到.net

最接近匹配字符串的实现时遇到问题

我想匹配一个字符串列表,例如:

输入字符串:“PublicznaSzkołaPodstawowaim.BolesławaChrobregowWąsoszu”

字符串列表:

PublicznaSzkołaPodstawowaim。 B. ChrobregowWąsoszu

SzkołaPodstawowaSpecjalna

SzkołaPodstawowaim.Henryka SienkiewiczawWąsoszu

SzkołaPodstawowaim。 Romualda TrauguttawWąsoszuGórnym

这显然需要与“PublicznaSzkołaPodstawowaim.B. ChrobregowWąsoszu”相匹配。

.net有哪些算法?

2 个答案:

答案 0 :(得分:17)

.NET不提供任何开箱即用的东西 - 您需要自己实现Edit Distance算法。例如,您可以使用Levenshtein Distance,如下所示:

// This code is an implementation of the pseudocode from the Wikipedia,
// showing a naive implementation.
// You should research an algorithm with better space complexity.
public static int LevenshteinDistance(string s, string t) {
    int n = s.Length;
    int m = t.Length;
    int[,] d = new int[n + 1, m + 1];
    if (n == 0) {
        return m;
    }
    if (m == 0) {
        return n;
    }
    for (int i = 0; i <= n; d[i, 0] = i++)
        ;
    for (int j = 0; 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;
            d[i, j] = Math.Min(
                Math.Min(d[i - 1, j] + 1, d[i, j - 1] + 1),
                d[i - 1, j - 1] + cost);
        }
    }
    return d[n, m];
}

为每个LevenshteinDistance(targetString, possible[i])致电i,然后选择possible[i]为其返回最小值的字符串LevenshteinDistance

答案 1 :(得分:15)

Edit distance

  

编辑距离是量化不同两个字符串的方式   (例如,单词)通过计算最小数量来相互关联   将一个字符串转换为另一个字符串所需的操作。

Levenshtein distance

  

非正式地说,两个单词之间的Levenshtein距离是最小的   单字符编辑的数量(即插入,删除或删除)   替换)需要将一个单词改为另一个单词。

Fast, memory efficient Levenshtein algorithm

C# Levenshtein

using System;

/// <summary>
/// Contains approximate string matching
/// </summary>
static class LevenshteinDistance
{
    /// <summary>
    /// Compute the distance between two strings.
    /// </summary>
    public static int Compute(string s, string t)
    {
    int n = s.Length;
    int m = t.Length;
    int[,] d = new int[n + 1, m + 1];

    // Step 1
    if (n == 0)
    {
        return m;
    }

    if (m == 0)
    {
        return n;
    }

    // Step 2
    for (int i = 0; i <= n; d[i, 0] = i++)
    {
    }

    for (int j = 0; j <= m; d[0, j] = j++)
    {
    }

    // Step 3
    for (int i = 1; i <= n; i++)
    {
        //Step 4
        for (int j = 1; j <= m; j++)
        {
        // Step 5
        int cost = (t[j - 1] == s[i - 1]) ? 0 : 1;

        // Step 6
        d[i, j] = Math.Min(
            Math.Min(d[i - 1, j] + 1, d[i, j - 1] + 1),
            d[i - 1, j - 1] + cost);
        }
    }
    // Step 7
    return d[n, m];
    }
}

class Program
{
    static void Main()
    {
    Console.WriteLine(LevenshteinDistance.Compute("aunt", "ant"));
    Console.WriteLine(LevenshteinDistance.Compute("Sam", "Samantha"));
    Console.WriteLine(LevenshteinDistance.Compute("flomax", "volmax"));
    }
}