Levenshtein distance:修订间差异
无编辑摘要 |
无编辑摘要 |
||
第29行: | 第29行: | ||
Therefore, the time it takes to calculate the Levenshtein distance between two strings increases linearly with the combined length of both strings. | Therefore, the time it takes to calculate the Levenshtein distance between two strings increases linearly with the combined length of both strings. | ||
=== Code === | |||
ld(x, y) = min -> ld(x-1, y)+1 OR ld(x, y-1)+1 OR ld(x-1, y-1)+[0|1] | |||
[0|1]: if x[-1] = y[-1], then 0 else 1 | |||
==== Python ==== | |||
// Levenshtein Distance, recursion | |||
// Less efficient because there are multiple double counts | |||
def ld(str1, str2): | |||
m = len(str1) | |||
n = len(str2) | |||
if m == 0: return n | |||
if n == 0: return m | |||
if str1 == str2: return 0 | |||
d = 0 if str1[-1] == str2[-1] else 1 | |||
return min(ld(str1, str2[:-1]) + 1, ld(str1[:-1], str2) + 1, ld(str1[:-1], str2[:-1]) + d) | |||
[[分类:Develop]] | [[分类:Develop]] | ||
[[分类:Algorithm]] | [[分类:Algorithm]] |
2024年6月5日 (三) 14:53的版本
MED(Minimum Edit Distance,编辑距离),由俄罗斯数学家弗拉基米尔·莱文斯坦(Vladimir Levenshtein)在 1965 年提出,也因此而得名 Levenshtein Distance(莱文斯坦距离)。
在信息论、语言学和计算机科学领域,Levenshtein Distance 是用来度量两个序列相似程度的指标。通俗地来讲,编辑距离指的是在两个单词之间,由其中一个单词转换为另一个单词所需要的最少单字符编辑操作次数(插入(Insertion)、删除(Deletion)、替换(Substitution))。
如:ld[hello, hell] = 1(插入"o"), ld[sit, seat] = 2
应用场景
- 拼写检查
采用数据对齐的方式解决地址信息不完全一致问题,通过 MED 算法就可以获取到其他相关的数据显示出来
- 数据匹配
词典应用的拼写提示,例如输入了 throwab,就能提示出 throwable。基本方法是遍历 t 开头的单词库,寻找匹配度比较高(LD值比较小)的单词进行提示
- 匹配侦测
例如可以把匹配度高于某一个阈值的代码、文章初筛出来以便于进一步确认是否抄袭。
Time Complexity
The Levenshtein distance algorithm implemented with dynamic programming has a time complexity of O(mn), where:
- m is the length of the first string.
- n is the length of the second string.
This means the running time of the algorithm grows proportionally to the product of the string lengths.
Here's why:
1. The algorithm uses a 2D DP table with dimensions (m+1) x (n+1). 2. It iterates through each cell of this table, performing constant-time operations like comparisons and minimum value calculations. 3. The total number of cells to be filled is (m+1) * (n+1), which translates to O(mn) complexity.
Therefore, the time it takes to calculate the Levenshtein distance between two strings increases linearly with the combined length of both strings.
Code
ld(x, y) = min -> ld(x-1, y)+1 OR ld(x, y-1)+1 OR ld(x-1, y-1)+[0|1] [0|1]: if x[-1] = y[-1], then 0 else 1
Python
// Levenshtein Distance, recursion // Less efficient because there are multiple double counts def ld(str1, str2): m = len(str1) n = len(str2) if m == 0: return n if n == 0: return m if str1 == str2: return 0 d = 0 if str1[-1] == str2[-1] else 1 return min(ld(str1, str2[:-1]) + 1, ld(str1[:-1], str2) + 1, ld(str1[:-1], str2[:-1]) + d)