-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcommon_pref.py
25 lines (25 loc) · 1015 Bytes
/
common_pref.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
# Learn Python together
"""Write a function to find the longest common prefix string amongst an array of strings.
Input: strs = ["flower","flow","flight"]
Output: "fl"
"""
# Solution
def longestCommonPrefix(strs):
if not strs: # return empty str if input is empty str
return ""
output = "" # empty output
shortest_str = min(strs, key=len) # get the shortest string in the list
for i in range(len(shortest_str)): # check each characters of the shortest string
# check if every string have the same character at index i
if all(s[i] == shortest_str[i] for s in strs):
output += shortest_str[i] # add character to output
else:
break # otherwise return empty output
return output
# Check
strs = ["flower","flow","flight"]
strs2 = ["dog","racecar","car"]
strs3 = ["ab", "a"]
print(longestCommonPrefix(strs)) # Output: -> fl
print(longestCommonPrefix(strs2)) # Output: ->
print(longestCommonPrefix(strs3)) # Output: -> a