程序员面试金典第一章:数组与字符串(3) 确定两串乱序同构

1.1 题目描述

给定两个字符串,请编写程序,确定其中一个字符串的字符重新排列后,能否变成另一个字符串。这里规定大小写为不同字符,且考虑字符串重点空格。
给定一个string stringA和一个string stringB,请返回一个bool,代表两串是否重新排列后可相同。保证两串的长度都小于等于5000。

测试样例:
“This is nowcoder”,”is This nowcoder”
返回:true
“Here you are”,”Are you here”
返回:false

1.2解题思路

思路1:用hash把第一个字符串所有出现的字符保存起来,判断第二个字符串是否与之一致
时间复杂度O(n),空间复杂度O(1),这是因为字符的种类是有限的
#include 
class Same {
public:
    bool checkSam(string stringA, string stringB) {
        // write code here
        if(stringA.size() != stringB.size())
            return false;
        unordered_map<char, int> map;
        for(auto ch:stringA)
            ++map[ch];
        for(auto ch:stringB) {
            if(--map[ch] < 0)
                return false;
        }
        return true;
    }
};
思路2:与思路1类似,不过不使用hash,而是使用大小为128的int数组记录一下
时间复杂度O(n),空间复杂度O(1)

tips:先判断,如果两个字符串长度不同,那么直接返回false

你可能感兴趣的:(程序员面试金典)