其他分享
首页 > 其他分享> > 每日一练(44):有效的字母异位词

每日一练(44):有效的字母异位词

作者:互联网


title: 每日一练(44):有效的字母异位词

categories:[剑指offer]

tags:[每日一练]

date: 2022/04/18


每日一练(44):有效的字母异位词

给定两个字符串 s 和 t ,编写一个函数来判断 t 是否是 s 的字母异位词。

注意:若 s 和 t 中每个字符出现的次数都相同,则称 s 和 t 互为字母异位词。

示例 1:

输入: s = "anagram", t = "nagaram"

输出: true

示例 2:

输入: s = "rat", t = "car"

输出: false

提示:

1 <= s.length, t.length <= 5 * 104

s 和 t 仅包含小写字母

来源:力扣(LeetCode)

链接:https://leetcode-cn.com/problems/valid-anagram

方法一:排序

思路分析

t 是 s 的异位词等价于「两个字符串排序后相等」。因此我们可以对字符串 s 和 t 分别排序,看排序后的字符串是否相等即可判断。此外,如果 s 和 t 的长度

不同,t 必然不是 s 的异位词。

bool isAnagram(string s, string t) {
    if (s.length() != t.length()) {
        return false;
    }
    sort(s.begin(), s.end());
    sort(t.begin(), t.end());
    return s == t;
}

方法二:哈希表

思路分析

由于字符串只包含 26 个小写字母,因此我们可以维护一个长度为 26 的频次数组 table,先遍历记录字符串 s 中字符出现的频次,然后遍历字符

串 t,减去 table 中对应的频次,如果出现 table[i]<0,则说明 tt 包含一个不在 s 中的额外字符,返回 false 即可

bool isAnagram(string s, string t) {
    if (s.length() != t.length()) {
        return false;
    }
    vector<int> table(26, 0);
    for (auto &ch : s) {
        table[ch - 'a']++;
    }
    for (auto &ch : t) {
        table[ch - 'a']--;
        if (table[ch - 'a'] < 0) {
            return false;
        }
    }
    return true;
}

标签:ch,return,string,异位,44,字符串,table,字母
来源: https://www.cnblogs.com/hackettt/p/16158479.html