Longest Uncommon Subsequence I
💻 coding

Longest Uncommon Subsequence I

1 min read 249 words
1 min read
ShareWhatsAppPost on X
  • 1The longest uncommon subsequence is the longest subsequence of one string that is not a subsequence of the other string.
  • 2If both strings are identical, the longest uncommon subsequence does not exist, and the output should be -1.
  • 3The solution's time complexity is O(min(m,n)), where m and n are the lengths of the two strings.

AI-generated summary · May not capture all nuances

Key Insight
AskGif

"The longest uncommon subsequence is the longest subsequence of one string that is not a subsequence of the other string."

Longest Uncommon Subsequence I

Given two strings, you need to find the longest uncommon subsequence of these two strings. The longest uncommon subsequence is defined as the longest subsequence of one of these strings and this subsequence should not be any subsequence of the other string.

A subsequence is a sequence that can be derived from one sequence by deleting some characters without changing the order of the remaining elements. Trivially, any string is a subsequence of itself and an empty string is a subsequence of any string.

The input will be two strings, and the output needs to be the length of the longest uncommon subsequence. If the longest uncommon subsequence doesn't exist, return -1.

Example 1:

Input: a = "aba", b = "cdc"

Output: 3

Explanation: The longest uncommon subsequence is "aba", 

because "aba" is a subsequence of "aba", 

but not a subsequence of the other string "cdc".

Note that "cdc" can be also a longest uncommon subsequence.

Example 2:

Input: a = "aaa", b = "bbb"

Output: 3

Example 3:

Input: a = "aaa", b = "aaa"

Output: -1

Constraints:

Both strings' lengths will be between [1 - 100].

Only letters from a ~ z will appear in input strings.

Solution:

using System;
using System.Collections.Generic;
using System.Text;

namespace LeetCode.AskGif.Easy.String
{
 public class FindLUSlengthSoln
 {
 public int FindLUSlength(string a, string b)
 {
 if (a == b)
 return -1;
 else
 return Math.Max(a.Length, b.Length);
 }
 }
}

Time Complexity: O(min(m,n)) where m and n are the lengths of the string.

Space Complexity: O(1)

Enjoyed this article?

Share it with someone who'd find it useful.

ShareWhatsAppPost on X

AskGif

Published on 13 May 2020 · 1 min read · 249 words

Part of AskGif Blog · coding

You might also like