LeetCode383. 赎金信

383. 赎金信

给你两个字符串:ransomNotemagazine ,判断 ransomNote 能不能由 magazine 里面的字符构成。

如果可以,返回 true ;否则返回 false

magazine 中的每个字符只能在 ransomNote 中使用一次。

示例 1:

输入:ransomNote = "a", magazine = "b"
输出:false

示例 2:

输入:ransomNote = "aa", magazine = "ab"
输出:false

示例 3:

输入:ransomNote = "aa", magazine = "aab"
输出:true

代码

map

#include 
using namespace std;
class Solution {
public:
    bool canConstruct(string ransomNote, string magazine) {
        unordered_map<char, int> mag; // 是一个字符char了不是string
        for (auto it = magazine.begin(); it != magazine.end(); it++) {
            auto magIndex = mag.find(*it);
            if (magIndex != mag.end()) {
                magIndex->second++;
            } else {
                mag.insert(pair<char, int>(*it, 1));
            }
        }
        for (auto it = ransomNote.begin(); it != ransomNote.end(); it++) {
            auto Index = mag.find(*it);
            if (Index == mag.end() || Index->second <= 0) {
                return false;
            } else {
                Index->second--;
            }
        }
        return true;
    }
};

LeetCode383. 赎金信_第1张图片

数组

用数组映射哈希表的效率会比用map更快

class Solution {
public:
    bool canConstruct(string ransomNote, string magazine) {
        vector<int> v(26);
        for (auto it = magazine.begin(); it != magazine.end(); it++) {
            v[*it - 'a']++;
        }
        for (auto it = ransomNote.begin(); it != ransomNote.end(); it++) {
            int i = *it - 'a';
            v[i]--;
            if (v[i] < 0) {
                return false;
            }
        }
        return true;
    }
};

LeetCode383. 赎金信_第2张图片

你可能感兴趣的:(LeetCode刷题记录,数据结构,leetcode,哈希表,算法)