美文网首页
每日一题-leetcode 一次编辑

每日一题-leetcode 一次编辑

作者: 程序员小2 | 来源:发表于2022-05-13 10:23 被阅读0次

    字符串有三种编辑操作:插入一个字符、删除一个字符或者替换一个字符。 给定两个字符串,编写一个函数判定它们是否只需要一次(或者零次)编辑。

    示例 1:

    输入:
    first = "pale"
    second = "ple"
    输出: True

    示例 2:

    输入:
    first = "pales"
    second = "pal"
    输出: False

    java代码:

    class Solution {
        public boolean oneEditAway(String first, String second) {
            int m = first.length(), n = second.length();
            if(Math.abs(m-n)>1) {
                return false;
            }
    
            if (n - m == 1) {
                return oneInsert(first, second);
            } else if (m - n == 1) {
                return oneInsert(second, first);
            } else {
                boolean foundDifference = false;
                int diffCount = 0;
                for (int i = 0; i < m; i++) {
                    if (first.charAt(i) != second.charAt(i)) {
                        diffCount++;
                        if(diffCount>1) {
                            return false;
                        }
                    }
                }
                return true;
            }
    
    
        }
    
        public boolean oneInsert(String shorter, String longer) {
            int length1 = shorter.length(), length2 = longer.length();
            int index1 = 0, index2 = 0;
            while (index1 < length1 && index2 < length2) {
                if (shorter.charAt(index1) == longer.charAt(index2)) {
                    index1++;
                }
                index2++;
                if (index2 - index1 > 1) {
                    return false;
                }
            }
            return true;
        }
    }
    
    

    相关文章

      网友评论

          本文标题:每日一题-leetcode 一次编辑

          本文链接:https://www.haomeiwen.com/subject/rpmyurtx.html