python类接口和抽象超类

1 python类接口和抽象超类

1.1 导入模块执行class语句

python导入模块时会执行class语句及主体内的顶层语句。

示例

# test.py
class MyClass:print('MyClass')
# cmd执行下面语句
E:\documents\F盘>python
>>> import test
MyClass

1.2 pytho类接口技术

python类接口技术通过继承实现。

# test.py
class Super:'''定义一个超类。定义一个method方法。定义一个delegate方法,方法内调用子类定义的action方法。'''def method(self):print('in Super.method')def delegate(self):'''调用子类定义的action'''self.action()class Inheritor(Super):passclass Replacer(Super):'''定义 Replacer 继承 Super替换超类的 method 方法'''def method(self):print('in Replacer.method')class Extender(Super):'''定义 Extender 继承 Super调用超类的 method 方法, 并且进行扩展'''def method(self):print('Begin Extender.method')Super.method(self)print('End Extender.method')class Provider(Super):'''定义 Provider 继承 Super实现超类 delegate 内调用的 action 方法'''def action(self):print('in Provider.action')if __name__ == '__main__':for cls in (Inheritor,Replacer,Extender,Provider):print('\n{}....'.format(cls.__name__))cls().method()print('\nProvider')p = Provider()p.delegate()''' 运行结果E:\documents\F盘>python test.pyInheritor....
in Super.methodReplacer....
in Replacer.methodExtender....
Begin Extender.method
in Super.method
End Extender.methodProvider....
in Super.methodProvider
in Provider.action
'''

1.3 python抽象超类

python类的部分行为由子类提供,则为抽象超类。

1.3.1 调用方法时触发提示

显式要求子类必须实现抽象超类的方法:

(1) 方法一,在超类方法用assert False

(2) 方法二,在超类方法用 raise NotImplementedError

未实现,则在实例调用方法时触发报错提示。

子类和超类都未提供方法,报 has no attribute

>>> class AbsSuper:def delegate(self):self.action()>>> class Provider(AbsSuper):pass
>>> p=Provider()
>>> p.delegate()
Traceback (most recent call last):File "<pyshell#10>", line 1, in <module>p.delegate()File "<pyshell#5>", line 3, in delegateself.action()
AttributeError: 'Provider' object has no attribute 'action'

在超类方法用assert False

>>> class AbsSuper:def delegate(self):self.action()def action(self):assert False,'子类必须定义 action'>>> class Provider(AbsSuper):pass>>> Provider().delegate()
Traceback (most recent call last):File "<pyshell#19>", line 1, in <module>Provider().delegate()File "<pyshell#16>", line 3, in delegateself.action()File "<pyshell#16>", line 5, in actionassert False,'子类必须定义 action'
AssertionError: 子类必须定义 action

在超类方法用raise NotImplementedError

>>> class AbsSuper:def delegate(self):self.action()def action(self):raise NotImplementedError('子类必须定义 action')
>>> class Provider(AbsSuper):pass>>> Provider().delegate()
Traceback (most recent call last):File "<pyshell#31>", line 1, in <module>Provider().delegate()File "<pyshell#27>", line 3, in delegateself.action()File "<pyshell#27>", line 5, in actionraise NotImplementedError('子类必须定义 action')
NotImplementedError: 子类必须定义 action

1.3.2 创建实例时触发提示

(1) 带有@abstractmethod修饰的方法为抽象方法。

(2) 带有抽象方法的类不能进行实例化。

(3) 超类有抽象方法时,子类必须重写超类的抽象方法。

(4) 未重写,则创建实例时触发报错提示。

抽象方法定义:

(1) python3:超类头部括号送metaclass**=**ABCMeta。

(2) python2:超类主体定义__metaclass__**=**ABCMeta。

(3) 用@abstractmethod修饰方法。

python3示例

>>> from abc import ABCMeta,abstractmethod
>>> class MySuper(metaclass=ABCMeta):def delegate(self):self.action()# @abstractmethod 为抽象方法,子类必须重写@abstractmethoddef action(self):pass  # 抽象方法在父类通常留空,用pass进行占位>>> ms=MySuper()
Traceback (most recent call last):File "<pyshell#9>", line 1, in <module>ms=MySuper()
# 不能实例化有抽象方法的父类
TypeError: Can't instantiate abstract class MySuper with abstract methods action
>>> class MySub(MySuper):pass>>> sub=MySub()
Traceback (most recent call last):File "<pyshell#12>", line 1, in <module>sub=MySub()
# 子类未实现父类抽象方法,不能实例化子类
TypeError: Can't instantiate abstract class MySub with abstract methods action>>> class MySub(MySuper):def action(self):print('梯阅线条')>>> sub=MySub()
>>> sub.delegate()
梯阅线条

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

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

相关文章

容器化nacos部署并实现服务发现(gradle)

1.如何容器化部署mysql 2. 如何容器化部署nacos 为不暴露我的服务器地址&#xff0c;本文全部使用localhost来代替服务器地址&#xff0c;所有的localhost都应该调整为你自己的服务器地址。 为不暴露我的服务器地址&#xff0c;本文全部使用localhost来代替服务器地址&#x…

台式电脑的IP地址在哪里?解密台式电脑网络连接的秘密!

​ 如今智能手机和便携式笔记本电脑盛行的时代&#xff0c;台式电脑似乎逐渐被人们所忽视。然而&#xff0c;对于需要高性能和大容量存储的用户来说&#xff0c;台式电脑依然是最好的选择。而作为一款能够连接网络的设备&#xff0c;台式电脑也有自己独特的IP地址。下面虎观代理…

我自己理解的JAVA反射

1.定义 JAVA反射机制是在运行状态中&#xff0c;对于任意一个类&#xff0c;都能够知道这个类的所有属性和方法&#xff1b;对于任意一个对象&#xff0c;都能够调用它的任意一个方法和属性&#xff1b;这种动态获取的信息以及动态调用对象的方法的功能称为java语言的反射机制…

Python之函数进阶-匿名函数

Python之函数进阶-匿名函数 匿名函数 匿名:隐藏名字&#xff0c;即没有名称匿名函数:没有名字的函数。Lambda表达式 Python中&#xff0c;使用Lambda表达式构建匿名函数。 使用lambda关键字定义匿名函数&#xff0c;格式为 lambda [参数列表]: 表达式参数列表不需要小括号。无…

Libra R-CNN: Towards Balanced Learning for Object Detection(2019.4)

文章目录 AbstractIntroduction引入问题1&#xff09; Sample level imbalance2) Feature level imbalance3) Objective level imbalance进行解决贡献 Related Work&#xff08;他人的work&#xff0c;捎带与我们的对比&#xff09;Model architectures for object detection&a…

每日一练 | 华为认证真题练习Day130

1、一台AR2200各由器需要恢复初始配置&#xff0c;则下面哪些描述是正确的&#xff1f;&#xff08;多选&#xff09; A. 重新指定下次启动加载的配置文件 B. 重置saved configuration C. 清除current configuration D. 重启该AR2200路由器 2、管理员想要彻底删除旧的设备配…

聊聊logback的isDebugEnabled

序 本文主要研究一下logback的isDebugEnabled isDebugEnabled public final class Loggerimplements org.slf4j.Logger, LocationAwareLogger, LoggingEventAware, AppenderAttachable<ILoggingEvent>, Serializable {//......public boolean isDebugEnabled() {retur…

突发!奥特曼宣布暂停ChatGPT Plus新用户注册!

大新闻&#xff01;就在刚刚&#xff01; OpenAI的CEO Sam Altman宣布暂停ChatGPT Plus 新用户注册&#xff01; Sam Altman对此解释道&#xff1a; 由于OpenAI开发日后ChatGPT使用量的激增超出了我们的承受能力&#xff0c;我们希望确保每个人都有良好的体验。 您仍然可以在a…

msvcp120.dll下载_msvcp120.dll文件丢失解决[dll系统文件修复]

msvcp120.dll是Microsoft Visual C库中的一个重要组件&#xff0c;属于Microsoft Visual C 2005 Redistributable Package。它提供了许多用于执行C程序所需的函数。Visual C是一款流行的集成开发环境&#xff08;IDE&#xff09;&#xff0c;广泛应用于游戏、视频和图形处理等领…

keepalived+haproxy配置集群和负载均衡

1、简介 1.1. Keepalived Keepalived 是一个基于VRRP协议来实现的LVS服务高可用方案,可以利用其来避免单点故障。一个LVS服务会有2台服务器运行Keepalived,一台为主服务器(MASTER),一台为备份服务器(BACKUP),但是对外表现为一个虚拟IP,主服务器会发送特定的消息给备…

samba 共享目录write permission deny问题修复 可读取内容但不可修改 删除 新增文件

关于 update/delete/write permission deny问题修复 0.首先在服务器端执行testparm -s &#xff0c;测试 Samba 配置并显示结果。需确保服务器端参数 read only No &#xff0c;共享目录有写入权限 一、若配置了允许匿名访问&#xff0c;使用匿名访问来操作smb需要做如下处理…

【PyQt小知识 - 2】:QTextEdit内容的更新和获取、隐藏或显示滚动条、光标插入文本、文本自适应移动

文章目录 QTextEdit更新和获取内容隐藏或显示滚动条光标插入文本文本自适应移动 QTextEdit 更新和获取内容 更新&#xff1a;QTextEdit().setText(text) 或 QTextEdit().setPlainText(text) 获取&#xff1a;QTextEdit().toPlainText() setText()和setPlainText()的区别&…

Android10 状态栏蓝牙电量图标

Android10 源码状态栏蓝牙电量图标相关类 BatteryMeterDrawableBase&#xff1a;电量图标基类 BluetoothDeviceLayerDrawable&#xff1a; LayerDrawable 包含蓝牙设备图标和电池电量图标 BatteryMeterDrawable&#xff1a;内部类&#xff0c;继承自BatteryMeterDrawableBase B…

什么是线段树?

线段树 概述 线段树&#xff08;Segment Tree&#xff09;是一种二叉树数据结构&#xff0c;通常用于解决与区间或者段相关的问题。它主要用于处理一维区间的查询和更新操作&#xff0c;例如&#xff0c;查找区间内的最小值、最大值、和、平均值等。线段树是一种灵活而强大的…

大文件分片上传、断点续传、秒传

小文件上传 后端&#xff1a;SpringBootJDK17 前端&#xff1a;JavaScriptsparkmd5.min.js 一、依赖 <parent><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-parent</artifactId><version>3.1.2</ve…

1 Supervised Machine Learning Regression and Classification

文章目录 Week1OverViewSupervised LearningUnsupervised LearningLinear Regression ModelCost functionGradient Descent Week2Muliple FeatureVectorizationGradient Descent for Multiple RegressionFeature ScalingGradient DescentFeature EngineeringPolynomial Regress…

LY/T 3134-2019 室内木质隔声门检测

室内木质隔声门是指能够满足一定隔声等级要求的室内木质门&#xff0c;根据隔声性能的不同&#xff0c;分为Ⅰ级室内木质隔声门。Ⅱ级室内木质隔声门、Ⅲ级室内木质隔声门、Ⅳ级木质隔声门。 LY/T 3134-2019 室内木质隔声门检测项目 测试项目 测试标准 外观 LY/T 1923 尺寸…

UE5 - UI Material Lab 学习笔记

1、学习资料收集 UI Material Lab : https://www.unrealengine.com/marketplace/zh-CN/product/ui-material-lab 视频1&#xff1a;https://www.bilibili.com/video/BV1Hm4y1t7Kn/?spm_id_from333.337.search-card.all.click&vd_source707ec8983cc32e6e065d5496a7f79ee6 视…

记录一次 添加脚本的记录+改错记录

1.Update 和 Delete 一定要记得where条件 update 表名称 set 字段1‘修改的值’ &#xff08;单引号&#xff09; where 字段‘’ and Aid‘’; update jxkh22 set JXKH2200001 ,JXKH2201002 where B003 and JXKH22034;delete from table_name where condition delete from …