流畅的Python(九)-符合Python风格的对象

一、核心要义

接续第一章,说明如何实现很多Python类型中常见的特殊方法

1. 支持使用生成对象其他表示形式的内置函数(如repr(),bytes()等)

2. 使用类方法,实现备选构造方法

3.扩展内置的format()函数和str.format()方法使用的格式微语言

4.实现只读属性

5.把对象变成可散列的,以便在集合中作为dict的键使用

6.利用__slots__节省内存

二、代码示例

1、对象表现形式

#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time    : 2024/2/12 10:54
# @Author  : Maple
# @File    : 01-对象表现形式.py
# @Software: PyCharm
import math
from array import arrayclass Vector:typecode = 'd'def __init__(self,x,y):self.x = xself.y =ydef __iter__(self):return (i for i in (self.x,self.y))def __repr__(self):class_name = type(self).__name__# Vector实现iter方法,因此是可迭代对象,可以通过*self获取迭代结果(self.x,self.y)return '{}({!r},{!r})'.format(class_name,*self)def __str__(self):# 从可迭代对象vector可得到元组(self.x,self.y)return str(tuple(self))def __bytes__(self):# 1. ord(self.typecode)将'd'转成对应ASCII码# 2. array(self.typecode,self):将vector对象转成float数组"""(1)第一个参数是编码规则(2)第二个参数需要是列表、字符串或者可迭代对象(当然具体支持什么类型,需要与typecode相匹配)比如,如果第二个参数是str类型,需要typecode是 'u'才支持,因为 'u'  Unicode character  2 (see note)array(typecode [, initializer]) -> arrayReturn a new array whose items are restricted by typecode, andinitialized from the optional initializer value, which must be a list,string or iterable over elements of the appropriate type.Arrays represent basic values and behave very much like lists, exceptthe type of objects stored in them is constrained. The type is specifiedat object creation time by using a type code, which is a single character.The following type codes are defined:Type code   C Type             Minimum size in bytes'b'         signed integer     1'B'         unsigned integer   1'u'         Unicode character  2 (see note)'h'         signed integer     2'H'         unsigned integer   2'i'         signed integer     2'I'         unsigned integer   2'l'         signed integer     4'L'         unsigned integer   4'q'         signed integer     8 (see note)'Q'         unsigned integer   8 (see note)'f'         floating point     4'd'         floating point     8"""#return bytes([ord(self.typecode)]) + bytes(array(self.typecode,self))@classmethoddef frombytes(cls,octets):"""类方法常见用途是定义备选构造方法"""# 获取编码规则typecode = chr(octets[0])# 获取需要构造方法所需要的参数memv = memoryview(octets[1:]).cast(typecode)# 返回对象return cls(*memv)def __eq__(self, other):return tuple(self) == tuple(other)def __abs__(self):return math.hypot(self.x,self.y)def __bool__(self):# 1. abs(self)会调用self.__abs__# 2. 如果vector对象的abs值大于0,则返回True,否则Falsereturn bool(abs(self))if __name__ == '__main__':# 1. 打印实例属性值print('************1. 打印实例属性值*****************')v1 = Vector(3,4)print(v1.x,v1.y)# 2. Vector实例对象是可迭代的,因此会拆包成变量元组print('************2. Vector实例对象拆包成变量元组*****************')x,y = v1print(x,y)# 3.如果Vector没有实现__str__方法,会按照__repr__定义的格式打印v1print('************3. repr方式打印对象*****************')print(v1) # Vector(3,4)# 4.如果同时定义了__str__和__repr__,则会按照__str__的格式打印v1print('************4. str方式打印对象*****************')print(v1) # (3,4)# 5.eval方式构造对象print('************5. eval方式构造对象*****************')clone_v1 = eval(repr(v1)) # 相当于执行Vector(3,4),克隆了一份v1对象# clone_v1和v1是两个不同的对象print(clone_v1 is v1) #False# clone_v1和v1的值相等(调用__eq__方法进行比较)print(clone_v1 == v1) #True# 6.获取对象的二级制转换结果print('************6.获取对象的二级制转换结果*****************')octets = bytes(v1)print(octets) # b'd\x00\x00\x00\x00\x00\x00\x08@\x00\x00\x00\x00\x00\x00\x10@'# 基于octets 利用frombytes类方法构建对象print('********基于octets 利用frombytes类方法构建对象*****************')v2 = Vector.frombytes(octets)print(v1 ==v2 ) # True# 7. 获取对象absprint('********7. 获取对象abs*****************')print(abs(v1))# 5.0# 8.bool测试print('********8.bool测试*****************')print(bool(v1)) #True

2、格式化显示

#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time    : 2024/2/12 21:32
# @Author  : Maple
# @File    : 02-格式化显示.py
# @Software: PyCharm
import math
from array import arrayclass Vector:typecode = 'd'def __init__(self,x,y):self.x = xself.y =ydef __iter__(self):return (i for i in (self.x,self.y))def __repr__(self):class_name = type(self).__name__# Vector实现iter方法,因此是可迭代对象,可以通过*self获取迭代结果(self.x,self.y)return '{}({!r},{!r})'.format(class_name,*self)def __str__(self):# 从可迭代对象vector可得到元组(self.x,self.y)return str(tuple(self))def __bytes__(self):return bytes([ord(self.typecode)]) + bytes(array(self.typecode,self))@classmethoddef frombytes(cls,octets):"""类方法常见用途是定义备选构造方法"""# 获取编码规则typecode = chr(octets[0])# 获取需要构造方法所需要的参数memv = memoryview(octets[1:]).cast(typecode)# 返回对象return cls(*memv)def __eq__(self, other):return tuple(self) == tuple(other)def __abs__(self):return math.hypot(self.x,self.y)def __bool__(self):# 1. abs(self)会调用self.__abs__# 2. 如果vector对象的abs值大于0,则返回True,否则Falsereturn bool(abs(self))# 添加自定的format方法def __format__(self, format_spec):components = (format(c,format_spec) for c in self)return '({},{})'.format(*components)class Vector2:"""极坐标格式输出1. 如果格式说明符以'p'结尾,那么在极坐标中显示向量 <r,θ>,其中r是模,θ是弧度,'p'之前的数字部分,按照往常的格式定义输出"""typecode = 'd'def __init__(self,x,y):self.x = xself.y =ydef __iter__(self):return (i for i in (self.x,self.y))def __repr__(self):class_name = type(self).__name__# Vector实现iter方法,因此是可迭代对象,可以通过*self获取迭代结果(self.x,self.y)return '{}({!r},{!r})'.format(class_name,*self)def __str__(self):# 从可迭代对象vector可得到元组(self.x,self.y)return str(tuple(self))def __bytes__(self):return bytes([ord(self.typecode)]) + bytes(array(self.typecode,self))@classmethoddef frombytes(cls,octets):"""类方法常见用途是定义备选构造方法"""# 获取编码规则typecode = chr(octets[0])# 获取需要构造方法所需要的参数memv = memoryview(octets[1:]).cast(typecode)# 返回对象return cls(*memv)def __eq__(self, other):return tuple(self) == tuple(other)def __abs__(self):return math.hypot(self.x,self.y)def __bool__(self):# 1. abs(self)会调用self.__abs__# 2. 如果vector对象的abs值大于0,则返回True,否则Falsereturn bool(abs(self))# 获取向量的角度def angel(self):return math.atan2(self.y,self.x)# 添加自定的format方法def __format__(self, format_spec=''):if format_spec.endswith('p'):new_format = format_spec.replace('p','')r = format(abs(self),new_format)Θ = format(self.angel(),new_format)return '({},{})'.format(r,Θ)else:components = (format(c, format_spec) for c in self)return '({},{})'.format(*components)if __name__ == '__main__':# 1.内置的format方法brl = 1/2.34print(format(brl,'0.4f')) # 0.4274# 2.内置str.format方法# 其中rate是参数名,brl是参数值-会以自定义的格式'0.2f'替换rate:后面的部分print('1 BRL = {rate:0.2f}'.format(rate = brl)) #1 BRL = 0.43# 3.vector类的格式输出# 如果类没有自定义format方法,format(v)会返回str(v)的值# 如果定义了format方法,则按照format定义的格式输出v = Vector(3,4)print(format(v,'0.2f')) # (3.00,4.00)print(format(v,'.3e')) #(3.000e+00,4.000e+00)# 4.vector2类的格式输出v2 = Vector2(1,1)print(format(v2,'p')) # (1.4142135623730951,0.7853981633974483)print(format(v2,'.3ep')) # (1.414e+00,7.854e-01)print(format(v2,'0.5fp')) # (1.41421,0.78540)

3、可散列的Vector

#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time    : 2024/2/13 8:59
# @Author  : Maple
# @File    : 03-可散列的Vector.py
# @Software: PyCharm"""要使Vector实例是可散列的,必须实现__hash__方法,
而要实现__hash__方法,必须保证类的属性是不可变的
"""class Vector:def __init__(self,x,y):# 双下划线开头的是私有属性self.__x = float(x)self.__y = float(y)@propertydef x(self):return self.__x@propertydef y(self):return self.__ydef __iter__(self):return (c for c in (self.x,self.y))def __hash__(self):return hash(self.x) ^ hash(self.y)if __name__ == '__main__':v = Vector(1,2)# 1. 访问v实例的x和y属性# 本质上会调用def x 和def y方法print(v.x,v.y) # 1.0 2.0# 2. 修改v实例的x和y属性的值## 2-1 会直接报错,因为类中并没有x属性#v.x = 1.5 # AttributeError: can't set attribute## 2-2 相当于给实例新增了一个属性__x,然后赋值1.5,但该属性其实并不是Vector类中定义的属性v.__x = 1.5print(v.__x) # 1.5## 2-3.私有属性的真正名字是_Vector__x(虽然可以修改,但既然定义为私有属性,当然是不建议从类的外部直接修改该属性的值)v._Vector__x = 2.5print(v.x) # 2.5# 3. Vector对象的hash值print(hash(v)) # 1152921504606846976## Vector类实现hash方法后,其实例对象就能够作为集合中的元素了v2 = Vector(1.5,2.5)s = set([v,v2])print(s) # {<__main__.Vector object at 0x000001D50E19BD60>, <__main__.Vector object at 0x000001D50E19BF10>}

4、slot类属性

#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time    : 2024/2/13 19:14
# @Author  : Maple
# @File    : 04-slot类属性.py
# @Software: PyCharm"""
-背景说明:
1. Python在各个实例的中名为__dict__的字典中存储实例的属性
2. 由于字典的存储方式是散列的,如果属性过多,字典会消耗大量内存
使用场景:
-为了节约内存属性,方法是让解释器在元组中存储实例属性,而非字典
"""class Person:def __init__(self,name,age):self.name = nameself.age = ageclass Student:# __slots__的目的:告知类的所有实例属性都在这里了,无需在Student实例的__dict__字典中存放属性__slots__ = ('name','age')def __init__(self,name,age):self.name = nameself.age = ageclass Computer:# 如果把__dict__ 放进slots,实例会在元组中保存各个实例的属性,此外还支持动态创建属性,这些属性还存储在常规的__dict__中__slots__ = ('brand','price','__dict__')def __init__(self,brand,price):self.brand = brandself.price = priceif __name__ == '__main__':p = Person('Maple',18)# 1.dict字典会存储实例属性print(p.__dict__) # {'name': 'Maple', 'age': 18}# 2.slot属性定义的类s = Student('Maple',18)# 测试类的实例的__dict__属性是否仍然存在# print(s.__dict__) # Student' object has no attribute '__dict__'# 3.slot中包含dict测试c = Computer('HTC',1000)# 3-1. __dict__字典最初为空print(c.__dict__) # {}# 3-2.动态添加属性c.color = 'red'print(c.__dict__)# {'color': 'red'}

5、覆盖类属性

#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time    : 2024/2/13 20:57
# @Author  : Maple
# @File    : 05-覆盖类属性.py
# @Software: PyCharm
from array import arrayclass Vector:typecode = 'd'def __init__(self,x,y):self.x = xself.y =ydef __iter__(self):return (i for i in (self.x,self.y))def __repr__(self):class_name = type(self).__name__# Vector实现iter方法,因此是可迭代对象,可以通过*self获取迭代结果(self.x,self.y)return '{}({!r},{!r})'.format(class_name,*self)def __str__(self):# 从可迭代对象vector可得到元组(self.x,self.y)return str(tuple(self))def __bytes__(self):return bytes([ord(self.typecode)]) + bytes(array(self.typecode,self))@classmethoddef frombytes(cls,octets):"""类方法常见用途是定义备选构造方法"""# 获取编码规则typecode = chr(octets[0])# 获取需要构造方法所需要的参数memv = memoryview(octets[1:]).cast(typecode)# 返回对象return cls(*memv)def __eq__(self, other):return tuple(self) == tuple(other)def __abs__(self):return math.hypot(self.x,self.y)def __bool__(self):# 1. abs(self)会调用self.__abs__# 2. 如果vector对象的abs值大于0,则返回True,否则Falsereturn bool(abs(self))# 添加自定的format方法def __format__(self, format_spec):components = (format(c,format_spec) for c in self)return '({},{})'.format(*components)class SubVector(Vector):# 覆盖父类的typecode属性typecode = 'f'if __name__ == '__main__':# 1. Vector类中类属性typecode的默认值是'd',表示8字节双精度浮点数v1 = Vector(1,2)print(bytes(v1)) # b'd\x00\x00\x00\x00\x00\x00\xf0?\x00\x00\x00\x00\x00\x00\x00@'# 2.修改实例v1的typecode属性为'f',表示4字节双精度浮点数v1.typecode = 'f'print(bytes(v1)) # b'f\x00\x00\x80?\x00\x00\x00@'# 3.类的typecode属性并不受影响,仍然为'd'print(Vector.typecode) # d# 4.可按以下方式修改类属性Vector.typecode = 'f'v2 = Vector(1,2)print(bytes(v2)) # b'f\x00\x00\x80?\x00\x00\x00@'# 5.另外一种修改类属性的方法是:子类覆盖父类typecode属性s1 = SubVector(1,2)print(bytes(s1)) # b'f\x00\x00\x80?\x00\x00\x00@'

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/682233.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

寒假作业2024.2.14

一&#xff0e;选择题 1.变量的指针&#xff0c;其含义是指该变量的 B 。 A&#xff09;值 B&#xff09;地址 C&#xff09;名 D&#xff09;一个标志 2.已有定义int k2;int *ptr1,*ptr2;且ptr1和ptr2均已指向变量k&#xff…

Linux命令行全景指南:从入门到实践,掌握命令行的力量

目录 知识梳理思维导图&#xff1a; linux命令入门 为什么要学Linux命令 什么是终端 什么是命令 关于Linux命令的语法 tab键补全 关于命令提示符 特殊目录 常见重要目录 /opt /home /root /etc /var/log/ man命令 shutdown命令 history命令 which命令 bash…

顾问聘请协议(模板)

甲方&#xff1a;________________   乙方&#xff1a;________________ 诚信合作是一切事业发展的基础&#xff0c;外部智力是企业进步的源泉。甲、乙双方经友好协商达成本协议&#xff0c;甲方愿意聘请乙方为特邀管理顾问&#xff0c;乙方愿按本协议内容与甲方合作。 一、合…

PostgreSQL的学习心得和知识总结(一百二十九)|深入理解PostgreSQL数据库GUC参数 update_process_title 的使用和原理

目录结构 注:提前言明 本文借鉴了以下博主、书籍或网站的内容,其列表如下: 1、参考书籍:《PostgreSQL数据库内核分析》 2、参考书籍:《数据库事务处理的艺术:事务管理与并发控制》 3、PostgreSQL数据库仓库链接,点击前往 4、日本著名PostgreSQL数据库专家 铃木启修 网站…

水果FL Studio21.2最新中文版功能特点介绍

FL Studio 21的特点和优势包括&#xff1a; 丰富的主题换肤&#xff1a;用户可以通过调整色调、饱和度、亮度、文本、仪表和步进序列器的颜色&#xff0c;来个性化定制FL Studio 21的外观&#xff0c;使其更符合个人审美或工作风格。更快的音频编辑&#xff1a;FL Studio 21集…

奇异递归模板模式应用1-对象计数

需求&#xff1a;有时遇到某些类特征相似而又没有共同的父类&#xff0c;希望能够知道这些类的创建数量之和。 思路&#xff1a;将这些类继承自同一个计数类&#xff0c;共享计数变量s_createCount信息&#xff0c;实现如下&#xff1a; class Counter { public:Counter() {s_…

Codeforces Round 925 (Div. 3)

D. Divisible Pairs 题意&#xff1a;给定一个长度为n(2<n<2*10^5)的数组&#xff0c;给出两个数x、y(1<x,y<10^9),找出完美对的个数 完美对满足 (aiaj)整除x (ai-aj)整除y 且&#xff08;1<i<j<n) 统计数组a中的完美对有多少个 思路&#xff1a;统计…

【2024年毕设系列】如何使用Anaconda和Pycharm

【2024年毕设系列】如何使用Anaconda和Pycharm 视频教程地址&#xff1a;【2024毕设系列】Anaconda和Pycharm如何使用_哔哩哔哩 Hi&#xff0c;各位好久不见&#xff0c;这里是肆十二&#xff0c;首先在这里给大伙拜年了。 诸位过完年之后估计又要开始为了大作业和毕业设计头疼…

Virt a Mate(VAM)游戏折腾记录

如有更新见原文&#xff1a;https://blog.iyatt.com/?p13283 1 前言 如果在网上看到有些视频名字带有 VAM 的&#xff0c;可能就是玩这个游戏录屏的。这个游戏可以建模、操作模型动作、构建场景等等。之前大致知道有这么个东西&#xff0c;只是电脑配置太差了&#xff0c;新…

Vue项目创建和nodejs使用

Vue项目创建和nodejs使用 一、环境准备1.1.安装 node.js【下载历史版本node-v14.21.3-x64】1.2.安装1.3.检查是否安装成功&#xff1a;1.4.在Node下新建两个文件夹 node_global和node_cache并设置权限1.5.配置npm在安装全局模块时的路径和缓存cache的路径1.6.配置系统变量&…

网安常用的三个攻击方式

1.渗透测试执行标准&#xff08;PTES&#xff09; 渗透测试执行标准由7个部分组成&#xff0c;包括前期交互、情报收集、威胁建模、漏洞分析、渗透利用、后渗透、撰写报告。在中国&#xff0c;渗透测试必须经过授权&#xff0c;否则就违背了网络安全法。前期交互主要指开展渗透…

2/13作业

1.磁盘操作的完整流程 &#xff08;1&#xff09;接入虚拟机&#xff1a;在左上角选中虚拟机选项--->选择可移动设备--->找到u盘--->然后连接 &#xff08;2&#xff09;是否被识别&#xff1a;使用指令 ls /dev/sd* 查看是否有除sda外的内容说明连结成功 &#xf…

鸿蒙(HarmonyOS)项目方舟框架(ArkUI)之Marquee组件

鸿蒙&#xff08;HarmonyOS&#xff09;项目方舟框架&#xff08;ArkUI&#xff09;之Marquee组件 一、操作环境 操作系统: Windows 10 专业版、IDE:DevEco Studio 3.1、SDK:HarmonyOS 3.1 二、Marquee组件 跑马灯组件&#xff0c;用于滚动展示一段单行文本&#xff0c;仅当…

SpringCloud-Eureka服务注册中心测试实践

5. Eureka服务注册中心 5.1 什么是Eureka Netflix在涉及Eureka时&#xff0c;遵循的就是API原则.Eureka是Netflix的有个子模块&#xff0c;也是核心模块之一。Eureka是基于REST的服务&#xff0c;用于定位服务&#xff0c;以实现云端中间件层服务发现和故障转移&#xff0c;服…

开发基础知识-认识Tomcat,Tomcat基础,快速入门Tomcat

初识Tomcat&#xff08;汤姆猫&#xff09; Tomcat 服务器是一个免费的开放源代码的Web应用服务器&#xff0c;属于轻量级应用服务器&#xff0c;在中小型系统和并发访问用户不是很多的场合下被普遍使用&#xff0c;是开发和调试JSP程序的首选。 往细的方面说&#xff1a;Tomc…

Linux:开源世界的王者

在科技世界中&#xff0c;Linux犹如一位低调的王者&#xff0c;统治着开源世界的半壁江山。对于许多技术爱好者、系统管理员和开发者来说&#xff0c;Linux不仅仅是一个操作系统&#xff0c;更是一种信仰、一种哲学。 一、开源的魅力 Linux的最大魅力在于其开源性质。与封闭的…

curl 命令-接口测试

curl 命令-接口测试 JUST DO IT 温暖春日 在linux/Unix 为代表的os上, 对后端进行测试, 模拟连接请求都会书写脚本 场景: 在Linux 上接口测试工具有ab, restClient, postman等, 最常用的方法是curl进行简单测试 curl是非常方便的Rest 客户端, 可以很方便的完成 Rest API测…

leetcode142. 环形链表 II

leetcode142. 环形链表 II 题目 思路 集合法 将节点存入set&#xff0c;若重复出现则说明是环 快慢指针法 分别定义 fast 和 slow 指针&#xff0c;从头结点出发&#xff0c;fast指针每次移动两个节点&#xff0c;slow指针每次移动一个节点&#xff0c;如果 fast 和 slow指…

【成长记录】第一次写博客入csdn榜单了 还是第一.....

庆祝一下第一次拿综合榜榜一 Java内容榜第二 总之谢谢大家支持 小苏会继续努力的 可以看看我的新作 嘻嘻&#x1f601;&#x1f924;&#x1f449;&#x1f3fb;&#x1f448;&#x1f3fb; 谢谢大家

Linux之多线程

目录 一、进程与线程 1.1 进程的概念 1.2 线程的概念 1.3 线程的优点 1.4 线程的缺点 1.5 线程异常 1.6 线程用途 二、线程控制 2.1 POSIX线程库 2.2 创建一个新的线程 2.3 线程ID及进程地址空间布局 2.4 线程终止 2.5 线程等待 2.6 线程分离 一、进程与线程 在…