代码随想录 第六天

第一题 https://leetcode.cn/problems/valid-anagram/description/

简单 可以用26位数组模拟哈希表

python 复制代码
class Solution:
    def isAnagram(self, s: str, t: str) -> bool:
        if len(s) != len(t):
            return False
        map = [0] * 26
        for i in range(len(s)):
            map[ord(s[i]) - ord('a')] += 1
            map[ord(t[i]) - ord('a')] -= 1
        if self.allZero(map):
            return True
        else:
            return False

    def allZero(self, list):
        for char in list:
            if char != 0:
                return False
        return True

第二题 https://leetcode.cn/problems/intersection-of-two-arrays/description/ 求交集

python 复制代码
class Solution:
    def intersection(self, nums1: List[int], nums2: List[int]) -> List[int]:
        return list(set(nums1) & set(nums2))

python是强大,一行就写完了 https://leetcode.cn/problems/intersection-of-two-arrays-ii/description/

这个是进阶版本的题目

python 复制代码
class Solution:
    def intersect(self, nums1: List[int], nums2: List[int]) -> List[int]:
        # 统计两个数组中每个数字出现的次数
        cnt1 = Counter(nums1)  # 例如:nums1=[1,2,2,3] -> Counter({2: 2, 1: 1, 3: 1})
        cnt2 = Counter(nums2)  # 例如:nums2=[2,2,3] -> Counter({2: 2, 3: 1})

        # & 运算取交集,保留较小计数
        inter = cnt1 & cnt2    # 结果:Counter({2: 2, 3: 1})
        # 解释:数字 2 在两个数组中都有,出现次数取较小值 2
        #       数字 3 在两个数组中都有,出现次数取较小值 1

        ans = []
        # 将结果展开成列表
        for num, freq in inter.items():
            ans.extend([num] * freq)  # 例如:[2] * 2 = [2, 2]
        return ans  # 返回:[2, 2, 3]

注意append和extend的区别

第三题 快乐数 https://leetcode.cn/problems/happy-number/

python 复制代码
class Solution:
    def isHappy(self, n: int) -> bool:
        seen = set()

        while n != 1 and n not in seen:
            seen.add(n)
            n = sum(int(dight) ** 2 for dight in str(n))

        return n == 1

有可能陷入无限循环,从这受启发应该用set

第四题 https://leetcode.cn/problems/two-sum/ 力扣第一题,学过哈希表的话应该还是很明显能想到用哈希表

python 复制代码
class Solution:
    def twoSum(self, nums: List[int], target: int) -> List[int]:
        map = {}
        for i in range(len(nums)):
            if target - nums[i] in map:
                return [map.get(target - nums[i]), i]
            map[nums[i]] = i
        return None
相关推荐
Liu628881 小时前
C++中的工厂模式高级应用
开发语言·c++·算法
AI科技星2 小时前
全尺度角速度统一:基于 v ≡ c 的纯推导与验证
c语言·开发语言·人工智能·opencv·算法·机器学习·数据挖掘
条tiao条2 小时前
KMP 算法详解:告别暴力匹配,让字符串匹配 “永不回头”
开发语言·算法
干啥啥不行,秃头第一名2 小时前
C++20概念(Concepts)入门指南
开发语言·c++·算法
tobias.b3 小时前
计算机基础知识-数据结构
java·数据结构·考研
zzh940773 小时前
Gemini 3.1 Pro 硬核推理优化剖析:思维织锦、动态计算与国内实测
算法
2301_807367193 小时前
C++中的解释器模式变体
开发语言·c++·算法
愣头不青3 小时前
617.合并二叉树
java·算法
MIUMIUKK4 小时前
双指针三大例题
算法
灵感__idea4 小时前
Hello 算法:复杂问题的应对策略
前端·javascript·算法