1. 程式人生 > 實用技巧 >leetcode 392:判斷子序列

leetcode 392:判斷子序列

package com.example.lettcode.dailyexercises;

/**
 * @Class IsSubsequence
 * @Description 392 判斷子序列
 * 給定字串 s 和 t ,判斷 s 是否為 t 的子序列。
 * 你可以認為 s 和 t 中僅包含英文小寫字母。
 * 字串 t 可能會很長(長度 ~= 500,000),而 s 是個短字串(長度 <=100)。
 * 字串的一個子序列是原始字串刪除一些(也可以不刪除)
 * 字元而不改變剩餘字元相對位置形成的新字串。
 * (例如,"ace"是"abcde"的一個子序列,而"aec"不是)。
 * <p>
 * 示例 1:
 * s = "abc", t = "ahbgdc"
 * 返回 true.
 * <p>
 * 示例 2:
 * s = "axc", t = "ahbgdc"
 * 返回 false.
 * @Author 
 * @Date 2020/7/14
 **/
public class IsSubsequence {
}
/**
 * 解法1:遞迴
 */
public static boolean isSubsequence(String s, String t) {
	// s=="" 或者t=""??
	if (s == null || t == null) return false;
	return recur(s, 0, t, 0);
}
/**
 * 遞迴:表示s[0..k-1] 均在t[..index-1]處找到對應的子序列
 */
public static boolean recur(String s, int k, String t, int index) {
	// t字串已到結尾,但沒有找到s對應的子序列
	if (k < s.length() && index >= t.length()) return false;
	// s[0..k-1] 已找到對應的子序列
	if (k == s.length()) return true;
	// 判斷當前位置s[k]與t[index]是否相等,相等比較兩者的下一個位置的字元
	// 否則s[k]將於t[index+1]進行比較
	if (s.charAt(k) == t.charAt(index)) {
		return recur(s, k + 1, t, index + 1);
	}
	return recur(s, k, t, index + 1);
}
/**
 * 解法2:雙指標,分別指向兩個字串
 */
public static boolean isSubsequence(String s, String t) {
	if (s == null || t == null) return false;

	int indexS = 0;
	int indexT = 0;
	while (indexS < s.length() && indexT < t.length()) {
		if (s.charAt(indexS) != t.charAt(indexT)) {
			indexT++;
			continue;
		}
		indexS++;
		indexT++;
	}
	if (indexS >= s.length()) return true;
	return false;
}
// 測試用例
public static void main(String[] args) {
	String s = "abc", t = "ahbgdc";
	boolean ans = isSubsequence(s, t);
	System.out.println("IsSubsequence demo01 result:" + ans);

	s = "axc";
	t = "ahbgdc";
	ans = isSubsequence(s, t);
	System.out.println("IsSubsequence demo02 result:" + ans);

	s = "";
	t = "ahbgdc";
	ans = isSubsequence(s, t);
	System.out.println("IsSubsequence demo03 result:" + ans);

	s = "axc";
	t = "";
	ans = isSubsequence(s, t);
	System.out.println("IsSubsequence demo04 result:" + ans);
}