1. 程式人生 > 其它 >LeetCode0389-找不同

LeetCode0389-找不同

技術標籤:LeetCode字串leetcode演算法找不同

LeetCode0389-找不同

題目:

給定兩個字串 s 和 t,它們只包含小寫字母。

字串 t 由字串 s 隨機重排,然後在隨機位置新增一個字母。

請找出在 t 中被新增的字母。

示例 1:

輸入:s = "abcd", t = "abcde"
輸出:"e"
解釋:'e' 是那個被新增的字母。

示例 2:

輸入:s = "", t = "y"
輸出:"y"

示例 3:

輸入:s = "a", t = "aa"
輸出:"a"

示例 4:

輸入:s = "ae", t = "aea"
輸出:"a"

提示:

0 <= s.length <= 1000
t.length == s.length + 1
s 和 t 只包含小寫字母

程式碼:

/**
 * 0389-找不同
 * 給定兩個字串 s 和 t,它們只包含小寫字母。
 * <p>
 * 字串 t 由字串 s 隨機重排,然後在隨機位置新增一個字母。
 * <p>
 * 請找出在 t 中被新增的字母。
 * <p>
 * 示例 1:
 * <p>
 * 輸入:s = "abcd", t = "abcde"
 * 輸出:"e"
 * 解釋:'e' 是那個被新增的字母。
 * <p>
 * 示例 2:
 * <p>
 * 輸入:s = "", t = "y"
 * 輸出:"y"
 * <p>
 * 示例 3:
 * <p>
 * 輸入:s = "a", t = "aa"
 * 輸出:"a"
 * <p>
 * 示例 4:
 * <p>
 * 輸入:s = "ae", t = "aea"
 * 輸出:"a"
 * <p>
 * 提示:
 * <p>
 * 0 <= s.length <= 1000
 * t.length == s.length + 1
 * s 和 t 只包含小寫字母
 */
/** * 分析: * 首先遍歷字串 s ,對其中的每個字元都將計數值加1;然後遍歷字串 t,對其中的每個字元計數值減1. * 當發現某個字元的計數值為負數說明該字元在字串 t 中出現的 次數大於在字串 s 中出現的次數,因此該 * 字元為被新增字元。 */ class Solution { public char findTheDifference(String s, String t) { int[] chart = new int[26]; int sLength = s.length(); int tLength = t.
length(); for (int i = 0; i < sLength; i++) { char ch = s.charAt(i); chart[ch - 'a']++; } for (int i = 0; i < tLength; i++) { char ch = t.charAt(i); chart[ch - 'a']--; if (chart[ch - 'a'] < 0) { return ch; } } return ' '; } } /** * 測試 * */ public class Study0389 { public static void main(String[] args) { System.out.println(new Solution().findTheDifference("abcd", "abcde")); } }

結果:

在這裡插入圖片描述