Created
April 20, 2012 13:27
-
-
Save evanwalsh/2428555 to your computer and use it in GitHub Desktop.
Levenshtein distance
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
# http://ruby-snippets.heroku.com/string/levenshtein-distance | |
class String | |
def levenshtein(other, ins=2, del=2, sub=1) | |
# ins, del, sub are weighted costs | |
return nil if self.nil? | |
return nil if other.nil? | |
dm = [] # distance matrix | |
# Initialize first row values | |
dm[0] = (0..self.length).collect { |i| i * ins } | |
fill = [0] * (self.length - 1) | |
# Initialize first column values | |
for i in 1..other.length | |
dm[i] = [i * del, fill.flatten] | |
end | |
# populate matrix | |
for i in 1..other.length | |
for j in 1..self.length | |
# critical comparison | |
dm[i][j] = [ | |
dm[i-1][j-1] + | |
(self[j-1] == other[i-1] ? 0 : sub), | |
dm[i][j-1] + ins, | |
dm[i-1][j] + del | |
].min | |
end | |
end | |
# The last value in matrix is the | |
# Levenshtein distance between the strings | |
dm[other.length][self.length] | |
end | |
def similar?(other, thresh = 2) | |
self.levenshtein(other) < thresh | |
end | |
end |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment