calc

  1. __all__ = ("name",) # 通过all的方式决定暴露哪一些变量或者说函数 但是只能够影响from * 的这种用法
  2. name = "wozen"
  3. def add1(x: int, y: int) -> int:
  4. return x + y
  1. def add1(x: float, y: float) -> float:
  2. print("float加法")
  3. return x + y
  1. from calc.add import add1, name
  2. # from calc.add import *
  3. def sub(x: int, y: int) -> int:
  4. print(add1(x, y))
  5. return x - y
  6. # 每多一个文件就多了一个package
  7. print(sub(1, 2))

class_test

  1. # 封装问题
  2. # 栈
  3. class Stack:
  4. def __init__(self):
  5. self.items = []
  6. def isEmpty(self):
  7. return self.items == []
  8. def push(self, item):
  9. self.items.append(item)
  10. def pop(self):
  11. return self.items.pop()
  12. def size(self):
  13. return len(self.items)
  14. # 既然有了列表为什么我们还要基于list去实现一个栈呢?
  15. # - 随机获取数据 l[0] - 很有可能误操作 都达不到我们想要的栈的效果
  16. # 上边的类 封装了变量 - list以及基于这些变量的方法 go如果想要达到这个封装效果 那么就一定要解决1.变量的封装 2.方法的封装
  17. # 另外一个场景 我们现在有一组课程的信息需要保存 一门课程有 课程名 课程的url 课程的价格
  18. class Courese:
  19. def __init__(self, name, price, url):
  20. self.name = name
  21. self.price = price
  22. # self._url = url # 大家都认可的一种编码规范 这种权限级别的控制 java是可以做到的
  23. self.__url = url # 大家都认可的一种编码规范 这种权限级别的控制 java是可以做到的
  24. courses = []
  25. course1 = Courese("django", 100, "https://www.imooc.com")
  26. # print(course1._url) # 保护成员的访问类 _url
  27. # print(course1.__url)
  28. courses.append(course1)
  29. course2 = Courese("scrapy", 100, "https://www.imooc.com")
  30. courses.append(course2)
  31. # 如果我们仅仅只关心数据的话,还有另一种数据结构更合适,tuple更省内存 性能更高
  32. course2 = []
  33. new_course1 = ("django", 100, "https://www.imooc.com")
  34. course2.append(new_course1)
  35. from collections import namedtuple
  36. # namedtuple很像是一个只能封装数据的类 但是namedtuple的性能比class高 内存比class小很多
  37. NewCourse = namedtuple('Course', 'name price url')
  38. a = NewCourse(name="django", price=100, url="https://www.imooc.com")
  39. print(a.price)
  40. course2.append(a)
  41. # go语言的struct更像是namedtuple 尽量配置简单的语法尽量猜测你的意图
  42. name = "" # 对空字符串 判断是false情况
  43. name = None
  44. name = 0
  45. name = []
  46. if name:
  47. print("yes")
  48. s = Stack()
  49. # python中一切皆对象
  50. print(Stack.isEmpty(s))
  51. # s.isEmpty() => Stack.isEmpty(s)
  52. class Course:
  53. def __init__(self, name, price, url):
  54. self.name = name
  55. self.price = price
  56. self.url = url
  57. def set_price(self, price):
  58. self.price = price
  59. class Person:
  60. def __init__(self, name, age):
  61. self.name = name
  62. self.age = age
  63. def speak(self):
  64. print("姓名:{}, 年龄:{}".format(self.name, self.age))
  65. class Student(Person):
  66. def __init__(self, name, age, school):
  67. super().__init__(name, age)
  68. self.school = school
  69. def detail(self):
  70. print("姓名:{}, 年龄:{},学校:{}".format(self.name, self.age, self.school))
  71. # 方法和函数 差异并不大
  72. c = Course("django", 100, "https://www.imooc.com")
  73. c.set_price(200)
  74. print(c.price)
  75. s = Student("anwma", 22, "慕课网")
  76. s.speak()
  77. s.detail()

duck_type

  1. # go语言的接口(protol 协议)设计是参考了鸭子类型(python)和java的接口
  2. # 什么是鸭子类型?什么叫协议
  3. # 当看到一只鸟走起来像鸭子、游泳起来像鸭子、叫起来也像鸭子,那么这只鸟就可以被称为鸭子
  4. # 采用的是面向对象的类继承
  5. class Animal:
  6. def born(self):
  7. pass
  8. def walk(self):
  9. pass
  10. class Dog(Animal):
  11. def born(self):
  12. pass
  13. def walk(self):
  14. pass
  15. class Cat(Animal):
  16. pass
  17. dog = Dog()
  18. # dog是不是动物类 实际上dog就是动物类 忽略了鸭子类型 对于用惯面向对象的人来说 这个做法有点古怪
  19. # python语言本身的设计上来说是基于鸭子类型实现的
  20. # dog是本身animal,并不是由继承关系确定的,而是由你的这个类是不是实现了这些方法
  21. # Animal实际上只是定义了一些方法的名称而已 其他任何类 你继不继承只要实现了这个Animal()里面的方法那你这个类就是Animal类型
  22. from typing import Iterable # 实际上list没有继承 Iterable这个类 好比是一份协议
  23. a = []
  24. print(type(a))
  25. print(isinstance(a, Iterable)) # 这是因为 list里面实现了list方法 魔法方法 只是实现了它的方法
  26. b = tuple()
  27. print(isinstance(b, Iterable))
  28. class Company(object):
  29. def __init__(self, employee_list):
  30. self.employee = employee_list
  31. # 实现以下魔法方法可用for 迭代 不实现会抛异常
  32. def __iter__(self):
  33. return iter(self.employee)
  34. # company = Company(["tom", "bob", "jane"])
  35. company = Company([100, 110, 120])
  36. for em in company:
  37. print(em)
  38. # for语句可以对dict list tuple set等类型进行for循环
  39. # for语句可以对iterable类型进行操作,只要你实现了__iter__那你就可以进行for循环
  40. # 你的类继承了什么不重要 你的类名称不重要 重要的是你实现了什么魔法方法
  41. # if isinstance(company, Iterable):
  42. # print("company是Iterable类型")
  43. # else:
  44. # print("company不是Iterable类型")
  45. price = [100, 200, 300] # python本身是基于鸭子类型设计的一门语言 - 协议最重要
  46. # price = (100, 200, 300)
  47. # print(sum(price))
  48. print(sum(company))
  49. # 强调 什么是鸭子类型 非常推荐大家去好好学习python中的魔法方法
  50. # django + xadmin
  51. # scrapy

sort_test

  1. class Course:
  2. def __init__(self, name, price, url):
  3. self.name = name
  4. self.price = price
  5. self.url = url
  6. def __str__(self):
  7. return "{}-{}".format(self.name, self.price)
  8. l = []
  9. c1 = Course("django", 200, "")
  10. c2 = Course("scrapy", 100, "")
  11. c3 = Course("tornado", 300, "")
  12. c4 = Course("sanic", 100, "")
  13. l.append(c1)
  14. l.append(c2)
  15. l.append(c3)
  16. l.append(c4)
  17. # data = [1, 3, 5, 2, 6, 8, 9]
  18. # data.sort()
  19. l.sort(key=lambda x: x.price)
  20. for item in l:
  21. print(item)
  22. # print(data)
  23. print(l)

other

  1. # 错误和异常
  2. # 除法函数
  3. def div(a, b):
  4. # 稍微认真一点的程序员都会在除法中判断我们的被除数 b 是否为0
  5. if b == 0:
  6. # raise Exception("被除数不能为0") # 异常
  7. return None, "被除数不能为0"
  8. # dict访问了一个不存在的key, 在list中对空的list进行了data[0]
  9. user_info_dict = {
  10. "name": "wozen",
  11. "age": 18
  12. }
  13. if "weight" in user_info_dict:
  14. user_info_dict["weight"]
  15. # 如果每个地方都这样写,代码中的if就太多了,那就是你的bug问题,这种问题就一定要早发现
  16. return a / b, None
  17. # 如果你的这个函数 - div返回的是None 这个时候调用者不会出问题
  18. # 错误和异常 错误就是可以预先知道的出错情况 这个时候我们把这个情况叫做错误
  19. # 不可预知的问题叫做异常 程序员写的代码不严谨造成了某个地方产生了异常
  20. def cal():
  21. while 1:
  22. a = int(input())
  23. b = int(input())
  24. v, err = div(a, b)
  25. if err is not None:
  26. print(err)
  27. else:
  28. print(v)
  29. # try:
  30. # div(a, b)
  31. # except Exception as e:
  32. # print(e)
  33. # 后面还有逻辑
  34. # 被调用函数传递的异常会导致我们的cal函数出现异常
  35. # cal()
  36. import re
  37. desc = "wozen:22"
  38. m = re.match("wozen:(.*)", desc)
  39. if m is not None:
  40. print(m.group(1))
  1. from typing import get_type_hints, Iterable, MutableMapping
  2. from functools import wraps
  3. from inspect import getfullargspec
  4. # 函数参数和返回值的类型声明
  5. # import socket
  6. #
  7. # s = socket.socket()
  8. # s.send()
  9. def add2(a: int, b: float = 3.5) -> float:
  10. return a + b
  11. def validate_input(obj, **kwargs):
  12. hints = get_type_hints(obj)
  13. for para_name, para_type in hints.items():
  14. if para_name == "return":
  15. continue
  16. if not isinstance(kwargs[para_name], para_type):
  17. raise TypeError("参数:{} 类型错误,应该是:{}".format(para_name, para_type))
  18. def type_check(decorator):
  19. @wraps(decorator)
  20. def wrapped_decorator(*args, **kwargs):
  21. func_args = getfullargspec(decorator)[0]
  22. kwargs.update(dict(zip(func_args, args)))
  23. validate_input(decorator, **kwargs)
  24. return decorator(**kwargs)
  25. return wrapped_decorator
  26. @type_check
  27. def add(a: int, b: int) -> int:
  28. return a + b
  29. # 调用的时候才能发现类型问题
  30. if __name__ == "__main__":
  31. # print(add(1, 2))
  32. # print(add2(1))
  33. # 有些人还并不满意
  34. # print(add("bobby:", "18"))
  35. #
  36. # print(get_type_hints(add))
  37. # print(add.__annotations__)
  38. # print(bin(13))
  39. # name = "wozen:楚心云"
  40. # print(name[2])
  41. # print(len("wozen:楚心云"))
  42. # in可以用在很多地方
  43. # if "wozen" in name:
  44. # print("yes")
  45. #
  46. # name.index("w")
  47. # name.count("b")
  48. # name.startswith("b")
  49. # name.endswith("云")
  50. # print("hello".upper())
  51. # print("HELLO".lower())
  52. # print("hello world".split())
  53. # print(",".join(["hello", "world"]))
  54. # name = "wozen"
  55. # age = 18
  56. # print("name: %s,age: %d" % (name, age))
  57. # print("name:{},age:{}".format(name, age))
  58. # print(f"name:{name},age:{age}")
  59. # name = input("请输入你的姓名: ")
  60. # print(name)
  61. #
  62. # age = int(input("请输入你的年龄: "))
  63. # print(type(age))
  64. # sum = 0
  65. # python中对于for的用法很统一
  66. # for i in range(1, 11):
  67. # sum += i
  68. # print(sum(range(1, 11)))
  69. # print(sum)
  70. # for item in "bobby":
  71. # print(item)
  72. for index, item in enumerate("bobby"):
  73. print(index, item)
  74. name = "hello:我的世界"
  75. print(name[6])
  1. # 一个简单的计算器
  2. # a = int(input("请输入第一个数:"))
  3. # op = input("操作符:")
  4. # b = int(input("请输入第二个数:"))
  5. #
  6. #
  7. # def add(a, b):
  8. # return a + b
  9. #
  10. #
  11. # def sub(a, b):
  12. # return a - b
  13. #
  14. #
  15. # def div(a, b):
  16. # return a / b
  17. #
  18. #
  19. # def mul(a, b):
  20. # return a * b
  21. #
  22. #
  23. # op_dict = {
  24. # "+": add,
  25. # "-": sub,
  26. # "/": div,
  27. # "*": mul,
  28. # }
  29. # func = op_dict[op]
  30. # print(func(a, b)(a, b))
  31. # 把函数当作普通的变量使用 还可以当作一个返回值 这个特性就是一等公民的特性
  32. # if op == "+":
  33. # print(a + b)
  34. # elif op == "-"
  35. # print(a - b)
  36. # elif op == "*"
  37. # print(a * b)
  38. # elif op == "/"
  39. # print(a / b)
  40. import threading
  41. # 有一些情况是需要两种操作都出现 1.打开/关闭 文件 2.数据库的连接 (开启 关闭) 3.锁(获取锁 释放锁)
  42. def read_file(file_name):
  43. f = open(file_name) # 打开文件成功之后执行逻辑
  44. with open(file_name, "w") as f:
  45. sum = 0
  46. data = [1, 2]
  47. for line in f:
  48. sum += int(line)
  49. # sum += line # 这一行代码可能有异常 很容易出现异常
  50. # f.close()
  51. print("before return ")
  52. # re_data = data # 将结果暂存到临时的变量当中去
  53. re_data = sum # sum是int 是值传递 将3拷贝到re_data中去 = 3
  54. lock = threading.Lock()
  55. lock.acquire()
  56. try:
  57. # 此处是多行处理逻辑 这些就可能抛出异常
  58. pass
  59. except Exception as e:
  60. pass
  61. finally:
  62. lock.release()
  63. # 此处跳往 finally 执行
  64. return re_data
  65. # except Exception as e:
  66. # # f.close()
  67. # pass
  68. # finally:
  69. # print("close file")
  70. # data.append(3)
  71. # f.close()
  72. # lock.release # 此处可能抛出异常
  73. # 1.代码出现异常 导致 close 执行不到
  74. # 2.我们忘记close了 无论是否正常运行代码都能够执行到指定逻辑
  75. print(read_file("xxx.txt"))
  76. # 代码很丑陋, 但是一旦逻辑复杂 这种代码大量的充斥了我们的代码中
  77. # 但是 finally有一些细节我们需要知道 就有了一个印象 finally会在return 之后运行
  78. # 事实上真的是这样吗?
  79. # 原因: 实际上finally是在return 之前调用
  80. # finally中是可以return 而且这个地方有了return 就会覆盖原本的return
  1. #
  2. from typing import List
  3. from copy import deepcopy
  4. def print_list(course: List[str]):
  5. course[0] = "bobby"
  6. print(course)
  7. # 引用传递
  8. course = ["django", "scrapy", "tornado", "python", "golang"]
  9. # 深拷贝 浅拷贝
  10. # print_list(deepcopy(course))
  11. # print(type(course))
  12. sub_course = course[1:4] # 左闭右开的区间[1:4] 新的list 底层的数据是复制出来的
  13. my_list = list
  14. sub_course[0] = "imooc"
  15. print(sub_course)
  16. print(type(sub_course))
  17. print(course) # src_arr 不被影响到
  18. # print(type(sub_course))
  19. # print(course)
  20. # if "scrapy" in course: # 内部无非就是实现了一个魔法方法 __contains__
  21. # print("yes")
  22. a = [1, 2, 3]
  23. b = a[:]
  24. b[0] = 8
  25. print(a)
  26. print(b)
  27. m = {
  28. "a": "va",
  29. "b": "vb"
  30. }
  31. a = None
  32. b = None
  33. print_list(id(a), id(b))
  34. print(m.get("d", "wozen"))
  35. if "a" in m:
  36. print("yes")
  1. # from collections import namedtuple
  2. # def main():
  3. # print("hello", end="")
  4. # print(" python", end="")
  5. #
  6. #
  7. # if __name__ == '__main__':
  8. # # main()
  9. # # 定义匿名变量
  10. # my_list = ["bobby", "imooc", "test"]
  11. # for _, item in enumerate(my_list):
  12. # print(item)
  13. # # 元组 (无法被修改)
  14. # sex_tuple = ("male", "female")
  15. from calc.add import add1 as add1_int
  16. from calc.add_float import add1
  17. print(add1(1, 2))
  18. print(add1_int(1, 2))
  19. # python中没有package说明自己属于什么package 和包名 和文件名称是挂钩的
  1. # 1. 采用dict映射
  2. def print_A():
  3. print("A")
  4. def print_B():
  5. print("B")
  6. def print_C():
  7. print("C")
  8. def print_D():
  9. print("D")
  10. score = 90
  11. switch = {
  12. 90: print_A,
  13. 80: print_B,
  14. 70: print_C,
  15. 60: print_D,
  16. }
  17. switch[score]()
  1. # 1.python的类型相比go而言少很多 int float
  2. # 2.字符串转int
  3. data = "123"
  4. int_data = int(data, 16)
  5. print(type(int_data), int_data)
  6. # 3.int转字符串
  7. data_str = str(int_data)
  8. print(type(data_str), data_str)
  9. # 4.float类型转换
  10. data_float = float("3.1415")
  11. print(type(data_float), data_float)
  12. float_str = str(data_float)
  13. print(type(float_str), float_str)
  14. # 5.bool类型转换 字符串转换bool 只要字符串不是空字符串 都是true
  15. # bool_data = bool("true1")
  16. # bool_data2 = bool("")
  17. # print(bool_data)
  18. # print(bool_data2)
  19. from distutils.util import strtobool
  20. bool_data = strtobool("1")
  21. print(bool_data)
  1. import sys
  2. a = 20
  3. def myfunc():
  4. # python中没有定义变量的说法
  5. global a
  6. # 修改全局变量
  7. a = 10
  8. print(a)
  9. def myfunc2():
  10. sex = "Male"
  11. print("Female")
  12. # 运行中才会发现很多问题,有很多问题会在你的程序已经部署到生产环境中运行到某些逻辑之下才会出现
  13. out_str = ""
  14. if sex == "Male":
  15. out_str = "性别:男"
  16. print(out_str)
  17. if __name__ == "__main__":
  18. # myfunc() # 局部
  19. # print(a) # 全局
  20. # myfunc2()
  21. # print(bin(2))
  22. # print(oct(2))
  23. # print(hex(2))
  24. # print(ord("a"))
  25. # print(ord("吴"))
  26. age = 18
  27. # 对于python来说,int占用字节是动态的,python的int我们不用担心超过上限
  28. print(sys.getsizeof(age))
  29. print(sys.getsizeof(71.2))
  30. # print("a" + 1) # "a"表示字符 单引号不代表字符
  1. # python3.8 提供了一个新的运算符 - 海象运算符 可以为我们的表达式赋值
  2. # course_list = ["django", "scrapy", "tornado"]
  3. # if course_size := len(course_list) >= 3:
  4. # print("课程较多,课程数量:{}".format(course_size))
  5. # Output: true
  6. # if (course_size := len(course_list)) >= 3:
  7. # print("课程较多,课程数量:{}".format(course_size))
  8. # Output: 3
  9. # len(course_list)只调用了一次
  10. # len(course_list)调用了两边
  11. # version 1
  12. # powers = [len(course_list), len(course_list) ** 2, len(course_list) ** 3]
  13. # version 2
  14. # course_size = len(course_list)
  15. # powers = [course_size, course_size ** 2, course_size ** 3]
  16. # version 3 海象运算符
  17. # powers = [course_size := len(course_list), course_size ** 2, course_size ** 3]
  18. # print(powers)
  19. # import re
  20. # desc = "bobby:18"
  21. # if m := re.match("bobby:(.*)", desc):
  22. # age = m.group(1)
  23. # print(age)
  24. # age = 18
  25. # age := 18 error
  26. # age += 5
  27. # 类型注解
  28. # 动态语言不需要声明变量类型 这种做法在很多人眼里是不好维护的代名词
  29. # len(course_list) 调用了两边 len(course_list)只调用了一次
  30. # 变量类型说明 一般情况下我们会通过变量名来隐含的说明该变量的类型
  31. age: int = 18 # 说明该类型是int类型
  32. # python有大量的内置类型 int float bool str bytes
  33. name: str = "bobby"
  34. sex: bool = True
  35. weight: float = 75
  36. x: bytes = b"test"
  37. age = "18"
  38. # 类型的声明 不会实际影响使用 , hints 提示作用 pycharm是支持这种提示的
  39. print(age)
  40. # 但是实际上这样做也会有明显的缺点,损失了python本身的灵活性
  41. # 复杂数据类型的声明
  42. # courses: list = ["django", "scrapy", "tornado"] # 有问题
  43. from typing import List, Set, Dict, Tuple
  44. courses: List[str] = ["django", "scrapy", "tornado"]
  45. courses.append("asyncio")
  46. courses.append(1)
  47. print(courses)
  48. user_info: Dict[str, float] = {"bobby": 75.2}
  49. names: Tuple[int, ...] = (1, 2, 3)
  50. name: str
  51. name = "bobby"
  52. # 函数变量类型的声明其实意义更大