Python抽象和自定义类定义与用法示例
程序员文章站
2022-06-23 23:19:29
本文实例讲述了python抽象和自定义类定义与用法。分享给大家供大家参考,具体如下:
抽象方法
class person():
def say(self)...
本文实例讲述了python抽象和自定义类定义与用法。分享给大家供大家参考,具体如下:
抽象方法
class person(): def say(self): pass class student(person): def say(self): print("i am student")
抽象类: 包含抽象方法的类
- 抽象类可以包含非抽象方法
- 抽象类可以有方法和属性
- 抽象类不能进行实例化
- 必须继承才能使用,且继承的子类必须实现所有抽象方法
import abc class person(metaclass=abc.abcmeta): @abc.abstractmethod def say(self): pass class student(person): def say(self): print("i am student") s = student() s.say()
补充:函数名和当做变量使用
class student(): pass def say(self): print("i am say") s = student() s.say=say s.say(9)
组装类
from types import methodtype class student(): pass def say(self): print("i am say") s = student() s.say=methodtype(say,student) s.say()
元类
# 类名一般为metaclass结尾 class studentmetaclass(type): def __new__(cls, *args, **kwargs): print("元类") return type.__new__(cls, *args, **kwargs) class teacher(object, metaclass=studentmetaclass): pass t = teacher() print(t.__dict__)
附:python 抽象类、抽象方法的实现示例
由于python 没有抽象类、接口的概念,所以要实现这种功能得abc.py 这个类库,具体方式如下
from abc import abcmeta, abstractmethod #抽象类 class headers(object): __metaclass__ = abcmeta def __init__(self): self.headers = '' @abstractmethod def _getbaiduheaders(self):pass def __str__(self): return str(self.headers) def __repr__(self): return repr(self.headers) #实现类 class baiduheaders(headers): def __init__(self, url, username, password): self.url = url self.headers = self._getbaiduheaders(username, password) def _getbaiduheaders(self, username, password): client = global_suds_client.client(self.url) headers = client.factory.create('ns0:authheader') headers.username = username headers.password = password headers.token = _baidu_headers['token'] return headers
如果子类不实现父类的_getbaiduheaders
方法,则抛出typeerror: can't instantiate abstract class baiduheaders with abstract methods 异常
更多关于python相关内容感兴趣的读者可查看本站专题:《python面向对象程序设计入门与进阶教程》、《python数据结构与算法教程》、《python函数使用技巧总结》、《python字符串操作技巧汇总》、《python编码操作技巧总结》及《python入门与进阶经典教程》
希望本文所述对大家python程序设计有所帮助。