carloscn / structstudy

Leetcode daily trainning by using C/C++/RUST programming.
4 stars 1 forks source link

leetcode521:最长特殊序列I(longest-uncommon-subsequence-i) #114

Open carloscn opened 1 year ago

carloscn commented 1 year ago

问题表述

给你两个字符串 a 和 b,请返回 这两个字符串中 最长的特殊序列  的长度。如果不存在,则返回 -1 。

「最长特殊序列」 定义如下:该序列为 某字符串独有的最长子序列(即不能是其他字符串的子序列) 。

字符串 s 的子序列是在从 s 中删除任意数量的字符后可以获得的字符串。

例如,"abc" 是 "aebdc" 的子序列,因为删除 "aebdc" 中斜体加粗的字符可以得到 "abc" 。 "aebdc" 的子序列还包括 "aebdc" 、 "aeb" 和 "" (空字符串)。   示例 1 输入: a = "aba", b = "cdc" 输出: 3 解释: 最长特殊序列可为 "aba" (或 "cdc"),两者均为自身的子序列且不是对方的子序列。

示例 2: 输入:a = "aaa", b = "bbb" 输出:3 解释: 最长特殊序列是 "aaa" 和 "bbb" 。

示例 3: 输入:a = "aaa", b = "aaa" 输出:-1 解释: 字符串 a 的每个子序列也是字符串 b 的每个子序列。同样,字符串 b 的每个子序列也是字符串 a 的子序列。  

提示: 1 <= a.length, b.length <= 100 a 和 b 由小写英文字母组成

来源:力扣(LeetCode) 链接:https://leetcode.cn/problems/longest-uncommon-subsequence-i

carloscn commented 1 year ago

问题分析

两者长度一样,且不相等,那么直接返回自身长度,因为对方不是自己的子串,而自己是自己的;反之长度不等,更长的肯定是自己的,题目求的也是最长的,直接返回更长的即可。

static int32_t longest_uncommon_subseq(const char *str_1, const char *str_2, int32_t *out)
{
    int32_t ret = 0;
    size_t sl_a = 0, sl_b = 0;

    UTILS_CHECK_PTR(str_1);
    UTILS_CHECK_PTR(str_2);
    UTILS_CHECK_PTR(out);

    sl_a = strlen(str_1);
    sl_b = strlen(str_2);

    if (strcmp(str_1, str_2) == 0) {
        *out = -1;
        goto finish;
    }

    *out = (sl_a >= sl_b) ? sl_a : sl_b;

finish:
    return ret;
}
carloscn commented 1 year ago

code

https://github.com/carloscn/structstudy/blob/master/c_programming/str/34_longest-uncommon-subsequence-i_521.c https://github.com/carloscn/structstudy/blob/master/rust_programming/str/src/n34_longest_uncommon_subsequence_i_521.rs

result

image