1. 程式人生 > 其它 >leetcode 522. 最長特殊序列 II

leetcode 522. 最長特殊序列 II

給定字串列表,你需要從它們中找出最長的特殊序列。最長特殊序列定義如下:該序列為某字串獨有的最長子序列(即不能是其他字串的子序列)。

子序列可以通過刪去字串中的某些字元實現,但不能改變剩餘字元的相對順序。空序列為所有字串的子序列,任何字串為其自身的子序列。

輸入將是一個字串列表,輸出是最長特殊序列的長度。如果最長特殊序列不存在,返回 -1 。

示例:

輸入: "aba", "cdc", "eae"
輸出: 3

提示:

所有給定的字串長度不會超過 10 。
給定字串列表的長度將在 [2, 50 ] 之間。

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/longest-uncommon-subsequence-ii
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。

1:先把字串排序,按照長度從大到小排序。
2:遍歷字串,判斷其是否是大於等於它長度的字串的子串,若是,則下一個,若不是,則返回其長度為所求。
    public int findLUSlength(String[] strs) {
        int length = strs.length;
        Arrays.sort(strs, (a, b) ->  b.length() - a.length());
        for (int i = 0; i < length; i++) {
            boolean flag = true;
            String value = strs[i];
            int l = value.length();
            for (int j = 0; j < length; j++) {
                if (i == j) {
                    continue;
                }
                if (l > strs[j].length()) {
                    break;
                }
                if (find(strs[j], value)) {
                    flag = false;
                    break;
                }
            }
            if (flag) {
                return value.length();
            }
        }
        return -1;
    }

    /**
     * 判斷 b 是否是 a 的子串
     *
     * @param a 字串
     * @param b 字串
     * @return b 是否是 a 的子串
     */
    private boolean find(String a, String b) {
        int m = a.length();
        int n = b.length();
        int i = 0;
        int j = 0;
        while (i < m && j < n) {
            if (a.charAt(i) == b.charAt(j)) {
                j++;
            }
            i++;
        }
        return j == n;
    }