字符串有三种编辑操作:插入一个字符、删除一个字符或者替换一个字符。 给定两个字符串,编写一个函数判定它们是否只需要一次(或者零次)编辑。
示例 1:
输入: first = "pale" second = "ple" 输出: True
示例 2:
输入: first = "pales" second = "pal" 输出: False
遍历两个字符串,逐个字符比较判断。
class Solution:
def oneEditAway(self, first: str, second: str) -> bool:
n1, n2 = len(first), len(second)
if abs(n1 - n2) > 1:
return False
if n1 + n2 <= 2:
return True
if first[0] != second[0]:
if n1 == n2:
return first[1:] == second[1:]
else:
return first[1:] == second or second[1:] == first
else:
return self.oneEditAway(first[1:], second[1:])
class Solution {
public boolean oneEditAway(String first, String second) {
int n1 = first.length(), n2 = second.length();
int differ = Math.abs(n1 - n2);
if (differ > 1) {
return false;
}
if (n1 + n2 <= 2) {
return true;
}
if (first.charAt(0) != second.charAt(0)) {
if (n1 == n2) {
return first.substring(1).equals(second.substring(1));
} else {
return first.substring(1).equals(second) || second.substring(1).equals(first);
}
} else {
return oneEditAway(first.substring(1), second.substring(1));
}
}
}