本文主要是介绍【map、位运算】leetcode-389.找不同,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
389.找不同
难度:简单
题目描述:给定两个字符串 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 只包含小写字母
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/find-the-difference
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
方法一:(map)
class Solution {
public:char findTheDifference(string s, string t) {map<char, int> sMap;map<char, int> tMap;for (int i = 0; i < s.length(); i++) {if (!sMap.count(s[i])) {sMap.insert(pair<char, int>(s[i], 1));} else {sMap[s[i]]++;}if (!tMap.count(t[i])) {tMap.insert(pair<char, int>(t[i], 1));} else {tMap[t[i]]++;}}if (!tMap.count(t[t.length()-1])) {tMap.insert(pair<char, int>(t[t.length()-1], 1));} else {tMap[t[t.length()-1]]++;}for (auto x:tMap) {if (sMap.count(x.first) && sMap[x.first] != x.second)return x.first;if (!sMap.count(x.first))return x.first;}return s[0];}
};
方法二:(位运算)
class Solution {
public:char findTheDifference(string s, string t) {char result;for (int i = 0; i < s.length(); i++) {result ^= s[i];result ^= t[i];}result ^= t[s.length()];return result;}
};
方法三:(求和做差)
class Solution {
public:char findTheDifference(string s, string t) {int sum = 0;for (int i = 0; i < s.length(); i++) {sum += t[i];sum -= s[i];}return (char)(sum + t[s.length()]);}
};
这篇关于【map、位运算】leetcode-389.找不同的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!