Python教程

python最长公共前缀

本文主要是介绍python最长公共前缀,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

题目:

编写一个函数来查找字符串数组中的最长公共前缀。

如果不存在公共前缀,返回空字符串 ""

 法一:横向扫描

LCP(S1 …Sn)=LCP(LCP(LCP(S1,S2),S3),…Sn)

基于该结论,可以得到一种查找字符串数组中的最长公共前缀的简单方法。依次遍历字符串数组中的每个字符串,对于每个遍历到的字符串,更新最长公共前缀,当遍历完所有的字符串以后,即可得到字符串数组中的最长公共前缀。

class Solution:
    def longestCommonPrefix(self, strs: List[str]) -> str:
        if not strs:
            return ""

        prefix, count = strs[0], len(strs)
        for i in range(1, count):
            prefix = self.lcp(prefix, strs[i])
            if not prefix:
                break

        return prefix

    def lcp(self, str1, str2):
        length, index = min(len(str1), len(str2)), 0
        while index < length and str1[index] == str2[index]:
            index += 1
        return str1[:index]

 法二:纵向扫描

方法一是横向扫描,依次遍历每个字符串,更新最长公共前缀。另一种方法是纵向扫描。纵向扫描时,从前往后遍历所有字符串的每一列,比较相同列上的字符是否相同,如果相同则继续对下一列进行比较,如果不相同则当前列不再属于公共前缀,当前列之前的部分为最长公共前缀。

class Solution:
    def longestCommonPrefix(self, strs: List[str]) -> str:
        if not strs:
            return ""
        result = ""
        strs.sort(key=lambda i:len(i))
        length, count = len(strs[0]), len(strs)
        i = 0
        for i in range(length):
            c = strs[0][i]
            # if any(i == len(strs[j]) or strs[j][i] != c for j in range(1, count)):
            for j in range(1, count):
                # if i == len(strs[j]) or (strs[j][i]!= c):
                if (strs[j][i] != c):
                    return strs[0][:i]
        if i == len(strs[0])-1:
            return strs[0][:i+1]#strs=["a","ab"]上段for全部循环完没有return的时候
        return strs[0]#strs=["",""]

#优化版
class Solution:
    def longestCommonPrefix(self, strs: List[str]) -> str:
        if not strs:
            return ""

        length, count = len(strs[0]), len(strs)
        for i in range(length):
            c = strs[0][i]
            if any(i == len(strs[j]) or strs[j][i] != c for j in range(1, count)):#strs=["ab","a"]时,i==len(strs[j]==1
                return strs[0][:i]
        return strs[0]

s = ["", ""]
S = Solution()
result = S.longestCommonPrefix(s)
print(result)

这篇关于python最长公共前缀的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!