描述:
给定两个由小写字母构成的字符串 A 和 B ,只要我们可以通过交换 A 中的两个字母得到与 B 相等的结果,就返回 true ;否则返回 false 。
示例 1:
输入: A = “ab”, B = “ba”
输出: true
示例 2:
输入: A = “ab”, B = “ab”
输出: false
示例 3:
输入: A = “aa”, B = “aa”
输出: true
示例 4:
输入: A = “aaaaaaabc”, B = “aaaaaaacb”
输出: true
示例 5:
输入: A = “”, B = “aa”
输出: false
提示:
0 <= A.length <= 20000
0 <= B.length <= 20000
A 和 B 仅由小写字母构成。
思路:
1,当字符串长度不相等,数组长度小于2,的情况下会返回false
2,当字符串长度大于2,且完全相同时,如果字符串存在重复字符,会返回true
3.当字符串不相同的字符非2时,返回false
4,当字符串不相同字符对为2时,且交叉相同时,返回ture
代码
class Solution {public boolean buddyStrings(String A, String B) {// 当字符串长度不相等,数组长度小于2,的情况下会返回falseint al=A.length();int bl = B.length();if(al!=bl||al<2||bl<2){return false;}//当字符串长度大于2,且完全相同时,如果字符串存在重复字符,会返回trueif(al>=2&&bl>=2){if(A.equals(B)){HashSet<Character> set = new HashSet<>();for(int i =0;i<al;i++){if(set.contains(A.charAt(i))){return true;}else{set.add(A.charAt(i));}}return false}}//当字符串不相同的字符非2时,返回false//当字符串不相同字符对为2时,且交叉相同时,返回tureint count= 0;int pre = -1;int post=-1;for(int i = 0;i<al;i++){if(count>2){return false;}if (A.charAt(i)!=B.charAt(i)){++count;if(pre==-1) {pre=i;}else{post=i;}}}return count==2&&A.charAt(pre)==B.charAt(post)&&A.charAt(post)==B.charAt(pre);}}