码迷,mamicode.com
首页 > 其他好文 > 详细

LeetCode: Valid Anagram

时间:2016-05-06 12:47:46      阅读:144      评论:0      收藏:0      [点我收藏+]

标签:

题目:给定两个字符串s和t,写出一个程序判断s是否为t的回文字符串。

例:s=”anagram”, t=”nagaram” 返回true

s=”car”, t=”ant” 返回false

解题思路1:使用sorted函数,将字符串排序,如:

sorted(s)=[‘a’,’a’,’a’,’g’,’m’,’n’,’r’],

sorted(t)=[‘a’,’a’,’a’,’g’,’m’,’n’,’r’]

代码1:

class Solution(object):
def isAnagram(self, s, t):
    """
    :type s: str
    :type t: str
    :rtype: bool
    """
    return(sorted(s)==sorted(t))

解题思路2:使用2个字典,分别将2个字符串中每个字母作为key,每个字母出现次数作为value,使用如下语句计数:

 dic1[item] = dic1.get(item, 0) + 1

代码2:

class Solution(object):
def isAnagram(self, s, t):
    """
    :type s: str
    :type t: str
    :rtype: bool
    """
    dic1,dic2={},{}
    for item in s:
        dic1[item] = dic1.get(item,0)+1
    for item in t:
        dic2[item]  dic.get(item,0)+1
    return (dic1==dic2)

解题思路3:使用1个字典,将字符串中每个字母作为key,每个字母出现次数作为value ,s中出现1个字符,字典key值对应的value加1,t中出现相同字符,字典key值对应的value减1.

代码3:

from collections import defaultdict #标准字典库
class Solution(object):
    def isAnagram(self, s, t):
        """
        :type s: str
        :type t: str
        :rtype: bool
        """
        if len(s) != len(t): #首先判断长度是否相同
            return False
        else:
            dic = defaultdict(int)
            for i in range(len(t)): 
                dic[s[i]] +=1 
                """
      s[i]为字符串中的字母,dic[s[i]]为字母所对应的key值
                """
                dic[t[i]] -=1
            for key,value in dic.iteritems():
                if value !=0:
                    return False
        return True

LeetCode: Valid Anagram

标签:

原文地址:http://blog.csdn.net/neoye125/article/details/51329596

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!