【LeetCode】14. Longest Common Prefix 最长公共前缀问题

题目:

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

翻译:找到一个字符串数组的最长公共前缀。

例如:若给定字符串数组string[] strs为:

            aabbccdd

            aabbbbbcccccc

            aab

            aabbccd

            则返回的最长公共前缀为:aab


基本思想:

             1.strs为空(无字符串),或第一个字符串str[0]为空串,则返回空串;

             2.若strs的大小为1,即只有一个字符串,则该字符串本身就是这个字符串数组本身的最长公共前缀;

             3.若不满足以上两种情况,则依次比对第1个字符串和其他所有字符串的第1个字符、第2个字符、第3个字符...第i个字符...直到某个字符串长度小于i+1,或者第i个字符不匹配,则返回第1个字符串的前i个字符前缀为最长公共前缀;

             4.若第一个字符串的所有字符均比对完毕,还未返回,则返回第1个字符串为最长公共前缀。


代码:

public class Solution {
    public string LongestCommonPrefix(string[] strs) {
        if(strs.Length==0||strs[0].Length==0)
            return string.Empty;
        if(strs.Length==1)
            return strs[0];
        int i=0;
        while(i<strs[0].Length)
        {
            for(int j=1;j<strs.Length;j++)
            {
                if(strs[j].Length<i+1||strs[j][i]!=strs[0][i])
                    return strs[0].Substring(0,i);
            }
            i++;
        }
        return strs[0];
        
    }
}




你可能感兴趣的:(【LeetCode】14. Longest Common Prefix 最长公共前缀问题)