题目
编写一个函数来查找字符串数组中的最长公共前缀。
如果不存在公共前缀,返回空字符串 “”。
示例 1:
输入:strs = ["flower","flow","flight"]
输出:"fl"
示例 2:
输入:strs = ["dog","racecar","car"]
输出:""
解释:输入不存在公共前缀。
提示:
1 <= strs.length <= 200
0 <= strs[i].length <= 200
strs[i] 仅由小写英文字母组成
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-common-prefix
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路
不断扩大公共前缀的长度,然后遍历检查所有字符串是否具有该长度的公共前缀。
C++ 代码
class Solution {
public:
string longestCommonPrefix(vector<string>& strs) {
if (strs.empty() || strs[0].empty())
return string();
if (strs.size() == 1)
return strs[0];
int maxIndex;
bool pass = true;
for (maxIndex = 0; maxIndex < strs[0].size(); ++maxIndex) {
for (int i = 1; i < strs.size(); ++i) {
if (strs[i].size() < maxIndex + 1
|| strs[i][maxIndex] != strs[0][maxIndex]) {
pass = false;
break;
}
}
if (!pass)
break;
}
return strs[0].substr(0, maxIndex);
}
};