美文网首页算法练习
字符串的最大公因子(LeetCode 1071)

字符串的最大公因子(LeetCode 1071)

作者: 倚剑赏雪 | 来源:发表于2020-03-12 14:50 被阅读0次

    题目

    对于字符串 S 和 T,只有在 S = T + ... + T(T 与自身连接 1 次或多次)时,我们才认定 “T 能除尽 S”。

    返回最长字符串 X,要求满足 X 能除尽 str1 且 X 能除尽 str2。

    示例 1:

    输入:str1 = "ABCABC", str2 = "ABC"
    输出:"ABC"
    示例 2:

    输入:str1 = "ABABAB", str2 = "ABAB"
    输出:"AB"
    示例 3:

    输入:str1 = "LEET", str2 = "CODE"
    输出:""

    提示:

    1 <= str1.length <= 1000
    1 <= str2.length <= 1000
    str1[i] 和 str2[i] 为大写英文字母

    解析

    • 首先,先判断两个字符串互相连接是否相等,不等的话直接返回空
    • 然后,求两个字符串长度的最大公约长度
      *然后截取最大长度的子字符串

    代码

       //其实是最大公约数的变种
        public string GcdOfStrings(string str1, string str2)
        {
            if (str1 + str2 != str2 + str1) return "";
            return str1.Substring(0, MaxDivi(str1.Length, str2.Length));
        }
    
        int MaxDivi(int len1,int len2)
        {
            return len2 == 0 ? len1 : MaxDivi(len2, len1 % len2);
        }
    

    相关文章

      网友评论

        本文标题:字符串的最大公因子(LeetCode 1071)

        本文链接:https://www.haomeiwen.com/subject/dwnujhtx.html