LeetCode 242. Valid Anagram

来源:互联网 发布:网络检测器怎么用 编辑:程序博客网 时间:2024/05/06 07:06

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.


分析

比较两个字符串,先排序后比较

class Solution {public:    bool isAnagram(string s, string t) {        sort(s.begin(),s.end());        sort(t.begin(),t.end());        int l1=s.length();        int l2=t.length();        if(l1!=l2) return false;        for(int i=0;i<l1;i++){            if(s[i]!=t[i]) return false;        }        return true;    }};