Python语言进阶

  1. 数据结构和算法

    • 算法:解决问题的方法和步骤

    • 评价算法的好坏:渐近时间复杂度和渐近空间复杂度。

    • 渐近时间复杂度的大O标记:

      • 第二章 Python语言进阶(16-20天) - 图1 - 常量时间复杂度 - 布隆过滤器 / 哈希存储
      • 第二章 Python语言进阶(16-20天) - 图2 - 对数时间复杂度 - 折半查找(二分查找)
      • 第二章 Python语言进阶(16-20天) - 图3 - 线性时间复杂度 - 顺序查找 / 桶排序
      • 第二章 Python语言进阶(16-20天) - 图4 - 对数线性时间复杂度 - 高级排序算法(归并排序、快速排序)
      • 第二章 Python语言进阶(16-20天) - 图5 - 平方时间复杂度 - 简单排序算法(选择排序、插入排序、冒泡排序)
      • 第二章 Python语言进阶(16-20天) - 图6 - 立方时间复杂度 - Floyd算法 / 矩阵乘法运算
      • 第二章 Python语言进阶(16-20天) - 图7 - 几何级数时间复杂度 - 汉诺塔
      • 第二章 Python语言进阶(16-20天) - 图8 - 阶乘时间复杂度 - 旅行经销商问题 - NP

      第二章 Python语言进阶(16-20天) - 图9

      第二章 Python语言进阶(16-20天) - 图10

    • 排序算法(选择、冒泡和归并)和查找算法(顺序和折半)

      1. def select_sort(origin_items, comp=lambda x, y: x < y):
      2. """简单选择排序"""
      3. items = origin_items[:]
      4. for i in range(len(items) - 1):
      5. min_index = i
      6. for j in range(i + 1, len(items)):
      7. if comp(items[j], items[min_index]):
      8. min_index = j
      9. items[i], items[min_index] = items[min_index], items[i]
      10. return items
      1. def bubble_sort(origin_items, comp=lambda x, y: x > y):
      2. """高质量冒泡排序(搅拌排序)"""
      3. items = origin_items[:]
      4. for i in range(len(items) - 1):
      5. swapped = False
      6. for j in range(i, len(items) - 1 - i):
      7. if comp(items[j], items[j + 1]):
      8. items[j], items[j + 1] = items[j + 1], items[j]
      9. swapped = True
      10. if swapped:
      11. swapped = False
      12. for j in range(len(items) - 2 - i, i, -1):
      13. if comp(items[j - 1], items[j]):
      14. items[j], items[j - 1] = items[j - 1], items[j]
      15. swapped = True
      16. if not swapped:
      17. break
      18. return items

      ```Python def merge_sort(items, comp=lambda x, y: x <= y):

      1. """归并排序(分治法)"""
      2. if len(items) < 2:
      3. return items[:]
      4. mid = len(items) // 2
      5. left = merge_sort(items[:mid], comp)
      6. right = merge_sort(items[mid:], comp)
      7. return merge(left, right, comp)
  1. def merge(items1, items2, comp):
  2. """合并(将两个有序的列表合并成一个有序的列表)"""
  3. items = []
  4. index, index2 = 0, 0
  5. while index1 < len(items1) and index2 < len(items2):
  6. if comp(items1[index1], items2[index2]):
  7. items.append(items1[index1])
  8. index1 += 1
  9. else:
  10. items.append(items2[index2])
  11. index2 += 1
  12. items += items1[index1:]
  13. items += items2[index2:]
  14. return items
  15. ```
  16. ```Python
  17. def seq_search(items, key):
  18. """顺序查找"""
  19. for index, item in enumerate(items):
  20. if item == key:
  21. return index
  22. return -1
  23. ```
  24. ```Python
  25. def bin_search(items, key):
  26. """折半查找"""
  27. start, end = 0, len(items) - 1
  28. while start <= end:
  29. mid = (start + end) // 2
  30. if key > items[mid]:
  31. start = mid + 1
  32. elif key < items[mid]:
  33. end = mid - 1
  34. else:
  35. return mid
  36. return -1
  37. ```
  • 使用生成式(推导式)语法

    1. prices = {
    2. 'AAPL': 191.88,
    3. 'GOOG': 1186.96,
    4. 'IBM': 149.24,
    5. 'ORCL': 48.44,
    6. 'ACN': 166.89,
    7. 'FB': 208.09,
    8. 'SYMC': 21.29
    9. }
    10. # 用股票价格大于100元的股票构造一个新的字典
    11. prices2 = {key: value for key, value in prices.items() if value > 100}
    12. print(prices2)

    说明:生成式(推导式)可以用来生成列表、集合和字典。

  • 嵌套的列表

    1. names = ['关羽', '张飞', '赵云', '马超', '黄忠']
    2. courses = ['语文', '数学', '英语']
    3. # 录入五个学生三门课程的成绩
    4. # 错误 - 参考http://pythontutor.com/visualize.html#mode=edit
    5. # scores = [[None] * len(courses)] * len(names)
    6. scores = [[None] * len(courses) for _ in range(len(names))]
    7. for row, name in enumerate(names):
    8. for col, course in enumerate(courses):
    9. scores[row][col] = float(input(f'请输入{name}的{course}成绩: '))
    10. print(scores)

    Python Tutor - VISUALIZE CODE AND GET LIVE HELP

  • heapq、itertools等的用法

    1. """
    2. 从列表中找出最大的或最小的N个元素
    3. 堆结构(大根堆/小根堆)
    4. """
    5. import heapq
    6. list1 = [34, 25, 12, 99, 87, 63, 58, 78, 88, 92]
    7. list2 = [
    8. {'name': 'IBM', 'shares': 100, 'price': 91.1},
    9. {'name': 'AAPL', 'shares': 50, 'price': 543.22},
    10. {'name': 'FB', 'shares': 200, 'price': 21.09},
    11. {'name': 'HPQ', 'shares': 35, 'price': 31.75},
    12. {'name': 'YHOO', 'shares': 45, 'price': 16.35},
    13. {'name': 'ACME', 'shares': 75, 'price': 115.65}
    14. ]
    15. print(heapq.nlargest(3, list1))
    16. print(heapq.nsmallest(3, list1))
    17. print(heapq.nlargest(2, list2, key=lambda x: x['price']))
    18. print(heapq.nlargest(2, list2, key=lambda x: x['shares']))
    1. """
    2. 迭代工具 - 排列 / 组合 / 笛卡尔积
    3. """
    4. import itertools
    5. itertools.permutations('ABCD')
    6. itertools.combinations('ABCDE', 3)
    7. itertools.product('ABCD', '123')
  • collections模块下的工具类

    1. """
    2. 找出序列中出现次数最多的元素
    3. """
    4. from collections import Counter
    5. words = [
    6. 'look', 'into', 'my', 'eyes', 'look', 'into', 'my', 'eyes',
    7. 'the', 'eyes', 'the', 'eyes', 'the', 'eyes', 'not', 'around',
    8. 'the', 'eyes', "don't", 'look', 'around', 'the', 'eyes',
    9. 'look', 'into', 'my', 'eyes', "you're", 'under'
    10. ]
    11. counter = Counter(words)
    12. print(counter.most_common(3))
  • 常用算法:

    • 穷举法 - 又称为暴力破解法,对所有的可能性进行验证,直到找到正确答案。
    • 贪婪法 - 在对问题求解时,总是做出在当前看来
    • 最好的选择,不追求最优解,快速找到满意解。
    • 分治法 - 把一个复杂的问题分成两个或更多的相同或相似的子问题,再把子问题分成更小的子问题,直到可以直接求解的程度,最后将子问题的解进行合并得到原问题的解。
    • 回溯法 - 回溯法又称为试探法,按选优条件向前搜索,当搜索到某一步发现原先选择并不优或达不到目标时,就退回一步重新选择。
    • 动态规划 - 基本思想也是将待求解问题分解成若干个子问题,先求解并保存这些子问题的解,避免产生大量的重复运算。

    穷举法例子:百钱百鸡和五人分鱼。

    1. # 公鸡5元一只 母鸡3元一只 小鸡1元三只
    2. # 用100元买100只鸡 问公鸡/母鸡/小鸡各多少只
    3. for x in range(20):
    4. for y in range(33):
    5. z = 100 - x - y
    6. if 5 * x + 3 * y + z // 3 == 100 and z % 3 == 0:
    7. print(x, y, z)
    8. # A、B、C、D、E五人在某天夜里合伙捕鱼 最后疲惫不堪各自睡觉
    9. # 第二天A第一个醒来 他将鱼分为5份 扔掉多余的1条 拿走自己的一份
    10. # B第二个醒来 也将鱼分为5份 扔掉多余的1条 拿走自己的一份
    11. # 然后C、D、E依次醒来也按同样的方式分鱼 问他们至少捕了多少条鱼
    12. fish = 6
    13. while True:
    14. total = fish
    15. enough = True
    16. for _ in range(5):
    17. if (total - 1) % 5 == 0:
    18. total = (total - 1) // 5 * 4
    19. else:
    20. enough = False
    21. break
    22. if enough:
    23. print(fish)
    24. break
    25. fish += 5

    贪婪法例子:假设小偷有一个背包,最多能装20公斤赃物,他闯入一户人家,发现如下表所示的物品。很显然,他不能把所有物品都装进背包,所以必须确定拿走哪些物品,留下哪些物品。

    | 名称 | 价格(美元) | 重量(kg) | | :——: | :—————: | :————: | | 电脑 | 200 | 20 | | 收音机 | 20 | 4 | | 钟 | 175 | 10 | | 花瓶 | 50 | 2 | | 书 | 10 | 1 | | 油画 | 90 | 9 |

    ```Python “”” 贪婪法:在对问题求解时,总是做出在当前看来是最好的选择,不追求最优解,快速找到满意解。 输入: 20 6 电脑 200 20 收音机 20 4 钟 175 10 花瓶 50 2 书 10 1 油画 90 9 “”” class Thing(object):

    1. """物品"""
    2. def __init__(self, name, price, weight):
    3. self.name = name
    4. self.price = price
    5. self.weight = weight
    6. @property
    7. def value(self):
    8. """价格重量比"""
    9. return self.price / self.weight
  1. def input_thing():
  2. """输入物品信息"""
  3. name_str, price_str, weight_str = input().split()
  4. return name_str, int(price_str), int(weight_str)
  5. def main():
  6. """主函数"""
  7. max_weight, num_of_things = map(int, input().split())
  8. all_things = []
  9. for _ in range(num_of_things):
  10. all_things.append(Thing(*input_thing()))
  11. all_things.sort(key=lambda x: x.value, reverse=True)
  12. total_weight = 0
  13. total_price = 0
  14. for thing in all_things:
  15. if total_weight + thing.weight <= max_weight:
  16. print(f'小偷拿走了{thing.name}')
  17. total_weight += thing.weight
  18. total_price += thing.price
  19. print(f'总价值: {total_price}美元')
  20. if __name__ == '__main__':
  21. main()
  22. ```
  23. 分治法例子:[快速排序](https://zh.wikipedia.org/zh/%E5%BF%AB%E9%80%9F%E6%8E%92%E5%BA%8F)。
  24. ```Python
  25. """
  26. 快速排序 - 选择枢轴对元素进行划分,左边都比枢轴小右边都比枢轴大
  27. """
  28. def quick_sort(origin_items, comp=lambda x, y: x <= y):
  29. items = origin_items[:]
  30. _quick_sort(items, 0, len(items) - 1, comp)
  31. return items
  32. def _quick_sort(items, start, end, comp):
  33. if start < end:
  34. pos = _partition(items, start, end, comp)
  35. _quick_sort(items, start, pos - 1, comp)
  36. _quick_sort(items, pos + 1, end, comp)
  37. def _partition(items, start, end, comp):
  38. pivot = items[end]
  39. i = start - 1
  40. for j in range(start, end):
  41. if comp(items[j], pivot):
  42. i += 1
  43. items[i], items[j] = items[j], items[i]
  44. items[i + 1], items[end] = items[end], items[i + 1]
  45. return i + 1
  46. ```
  47. 回溯法例子:[骑士巡逻](https://zh.wikipedia.org/zh/%E9%AA%91%E5%A3%AB%E5%B7%A1%E9%80%BB)。
  48. ```Python
  49. """
  50. 递归回溯法:叫称为试探法,按选优条件向前搜索,当搜索到某一步,发现原先选择并不优或达不到目标时,就退回一步重新选择,比较经典的问题包括骑士巡逻、八皇后和迷宫寻路等。
  51. """
  52. import sys
  53. import time
  54. SIZE = 5
  55. total = 0
  56. def print_board(board):
  57. for row in board:
  58. for col in row:
  59. print(str(col).center(4), end='')
  60. print()
  61. def patrol(board, row, col, step=1):
  62. if row >= 0 and row < SIZE and \
  63. col >= 0 and col < SIZE and \
  64. board[row][col] == 0:
  65. board[row][col] = step
  66. if step == SIZE * SIZE:
  67. global total
  68. total += 1
  69. print(f'第{total}种走法: ')
  70. print_board(board)
  71. patrol(board, row - 2, col - 1, step + 1)
  72. patrol(board, row - 1, col - 2, step + 1)
  73. patrol(board, row + 1, col - 2, step + 1)
  74. patrol(board, row + 2, col - 1, step + 1)
  75. patrol(board, row + 2, col + 1, step + 1)
  76. patrol(board, row + 1, col + 2, step + 1)
  77. patrol(board, row - 1, col + 2, step + 1)
  78. patrol(board, row - 2, col + 1, step + 1)
  79. board[row][col] = 0
  80. def main():
  81. board = [[0] * SIZE for _ in range(SIZE)]
  82. patrol(board, SIZE - 1, SIZE - 1)
  83. if __name__ == '__main__':
  84. main()
  85. ```
  86. 动态规划例子1:[斐波拉切数列]()。(不使用动态规划将会是几何级数复杂度)
  87. ```Python
  88. """
  89. 动态规划 - 适用于有重叠子问题和最优子结构性质的问题
  90. 使用动态规划方法所耗时间往往远少于朴素解法(用空间换取时间)
  91. """
  92. def fib(num, temp={}):
  93. """用递归计算Fibonacci数"""
  94. if num in (1, 2):
  95. return 1
  96. try:
  97. return temp[num]
  98. except KeyError:
  99. temp[num] = fib(num - 1) + fib(num - 2)
  100. return temp[num]
  101. ```
  102. 动态规划例子2:子列表元素之和的最大值。(使用动态规划可以避免二重循环)
  103. > 说明:子列表指的是列表中索引(下标)连续的元素构成的列表;列表中的元素是int类型,可能包含正整数、0、负整数;程序输入列表中的元素,输出子列表元素求和的最大值,例如:
  104. >
  105. > 输入:1 -2 3 5 -3 2
  106. >
  107. > 输出:8
  108. >
  109. > 输入:0 -2 3 5 -1 2
  110. >
  111. > 输出:9
  112. >
  113. > 输入:-9 -2 -3 -5 -3
  114. >
  115. > 输出:-2
  116. ```Python
  117. def main():
  118. items = list(map(int, input().split()))
  119. size = len(items)
  120. overall, partial = {}, {}
  121. overall[size - 1] = partial[size - 1] = items[size - 1]
  122. for i in range(size - 2, -1, -1):
  123. partial[i] = max(items[i], partial[i + 1] + items[i])
  124. overall[i] = max(partial[i], overall[i + 1])
  125. print(overall[0])
  126. if __name__ == '__main__':
  127. main()
  128. ```
  1. 函数的使用方式

    • 将函数视为“一等公民”

      • 函数可以赋值给变量
      • 函数可以作为函数的参数
      • 函数可以作为函数的返回值
    • 高阶函数的用法(filtermap以及它们的替代品)

      1. items1 = list(map(lambda x: x ** 2, filter(lambda x: x % 2, range(1, 10))))
      2. items2 = [x ** 2 for x in range(1, 10) if x % 2]
    • 位置参数、可变参数、关键字参数、命名关键字参数

    • 参数的元信息(代码可读性问题)

    • 匿名函数和内联函数的用法(lambda函数)

    • 闭包和作用域问题

      • Python搜索变量的LEGB顺序(Local —> Embedded —> Global —> Built-in)

      • globalnonlocal关键字的作用

        global:声明或定义全局变量(要么直接使用现有的全局作用域的变量,要么定义一个变量放到全局作用域)。

        nonlocal:声明使用嵌套作用域的变量(嵌套作用域必须存在该变量,否则报错)。

    • 装饰器函数(使用装饰器和取消装饰器)

      例子:输出函数执行时间的装饰器。

      1. def record_time(func):
      2. """自定义装饰函数的装饰器"""
      3. @wraps(func)
      4. def wrapper(*args, **kwargs):
      5. start = time()
      6. result = func(*args, **kwargs)
      7. print(f'{func.__name__}: {time() - start}秒')
      8. return result
      9. return wrapper

      如果装饰器不希望跟print函数耦合,可以编写带参数的装饰器。

      ```Python from functools import wraps from time import time

  1. def record(output):
  2. """自定义带参数的装饰器"""
  3. def decorate(func):
  4. @wraps(func)
  5. def wrapper(*args, **kwargs):
  6. start = time()
  7. result = func(*args, **kwargs)
  8. output(func.__name__, time() - start)
  9. return result
  10. return wrapper
  11. return decorate
  12. ```
  13. ```Python
  14. from functools import wraps
  15. from time import time
  16. class Record():
  17. """自定义装饰器类(通过__call__魔术方法使得对象可以当成函数调用)"""
  18. def __init__(self, output):
  19. self.output = output
  20. def __call__(self, func):
  21. @wraps(func)
  22. def wrapper(*args, **kwargs):
  23. start = time()
  24. result = func(*args, **kwargs)
  25. self.output(func.__name__, time() - start)
  26. return result
  27. return wrapper
  28. ```
  29. > 说明:由于对带装饰功能的函数添加了@wraps装饰器,可以通过`func.__wrapped__`方式获得被装饰之前的函数或类来取消装饰器的作用。
  30. 例子:用装饰器来实现单例模式。
  31. ```Python
  32. from functools import wraps
  33. def singleton(cls):
  34. """装饰类的装饰器"""
  35. instances = {}
  36. @wraps(cls)
  37. def wrapper(*args, **kwargs):
  38. if cls not in instances:
  39. instances[cls] = cls(*args, **kwargs)
  40. return instances[cls]
  41. return wrapper
  42. @singleton
  43. class President():
  44. """总统(单例类)"""
  45. pass
  46. ```
  47. > 说明:上面的代码中用到了闭包(closure),不知道你是否已经意识到了。还没有一个小问题就是,上面的代码并没有实现线程安全的单例,如果要实现线程安全的单例应该怎么做呢?
  48. ```Python
  49. from functools import wraps
  50. from threading import Lock
  51. def singleton(cls):
  52. """线程安全的单例装饰器"""
  53. instances = {}
  54. locker = Lock()
  55. @wraps(cls)
  56. def wrapper(*args, **kwargs):
  57. if cls not in instances:
  58. with locker:
  59. if cls not in instances:
  60. instances[cls] = cls(*args, **kwargs)
  61. return instances[cls]
  62. return wrapper
  63. ```
  1. 面向对象相关知识

    • 三大支柱:封装、继承、多态

      例子:工资结算系统。

      ```Python “”” 月薪结算系统 - 部门经理每月15000 程序员每小时200 销售员1800底薪加销售额5%提成 “”” from abc import ABCMeta, abstractmethod

  1. class Employee(metaclass=ABCMeta):
  2. """员工(抽象类)"""
  3. def __init__(self, name):
  4. self.name = name
  5. @abstractmethod
  6. def get_salary(self):
  7. """结算月薪(抽象方法)"""
  8. pass
  9. class Manager(Employee):
  10. """部门经理"""
  11. def get_salary(self):
  12. return 15000.0
  13. class Programmer(Employee):
  14. """程序员"""
  15. def __init__(self, name, working_hour=0):
  16. self.working_hour = working_hour
  17. super().__init__(name)
  18. def get_salary(self):
  19. return 200.0 * self.working_hour
  20. class Salesman(Employee):
  21. """销售员"""
  22. def __init__(self, name, sales=0.0):
  23. self.sales = sales
  24. super().__init__(name)
  25. def get_salary(self):
  26. return 1800.0 + self.sales * 0.05
  27. class EmployeeFactory():
  28. """创建员工的工厂(工厂模式 - 通过工厂实现对象使用者和对象之间的解耦合)"""
  29. @staticmethod
  30. def create(emp_type, *args, **kwargs):
  31. """创建员工"""
  32. emp_type = emp_type.upper()
  33. emp = None
  34. if emp_type == 'M':
  35. emp = Manager(*args, **kwargs)
  36. elif emp_type == 'P':
  37. emp = Programmer(*args, **kwargs)
  38. elif emp_type == 'S':
  39. emp = Salesman(*args, **kwargs)
  40. return emp
  41. def main():
  42. """主函数"""
  43. emps = [
  44. EmployeeFactory.create('M', '曹操'),
  45. EmployeeFactory.create('P', '荀彧', 120),
  46. EmployeeFactory.create('P', '郭嘉', 85),
  47. EmployeeFactory.create('S', '典韦', 123000),
  48. ]
  49. for emp in emps:
  50. print('%s: %.2f元' % (emp.name, emp.get_salary()))
  51. if __name__ == '__main__':
  52. main()
  53. ```
  • 类与类之间的关系

    • is-a关系:继承
    • has-a关系:关联 / 聚合 / 合成
    • use-a关系:依赖

    例子:扑克游戏。

    ```Python “”” 经验:符号常量总是优于字面常量,枚举类型是定义符号常量的最佳选择 “”” from enum import Enum, unique

    import random

  1. @unique
  2. class Suite(Enum):
  3. """花色"""
  4. SPADE, HEART, CLUB, DIAMOND = range(4)
  5. def __lt__(self, other):
  6. return self.value < other.value
  7. class Card():
  8. """牌"""
  9. def __init__(self, suite, face):
  10. """初始化方法"""
  11. self.suite = suite
  12. self.face = face
  13. def show(self):
  14. """显示牌面"""
  15. suites = ['♠️', '♥️', '♣️', '♦️']
  16. faces = ['', 'A', '2', '3', '4', '5', '6', '7', '8', '9', '10', 'J', 'Q', 'K']
  17. return f'{suites[self.suite.value]} {faces[self.face]}'
  18. def __str__(self):
  19. return self.show()
  20. def __repr__(self):
  21. return self.show()
  22. class Poker():
  23. """扑克"""
  24. def __init__(self):
  25. self.index = 0
  26. self.cards = [Card(suite, face)
  27. for suite in Suite
  28. for face in range(1, 14)]
  29. def shuffle(self):
  30. """洗牌(随机乱序)"""
  31. random.shuffle(self.cards)
  32. self.index = 0
  33. def deal(self):
  34. """发牌"""
  35. card = self.cards[self.index]
  36. self.index += 1
  37. return card
  38. @property
  39. def has_more(self):
  40. return self.index < len(self.cards)
  41. class Player():
  42. """玩家"""
  43. def __init__(self, name):
  44. self.name = name
  45. self.cards = []
  46. def get_one(self, card):
  47. """摸一张牌"""
  48. self.cards.append(card)
  49. def sort(self, comp=lambda card: (card.suite, card.face)):
  50. """整理手上的牌"""
  51. self.cards.sort(key=comp)
  52. def main():
  53. """主函数"""
  54. poker = Poker()
  55. poker.shuffle()
  56. players = [Player('东邪'), Player('西毒'), Player('南帝'), Player('北丐')]
  57. while poker.has_more:
  58. for player in players:
  59. player.get_one(poker.deal())
  60. for player in players:
  61. player.sort()
  62. print(player.name, end=': ')
  63. print(player.cards)
  64. if __name__ == '__main__':
  65. main()
  66. ```
  67. > 说明:上面的代码中使用了Emoji字符来表示扑克牌的四种花色,在某些不支持Emoji字符的系统上可能无法显示。
  • 对象的复制(深复制/深拷贝/深度克隆和浅复制/浅拷贝/影子克隆)

  • 垃圾回收、循环引用和弱引用

    Python使用了自动化内存管理,这种管理机制以引用计数为基础,同时也引入了标记-清除分代收集两种机制为辅的策略。

    1. typedef struct_object {
    2. /* 引用计数 */
    3. int ob_refcnt;
    4. /* 对象指针 */
    5. struct_typeobject *ob_type;
    6. } PyObject;
    1. /* 增加引用计数的宏定义 */
    2. #define Py_INCREF(op) ((op)->ob_refcnt++)
    3. /* 减少引用计数的宏定义 */
    4. #define Py_DECREF(op) \ //减少计数
    5. if (--(op)->ob_refcnt != 0) \
    6. ; \
    7. else \
    8. __Py_Dealloc((PyObject *)(op))

    导致引用计数+1的情况:

    • 对象被创建,例如a = 23
    • 对象被引用,例如b = a
    • 对象被作为参数,传入到一个函数中,例如f(a)
    • 对象作为一个元素,存储在容器中,例如list1 = [a, a]

    导致引用计数-1的情况:

    • 对象的别名被显式销毁,例如del a
    • 对象的别名被赋予新的对象,例如a = 24
    • 一个对象离开它的作用域,例如f函数执行完毕时,f函数中的局部变量(全局变量不会)
    • 对象所在的容器被销毁,或从容器中删除对象

    引用计数可能会导致循环引用问题,而循环引用会导致内存泄露,如下面的代码所示。为了解决这个问题,Python中引入了“标记-清除”和“分代收集”。在创建一个对象的时候,对象被放在第一代中,如果在第一代的垃圾检查中对象存活了下来,该对象就会被放到第二代中,同理在第二代的垃圾检查中对象存活下来,该对象就会被放到第三代中。

    1. # 循环引用会导致内存泄露 - Python除了引用技术还引入了标记清理和分代回收
    2. # 在Python 3.6以前如果重写__del__魔术方法会导致循环引用处理失效
    3. # 如果不想造成循环引用可以使用弱引用
    4. list1 = []
    5. list2 = []
    6. list1.append(list2)
    7. list2.append(list1)

    以下情况会导致垃圾回收:

    • 调用gc.collect()
    • gc模块的计数器达到阀值
    • 程序退出

    如果循环引用中两个对象都定义了__del__方法,gc模块不会销毁这些不可达对象,因为gc模块不知道应该先调用哪个对象的__del__方法,这个问题在Python 3.6中得到了解决。

    也可以通过weakref模块构造弱引用的方式来解决循环引用的问题。

  • 魔法属性和方法(请参考《Python魔法方法指南》)

    有几个小问题请大家思考:

    • 自定义的对象能不能使用运算符做运算?
    • 自定义的对象能不能放到set中?能去重吗?
    • 自定义的对象能不能作为dict的键?
    • 自定义的对象能不能使用上下文语法?
  • 混入(Mixin)

    例子:自定义字典限制只有在指定的key不存在时才能在字典中设置键值对。

    ```Python class SetOnceMappingMixin():

    1. """自定义混入类"""
    2. __slots__ = ()
    3. def __setitem__(self, key, value):
    4. if key in self:
    5. raise KeyError(str(key) + ' already set')
    6. return super().__setitem__(key, value)
  1. class SetOnceDict(SetOnceMappingMixin, dict):
  2. """自定义字典"""
  3. pass
  4. my_dict= SetOnceDict()
  5. try:
  6. my_dict['username'] = 'jackfrued'
  7. my_dict['username'] = 'hellokitty'
  8. except KeyError:
  9. pass
  10. print(my_dict)
  11. ```
  • 元编程和元类

    例子:用元类实现单例模式。

    ```Python import threading

  1. class SingletonMeta(type):
  2. """自定义元类"""
  3. def __init__(cls, *args, **kwargs):
  4. cls.__instance = None
  5. cls.__lock = threading.Lock()
  6. super().__init__(*args, **kwargs)
  7. def __call__(cls, *args, **kwargs):
  8. if cls.__instance is None:
  9. with cls.__lock:
  10. if cls.__instance is None:
  11. cls.__instance = super().__call__(*args, **kwargs)
  12. return cls.__instance
  13. class President(metaclass=SingletonMeta):
  14. """总统(单例类)"""
  15. pass
  16. ```
  • 面向对象设计原则

    • 单一职责原则 (SRP)- 一个类只做该做的事情(类的设计要高内聚)
    • 开闭原则 (OCP)- 软件实体应该对扩展开发对修改关闭
    • 依赖倒转原则(DIP)- 面向抽象编程(在弱类型语言中已经被弱化)
    • 里氏替换原则(LSP) - 任何时候可以用子类对象替换掉父类对象
    • 接口隔离原则(ISP)- 接口要小而专不要大而全(Python中没有接口的概念)
    • 合成聚合复用原则(CARP) - 优先使用强关联关系而不是继承关系复用代码
    • 最少知识原则(迪米特法则,LoD)- 不要给没有必然联系的对象发消息

    说明:上面加粗的字母放在一起称为面向对象的SOLID原则。

  • GoF设计模式

    • 创建型模式:单例、工厂、建造者、原型
    • 结构型模式:适配器、门面(外观)、代理
    • 行为型模式:迭代器、观察者、状态、策略

    例子:可插拔的哈希算法。

    ```Python class StreamHasher():

    1. """哈希摘要生成器(策略模式)"""
    2. def __init__(self, alg='md5', size=4096):
    3. self.size = size
    4. alg = alg.lower()
    5. self.hasher = getattr(__import__('hashlib'), alg.lower())()
    6. def __call__(self, stream):
    7. return self.to_digest(stream)
    8. def to_digest(self, stream):
    9. """生成十六进制形式的摘要"""
    10. for buf in iter(lambda: stream.read(self.size), b''):
    11. self.hasher.update(buf)
    12. return self.hasher.hexdigest()

    def main():

    1. """主函数"""
    2. hasher1 = StreamHasher()
    3. with open('Python-3.7.1.tgz', 'rb') as stream:
    4. print(hasher1.to_digest(stream))
    5. hasher2 = StreamHasher('sha1')
    6. with open('Python-3.7.1.tgz', 'rb') as stream:
    7. print(hasher2(stream))
  1. if __name__ == '__main__':
  2. main()
  3. ```
  1. 迭代器和生成器

    • 和迭代器相关的魔术方法(__iter____next__

    • 两种创建生成器的方式(生成器表达式和yield关键字)

      ```Python def fib(num):

      1. """生成器"""
      2. a, b = 0, 1
      3. for _ in range(num):
      4. a, b = b, a + b
      5. yield a
  1. class Fib(object):
  2. """迭代器"""
  3. def __init__(self, num):
  4. self.num = num
  5. self.a, self.b = 0, 1
  6. self.idx = 0
  7. def __iter__(self):
  8. return self
  9. def __next__(self):
  10. if self.idx < self.num:
  11. self.a, self.b = self.b, self.a + self.b
  12. self.idx += 1
  13. return self.a
  14. raise StopIteration()
  15. ```
  1. 并发编程

    Python中实现并发编程的三种方案:多线程、多进程和异步I/O。并发编程的好处在于可以提升程序的执行效率以及改善用户体验;坏处在于并发的程序不容易开发和调试,同时对其他程序来说它并不友好。

    • 多线程:Python中提供了Thread类并辅以Lock、Condition、Event、Semaphore和Barrier。Python中有GIL来防止多个线程同时执行本地字节码,这个锁对于CPython是必须的,因为CPython的内存管理并不是线程安全的,因为GIL的存在多线程并不能发挥CPU的多核特性。

      ```Python “”” 面试题:进程和线程的区别和联系? 进程 - 操作系统分配内存的基本单位 - 一个进程可以包含一个或多个线程 线程 - 操作系统分配CPU的基本单位 并发编程(concurrent programming)

      1. 提升执行性能 - 让程序中没有因果关系的部分可以并发的执行
      2. 改善用户体验 - 让耗时间的操作不会造成程序的假死 “”” import glob import os import threading

      from PIL import Image

      PREFIX = ‘thumbnails’

  1. def generate_thumbnail(infile, size, format='PNG'):
  2. """生成指定图片文件的缩略图"""
  3. file, ext = os.path.splitext(infile)
  4. file = file[file.rfind('/') + 1:]
  5. outfile = f'{PREFIX}/{file}_{size[0]}_{size[1]}.{ext}'
  6. img = Image.open(infile)
  7. img.thumbnail(size, Image.ANTIALIAS)
  8. img.save(outfile, format)
  9. def main():
  10. """主函数"""
  11. if not os.path.exists(PREFIX):
  12. os.mkdir(PREFIX)
  13. for infile in glob.glob('images/*.png'):
  14. for size in (32, 64, 128):
  15. # 创建并启动线程
  16. threading.Thread(
  17. target=generate_thumbnail,
  18. args=(infile, (size, size))
  19. ).start()
  20. if __name__ == '__main__':
  21. main()
  22. ```
  23. 多个线程竞争资源的情况
  24. ```Python
  25. """
  26. 多线程程序如果没有竞争资源处理起来通常也比较简单
  27. 当多个线程竞争临界资源的时候如果缺乏必要的保护措施就会导致数据错乱
  28. 说明:临界资源就是被多个线程竞争的资源
  29. """
  30. import time
  31. import threading
  32. from concurrent.futures import ThreadPoolExecutor
  33. class Account(object):
  34. """银行账户"""
  35. def __init__(self):
  36. self.balance = 0.0
  37. self.lock = threading.Lock()
  38. def deposit(self, money):
  39. # 通过锁保护临界资源
  40. with self.lock:
  41. new_balance = self.balance + money
  42. time.sleep(0.001)
  43. self.balance = new_balance
  44. class AddMoneyThread(threading.Thread):
  45. """自定义线程类"""
  46. def __init__(self, account, money):
  47. self.account = account
  48. self.money = money
  49. # 自定义线程的初始化方法中必须调用父类的初始化方法
  50. super().__init__()
  51. def run(self):
  52. # 线程启动之后要执行的操作
  53. self.account.deposit(self.money)
  54. def main():
  55. """主函数"""
  56. account = Account()
  57. # 创建线程池
  58. pool = ThreadPoolExecutor(max_workers=10)
  59. futures = []
  60. for _ in range(100):
  61. # 创建线程的第1种方式
  62. # threading.Thread(
  63. # target=account.deposit, args=(1, )
  64. # ).start()
  65. # 创建线程的第2种方式
  66. # AddMoneyThread(account, 1).start()
  67. # 创建线程的第3种方式
  68. # 调用线程池中的线程来执行特定的任务
  69. future = pool.submit(account.deposit, 1)
  70. futures.append(future)
  71. # 关闭线程池
  72. pool.shutdown()
  73. for future in futures:
  74. future.result()
  75. print(account.balance)
  76. if __name__ == '__main__':
  77. main()
  78. ```
  79. 修改上面的程序,启动5个线程向账户中存钱,5个线程从账户中取钱,取钱时如果余额不足就暂停线程进行等待。为了达到上述目标,需要对存钱和取钱的线程进行调度,在余额不足时取钱的线程暂停并释放锁,而存钱的线程将钱存入后要通知取钱的线程,使其从暂停状态被唤醒。可以使用`threading`模块的Condition来实现线程调度,该对象也是基于锁来创建的,代码如下所示:
  80. ```Python
  81. """
  82. 多个线程竞争一个资源 - 保护临界资源 - 锁(Lock/RLock)
  83. 多个线程竞争多个资源(线程数>资源数) - 信号量(Semaphore)
  84. 多个线程的调度 - 暂停线程执行/唤醒等待中的线程 - Condition
  85. """
  86. from concurrent.futures import ThreadPoolExecutor
  87. from random import randint
  88. from time import sleep
  89. import threading
  90. class Account():
  91. """银行账户"""
  92. def __init__(self, balance=0):
  93. self.balance = balance
  94. lock = threading.Lock()
  95. self.condition = threading.Condition(lock)
  96. def withdraw(self, money):
  97. """取钱"""
  98. with self.condition:
  99. while money > self.balance:
  100. self.condition.wait()
  101. new_balance = self.balance - money
  102. sleep(0.001)
  103. self.balance = new_balance
  104. def deposit(self, money):
  105. """存钱"""
  106. with self.condition:
  107. new_balance = self.balance + money
  108. sleep(0.001)
  109. self.balance = new_balance
  110. self.condition.notify_all()
  111. def add_money(account):
  112. while True:
  113. money = randint(5, 10)
  114. account.deposit(money)
  115. print(threading.current_thread().name,
  116. ':', money, '====>', account.balance)
  117. sleep(0.5)
  118. def sub_money(account):
  119. while True:
  120. money = randint(10, 30)
  121. account.withdraw(money)
  122. print(threading.current_thread().name,
  123. ':', money, '<====', account.balance)
  124. sleep(1)
  125. def main():
  126. account = Account()
  127. with ThreadPoolExecutor(max_workers=10) as pool:
  128. for _ in range(5):
  129. pool.submit(add_money, account)
  130. pool.submit(sub_money, account)
  131. if __name__ == '__main__':
  132. main()
  133. ```
  • 多进程:多进程可以有效的解决GIL的问题,实现多进程主要的类是Process,其他辅助的类跟threading模块中的类似,进程间共享数据可以使用管道、套接字等,在multiprocessing模块中有一个Queue类,它基于管道和锁机制提供了多个进程共享的队列。下面是官方文档上关于多进程和进程池的一个示例。

    ```Python “”” 多进程和进程池的使用 多线程因为GIL的存在不能够发挥CPU的多核特性 对于计算密集型任务应该考虑使用多进程 time python3 example22.py real 0m11.512s user 0m39.319s sys 0m0.169s 使用多进程后实际执行时间为11.512秒,而用户时间39.319秒约为实际执行时间的4倍 这就证明我们的程序通过多进程使用了CPU的多核特性,而且这台计算机配置了4核的CPU “”” import concurrent.futures import math

    PRIMES = [

    1. 1116281,
    2. 1297337,
    3. 104395303,
    4. 472882027,
    5. 533000389,
    6. 817504243,
    7. 982451653,
    8. 112272535095293,
    9. 112582705942171,
    10. 112272535095293,
    11. 115280095190773,
    12. 115797848077099,
    13. 1099726899285419

    ] * 5

  1. def is_prime(n):
  2. """判断素数"""
  3. if n % 2 == 0:
  4. return False
  5. sqrt_n = int(math.floor(math.sqrt(n)))
  6. for i in range(3, sqrt_n + 1, 2):
  7. if n % i == 0:
  8. return False
  9. return True
  10. def main():
  11. """主函数"""
  12. with concurrent.futures.ProcessPoolExecutor() as executor:
  13. for number, prime in zip(PRIMES, executor.map(is_prime, PRIMES)):
  14. print('%d is prime: %s' % (number, prime))
  15. if __name__ == '__main__':
  16. main()
  17. ```
  18. > 说明:**多线程和多进程的比较**。
  19. >
  20. > 以下情况需要使用多线程:
  21. >
  22. > 1. 程序需要维护许多共享的状态(尤其是可变状态),Python中的列表、字典、集合都是线程安全的,所以使用线程而不是进程维护共享状态的代价相对较小。
  23. > 2. 程序会花费大量时间在I/O操作上,没有太多并行计算的需求且不需占用太多的内存。
  24. >
  25. > 以下情况需要使用多进程:
  26. >
  27. > 1. 程序执行计算密集型任务(如:字节码操作、数据处理、科学计算)。
  28. > 2. 程序的输入可以并行的分成块,并且可以将运算结果合并。
  29. > 3. 程序在内存使用方面没有任何限制且不强依赖于I/O操作(如:读写文件、套接字等)。
  • 异步处理:从调度程序的任务队列中挑选任务,该调度程序以交叉的形式执行这些任务,我们并不能保证任务将以某种顺序去执行,因为执行顺序取决于队列中的一项任务是否愿意将CPU处理时间让位给另一项任务。异步任务通常通过多任务协作处理的方式来实现,由于执行时间和顺序的不确定,因此需要通过回调式编程或者future对象来获取任务执行的结果。Python 3通过asyncio模块和awaitasync关键字(在Python 3.7中正式被列为关键字)来支持异步处理。

    ```Python “”” 异步I/O - async / await “”” import asyncio

  1. def num_generator(m, n):
  2. """指定范围的数字生成器"""
  3. yield from range(m, n + 1)
  4. async def prime_filter(m, n):
  5. """素数过滤器"""
  6. primes = []
  7. for i in num_generator(m, n):
  8. flag = True
  9. for j in range(2, int(i ** 0.5 + 1)):
  10. if i % j == 0:
  11. flag = False
  12. break
  13. if flag:
  14. print('Prime =>', i)
  15. primes.append(i)
  16. await asyncio.sleep(0.001)
  17. return tuple(primes)
  18. async def square_mapper(m, n):
  19. """平方映射器"""
  20. squares = []
  21. for i in num_generator(m, n):
  22. print('Square =>', i * i)
  23. squares.append(i * i)
  24. await asyncio.sleep(0.001)
  25. return squares
  26. def main():
  27. """主函数"""
  28. loop = asyncio.get_event_loop()
  29. future = asyncio.gather(prime_filter(2, 100), square_mapper(1, 100))
  30. future.add_done_callback(lambda x: print(x.result()))
  31. loop.run_until_complete(future)
  32. loop.close()
  33. if __name__ == '__main__':
  34. main()
  35. ```
  36. > 说明:上面的代码使用`get_event_loop`函数获得系统默认的事件循环,通过`gather`函数可以获得一个`future`对象,`future`对象的`add_done_callback`可以添加执行完成时的回调函数,`loop`对象的`run_until_complete`方法可以等待通过`future`对象获得协程执行结果。
  37. Python中有一个名为`aiohttp`的三方库,它提供了异步的HTTP客户端和服务器,这个三方库可以跟`asyncio`模块一起工作,并提供了对`Future`对象的支持。Python 3.6中引入了async和await来定义异步执行的函数以及创建异步上下文,在Python 3.7中它们正式成为了关键字。下面的代码异步的从5个URL中获取页面并通过正则表达式的命名捕获组提取了网站的标题。
  38. ```Python
  39. import asyncio
  40. import re
  41. import aiohttp
  42. PATTERN = re.compile(r'\<title\>(?P<title>.*)\<\/title\>')
  43. async def fetch_page(session, url):
  44. async with session.get(url, ssl=False) as resp:
  45. return await resp.text()
  46. async def show_title(url):
  47. async with aiohttp.ClientSession() as session:
  48. html = await fetch_page(session, url)
  49. print(PATTERN.search(html).group('title'))
  50. def main():
  51. urls = ('https://www.python.org/',
  52. 'https://git-scm.com/',
  53. 'https://www.jd.com/',
  54. 'https://www.taobao.com/',
  55. 'https://www.douban.com/')
  56. loop = asyncio.get_event_loop()
  57. tasks = [show_title(url) for url in urls]
  58. loop.run_until_complete(asyncio.wait(tasks))
  59. loop.close()
  60. if __name__ == '__main__':
  61. main()
  62. ```
  63. > 说明:**异步I/O与多进程的比较**。
  64. >
  65. > 当程序不需要真正的并发性或并行性,而是更多的依赖于异步处理和回调时,asyncio就是一种很好的选择。如果程序中有大量的等待与休眠时,也应该考虑asyncio,它很适合编写没有实时数据处理需求的Web应用服务器。
  66. Python还有很多用于处理并行任务的三方库,例如:joblib、PyMP等。实际开发中,要提升系统的可扩展性和并发性通常有垂直扩展(增加单个节点的处理能力)和水平扩展(将单个节点变成多个节点)两种做法。可以通过消息队列来实现应用程序的解耦合,消息队列相当于是多线程同步队列的扩展版本,不同机器上的应用程序相当于就是线程,而共享的分布式消息队列就是原来程序中的Queue。消息队列(面向消息的中间件)的最流行和最标准化的实现是AMQP(高级消息队列协议),AMQP源于金融行业,提供了排队、路由、可靠传输、安全等功能,最著名的实现包括:Apache的ActiveMQ、RabbitMQ等。
  67. 要实现任务的异步化,可以使用名为Celery的三方库。Celery是Python编写的分布式任务队列,它使用分布式消息进行工作,可以基于RabbitMQ或Redis来作为后端的消息代理。