LeetCode 14.最长公共前缀

Posted 龚喜发财+1

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode 14.最长公共前缀相关的知识,希望对你有一定的参考价值。

编写一个函数来查找字符串数组中的最长公共前缀。
如果不存在公共前缀,返回空字符串 “”。

1.String和char类型之间的互相转换
String->char String.toCharArray()
char->String String s = String.valueOf('c'); //效率最高的方法 String s = Character.toString('c');
单位转换 string.charAt(0)将索引为0的字符转换为字符型
2.string的长度函数length()
数组的长度 length

题解1:暴力解法(纵向,一次比较每个字符串的各个字符,判断是否相等)

if (strs == null || strs.length == 0) {
            return "";
        }
        int length = strs[0].length();
        int count = strs.length;
        for (int i = 0; i < length; i++) {
            char c = strs[0].charAt(i);
            for (int j = 1; j < count; j++) {
            //注意两个判断问题的顺序问题
                if (i == strs[j].length() || strs[j].charAt(i) != c) {
                    return strs[0].substring(0, i);
                }
            }
        }
        return strs[0];

时间复杂度:O(mn)O(mn),其中 mm 是字符串数组中的字符串的平均长度,nn 是字符串的数量。最坏情况下,字符串数组中的每个字符串的每个字符都会被比较一次。
空间复杂度:O(1)O(1)。使用的额外空间复杂度为常数。

题解2:暴力解法(横向遍历 先判断前两个字符串的最长前缀,然后用最长前缀和后面的一个字符串进行比较得到最长前缀,直到找到最后一个或者最长前缀已经为空)

class Solution {
    public String longestCommonPrefix(String[] strs) {
        if (strs == null || strs.length == 0) {
            return "";
        }
        String prefix = strs[0];
        int count = strs.length;
        for (int i = 1; i < count; i++) {
            prefix = longestCommonPrefix(prefix, strs[i]);
            if (prefix.length() == 0) {
                break;
            }
        }
        return prefix;
    }

    public String longestCommonPrefix(String str1, String str2) {
        int length = Math.min(str1.length(), str2.length());
        int index = 0;
        while (index < length && str1.charAt(index) == str2.charAt(index)) {
            index++;
        }
        return str1.substring(0, index);
    }
}

以上是关于LeetCode 14.最长公共前缀的主要内容,如果未能解决你的问题,请参考以下文章

leetcode14最长公共前缀

[leetcode 14] 最长公共前缀

leetCode第14题——最长公共前缀

LeetCode 14. 最长公共前缀

LeetCode:最长公共前缀14

Leetcode 14 最长公共前缀