Leetcode 014 Longest Common Prefix

Write a function to find the longest common prefix string amongst an array of strings.

If there is no common prefix, return an empty string “”.

Input: strs = ["flower","flow","flight"]
Output: "fl"
Input: strs = ["dog","racecar","car"]
Output: ""
Explanation: There is no common prefix among the input strings.
  • Soruda bir string listesi veriliyor ve bu listedeki kelimelerin en uzun ortak başlangıç harfleri soruluyor.
  • Yapmamız gereken ilk elemanın harflerini diğer kelimelerin harfleri ile karşılaştırmak.
  • Dikkat edilmesi gereken eğer elimizdeki kelimenin harfleri biterse diye onun uzunluğunuda kontrol ederek gitmek.
    def longestCommonPrefix(self, strs: List[str]) -> str:
        res = ""
        
        for i in range(len(strs[0])):
            for s in strs:
                if i==len(s) or s[i] != strs[0][i]:
                    return res
            
            res+=strs[0][i]
        
        return res