Write a function to find the longest common prefix string amongst an array of strings.
写一个函数:找到给定array中string从头开始共有的最长的子string
答案
public class Solution {
public String longestCommonPrefix(String[] strs) {
int numberOfStrs = strs.length;
if (numberOfStrs == 0) return "";
String prexOfStrs = strs[0];//数组中第一个字符串
for (int i = 1; i < numberOfStrs; i++) {
while (strs[i].indexOf(prexOfStrs) != 0) {//如果返回的不是0,就证明prexOfStrs不在当前比较字符串中
prexOfStrs = prexOfStrs.substring(0, prexOfStrs.length() - 1);//将prexOfStrs最后一个字符去掉,继续比较
if (prexOfStrs.length() == 0) return "";//长度为零就证明没有共同的字符
}
}
return prexOfStrs;
}
}