DW_Leetcode编程实践_Day4

16.最接近的三数之和

题目链接:最接近的三数之和

题目理解:遇题不解先排序,从做到右做个取元素i。把i右边的所有元素进行双指针枚举。寻找最优解。

class Solution:
    def threeSumClosest(self, nums: List[int], target: int) -> int:
        nums.sort()
        n = len(nums)
        best = 10**7
        
        # 根据差值的绝对值来更新答案
        def update(cur):
            nonlocal best
            if abs(cur - target) < abs(best - target):
                best = cur
        
        # 枚举 a
        for i in range(n):
            # 保证和上一次枚举的元素不相等
            if i > 0 and nums[i] == nums[i - 1]:
                continue
            # 使用双指针枚举 b 和 c
            j, k = i + 1, n - 1
            while j < k:
                s = nums[i] + nums[j] + nums[k]
                # 如果和为 target 直接返回答案
                if s == target:
                    return target
                update(s)
                if s > target:
                    # 如果和大于 target,移动 c 对应的指针
                    k0 = k - 1
                    # 移动到下一个不相等的元素
                    while j < k0 and nums[k0] == nums[k]:
                        k0 -= 1
                    k = k0
                else:
                    # 如果和小于 target,移动 b 对应的指针
                    j0 = j + 1
                    # 移动到下一个不相等的元素
                    while j0 < k and nums[j0] == nums[j]:
                        j0 += 1
                    j = j0

        return best

DW_Leetcode编程实践_Day4_第1张图片

20.有效的括号

题目链接:有效的括号

题目理解:

  • 从序列左边往右开始判断,遇到左括号就储存在S,遇到右括号就取出S中最后面的那个括号进行抵消,若能抵消则继续,若不能则结束。
  • 特殊情况:若列表中的括号个数为单数,直接结束。
  • 特殊情况:如果第一个括号为括号,直接结束
class Solution:
    def isValid(self, s: str) -> bool:
        if len(s) % 2 == 1:
            return False
        
        pairs = {
     
            ")": "(",
            "]": "[",
            "}": "{",
        }
        stack = list()

        for ch in s:
            if ch in pairs:
                if not stack or stack[-1] != pairs[ch]:
                    return False
                stack.pop()
            else:
                stack.append(ch)
        
        return not stack

DW_Leetcode编程实践_Day4_第2张图片

复杂度计算:明天研究一下怎么算。。。目前还不会。

16.合并两个有序链表

最近有些忙,还没来得及看这部分知识。

你可能感兴趣的:(DW_Leetcode编程实践_Day4)