摘要:復雜度思路考慮用二維來表示變換的情況。如果兩個字符串中的字符相等,那么如果兩個字符串中的字符不相等,那么考慮不同的情況表示的是,從字符串到的位置轉換到字符串到的位置,所需要的最少步數。
LeetCode[72] Edit Distance
DPGiven two words word1 and word2, find the minimum number of steps required to convert word1 to word2. (each operation is counted as 1 step.)
You have the following 3 operations permitted on a word:
a) Insert a character
b) Delete a character
c) Replace a character
復雜度
O(MN), O(MN)
思路
考慮用二維dp來表示變換的情況。
如果兩個字符串中的字符相等,a[i] = b[j],那么dp[i][j] = dp[i - 1][j - 1] + 1;
如果兩個字符串中的字符不相等,那么考慮不同的情況
insert: dp[i][j] = dp[i][j - 1] + 1; replace: dp[i][j] = dp[i - 1][j - 1] + 1; delete: dp[i][j] = dp[i - 1][j] + 1;
dp[i][j]表示的是,從字符串1到i的位置轉換到字符串2到j的位置,所需要的最少步數。
代碼
public int minDistance(String word1, String word2) { int len1 = word1.length(); int len2 = word2.length(); int[][] dp = new int[len1 + 1][len2 + 1]; // initialize the dp array; for(int i = 0; i < len1; i ++) { dp[i + 1][0] = i + 1; } for(int j = 0; j < len2; j ++) { dp[0][j + 1] = j + 1; } // char[] arr1 = word1.toCharArray(); char[] arr2 = word2.toCharArray(); for(int i = 0; i < len1; i ++) { for(int j = 0; j < len2; j ++) { if(arr1[i] == arr2[j]) { dp[i][j] = dp[i - 1][j - 1] + 1; } else { dp[i][j] = Math.min(dp[i - 1][j - 1], Math.min(dp[i][j - 1], dp[i - 1][j])) + 1; } } } return dp[len1][len2]; }
文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。
轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/65230.html
摘要:題目要求輸入兩個字符串和,允許對進行插入,刪除和替換的操作,計算出將轉化為所需要的最少的操作數。其中存儲的是轉換為的最小步數。首先從邊緣情況開始考慮。只要在此基礎上再進行一次插入操作即可以完成轉換。 題目要求 Given two words word1 and word2, find the minimum number of steps required to convert wor...
摘要:給出兩個解,一個是填表,一個是記憶化搜索。因為填表一定會把的表填滿。走出來的則是一條從起點到終點的線,不會填滿整個表。時間退化到,變成找路徑的時間。 72 Edit Distance Given two words word1 and word2, find the minimum number of steps required to convert word1 to word2. ...
摘要:比較長度法復雜度時間空間思路雖然我們可以用的解法,看是否為,但中會超時。這里我們可以利用只有一個不同的特點在時間內完成。 One Edit Distance Given two strings S and T, determine if they are both one edit distance apart. 比較長度法 復雜度 時間 O(N) 空間 O(1) 思路 雖然我們可以用...
摘要:復雜度思路考慮如果兩個字符串的長度,是肯定當兩個字符串中有不同的字符出現的時候,說明之后的字符串一定要相等。的長度比較大的時候,說明的時候,才能保證距離為。 LeetCode[161] One Edit Distance Given two strings S and T, determine if they are both one edit distance apart. Stri...
摘要:動態規劃復雜度時間空間思路這是算法導論中經典的一道動態規劃的題。 Edit Distance Given two words word1 and word2, find the minimum number of steps required to convert word1 to word2. (each operation is counted as 1 step.) You h...
閱讀 702·2021-09-29 09:34
閱讀 2554·2019-08-30 15:53
閱讀 3361·2019-08-29 17:17
閱讀 761·2019-08-29 16:08
閱讀 1120·2019-08-29 13:03
閱讀 951·2019-08-27 10:54
閱讀 688·2019-08-26 13:39
閱讀 2859·2019-08-26 13:34