当前位置: 首页 > 工具软件 > Strings edit > 使用案例 >

161. One Edit Distance

司马彦
2023-12-01

Given two strings S and T, determine if they are both one edit distance apart.

所谓one edit distance是指只改变一个字母,更改、删除或者增加。解题思路从前向后遍历,遇到不同的字符,就对比之后的子字符串是否相同,相同说明只有这一处不同,不同则说明至少有两处,不符合题意。代码如下:

public class Solution {
    public boolean isOneEditDistance(String s, String t) {
        for (int i = 0; i < Math.min(s.length(), t.length()); i ++) {
            if (s.charAt(i) != t.charAt(i)) {
                if (s.length() == t.length()) {
                    return s.substring(i + 1).equals(t.substring(i + 1));
                } else if (s.length() < t.length()) {
                    return s.substring(i).equals(t.substring(i + 1));
                } else {
                    return s.substring(i + 1).equals(t.substring(i));
                }
            }
        }
        return Math.abs(s.length() - t.length()) == 1;
    }
}

 类似资料:

相关阅读

相关文章

相关问答