I'm sitting here and programmnging some algorithms for my main program in Java (well the first one so far). I programmed the levenshtein algorithm just fine thanks to wiki being so nice with the pseudocode to newbeginners plus a nice tutorial :D
I then decided to upgrade to Damerau and added the extra lines but then I read that it's not DL algo but OptimalStringAlignmentDistance instead. I tried reading the actionscript code to understand what more I needed to add to make it to DL but got confused instead. I've been to different places with code looking alike to Java but they all use the wrong pseudocode too.
After spending half the day I gave up and decided to ask here. Is there anyone who can help me with upgrading this code to Damerau-Levenshtein in Java?
public class LevensteinDistance {
private static int Minimum(int a, int b, int c) {
return Math.min(Math.min(a, b), c);
}
private static int Minimum (int a, int b) {
return Math.min(a, b);
}
public static int computeLevensteinDistance(String s, String t){
int d[][];
int n; // length of s
int m; // length of t
int i; // iterates through s
int j; // iterates through t
char s_i; // ith character of s
char t_j; // jth character of t
int cost; // cost
n = s.length ();
m = t.length ();
if (n == 0) {
return m;
}
if (m == 0) {
return n;
}
d = new int[n+1][m+1];
for (i = 0; i <= n; i++) {
d[i][0] = i;
}
for (j = 0; j <= m; j++) {
d[0][j] = j;
}
for(i = 1; i <= n; i++) {
s_i = s.charAt (i - 1);
for(j = 1; j <= m; j++) {
t_j = t.charAt (j - 1);
if(s_i == t_j){
cost = 0;
}else{
cost = 1;
}
d[i][j] = Minimum(d[i-1][j]+1, d[i][j-1]+1, d[i-1][j-1] + cost);
if(i > 1 && j > 1 && s_i == t_j-1 && s_i-1 == t_j){
d[i][j] = Minimum(d[i][j], d[i-2][j-2] + cost);
}
}
}
return d[n][m];
}
// public static void main(String[] args0){
// String a = "I decided it was best to ask the forum if I was doing it right";
// String b = "I thought I should ask the forum if I was doing it right";
// System.out.println(computeLevensteinDistance(a, b));
// }
}
Here is the Wikipedia page for the Damerau–Levenshtein distance algorithm