当前位置:网站首页>Leetcode topic resolution valid anagram

Leetcode topic resolution valid anagram

2022-06-23 06:17:00 ruochen

Given two strings s and t, write a function to determine if t is an anagram of s.

For example,

s = "anagram", t = "nagaram", return true.

s = "rat", t = "car", return false.

Note:

You may assume the string contains only lowercase alphabets.

Follow up:

What if the inputs contain unicode characters? How would you adapt your solution to such case?

Simulate a hash table with an array , Count the number of characters .

    public boolean isAnagram(String s, String t) {
        if (s == null || t == null) {
            return false;
        }
        if (s.length() != t.length()) {
            return false;
        }
        if (s.equals(t)) {
            return false;
        }
        int len = s.length();
        int[] map = new int[26];
        //  Statistics s The number of times each character appears in 
        for (int i = 0; i < len; i++) {
            map[s.charAt(i) - 'a']++;
        }
        //  subtract t Occurrence times of corresponding characters in 
        for (int i = 0; i < len; i++) {
            map[t.charAt(i) - 'a']--;
            if (map[t.charAt(i) - 'a'] < 0) {
                return false;
            }
        }
        for (int i = 0; i < 26; i++) {
            if (map[i] != 0) {
                return false;
            }
        }
        return true;
    }
原网站

版权声明
本文为[ruochen]所创,转载请带上原文链接,感谢
https://yzsam.com/2022/01/202201141141224662.html