Leetcode-389.找不同

题目:

给定两个字符串 s 和 t ,它们只包含小写字母。

字符串 t 由字符串 s 随机重排,然后在随机位置添加一个字母。

请找出在 t 中被添加的字母。

示例 1:

输入:s = "abcd", t = "abcde"
输出:"e"
解释:'e' 是那个被添加的字母。

示例 2:

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

提示:

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

本道题,我首先想到的居然是排序:

方法一:

class Solution {
    public char findTheDifference(String s, String t) {
        char[] arr1 = s.toCharArray();//先转换成字符
        char[] arr2 = t.toCharArray();
       Arrays.sort(arr1);//排序
       Arrays.sort(arr2);
       for (int i = 0;i

 后面,发现本道题两个字符串之间就只相差一个字母,那么只要用ASCLL码的总和,然后作差,就是那个多出来的字母了。

方法二:

class Solution {
    public char findTheDifference(String s, String t) {
        int sum = t.charAt(t.length()-1);//因为t比s长,先把t最后一位的ascll码存放在sum中
//之后的t和s就一样长了,方便操作。
        for(int i = 0;i

你可能感兴趣的:(leetcode,算法)