Pyhon进阶9---类的继承

类的继承

基本概念

定义

格式如下

继承中的访问控制

class Animal:__CNOUT = 0HEIGHT = 0def __init__(self,age,weight,height):self.__CNOUT =self.__CNOUT + 1self.age = ageself.__weight = weightself.HEIGHT = heightdef eat(self):print('{} eat'.format(self.__class__.__name__))def __getweight(self):print(self.__weight)@classmethoddef showcount1(cls):print(cls.__CNOUT)@classmethoddef __showcount2(cls):print(cls.__CNOUT)class Cat(Animal):NAME = 'CAT'c = Cat(3,5,15)
c.eat()
c.showcount1()#注意此处的cls.__COUNT仍为0print(c.NAME)
print(c.__dict__)#{'_Animal__CNOUT': 1, 'age': 3, '_Animal__weight': 5, 'HEIGHT': 15}
print(Cat.__dict__)#{'__module__': '__main__', 'NAME': 'CAT', '__doc__': None}
print(Animal.__dict__)#{'__module__': '__main__', '_Animal__CNOUT': 0, 'HEIGHT': 0,...}

 

方法的重写、覆盖override

class Animal:def shout(self):print('Animal shout')class Cat(Animal):#覆盖父类的方法def shout(self):print('miao')#覆盖自身的方法,显示调用了父类的方法def shout(self):print(super(Cat, self))super().shout()a = Animal()
a.shout()
c =Cat()
c.shout()#输出结果:
# Animal shout
# <super: <class 'Cat'>, <Cat object>>
# Animal shout

 

class Animal:@classmethoddef class_method(cls):print('class_method_animal')@staticmethoddef static_method():print('static_method_animal')class Cat(Animal):@classmethoddef class_method(cls):print('class_method_cat')@staticmethoddef static_method():print('static_method_cat')c = Cat()
c.class_method()
c.static_method()
#输出结果:
# class_method_cat
# static_method_cat

继承中的初始化

示例1

class A:def __init__(self):self.a1 = 'a1'self.__a2 = 's2'print('A init')class B(A):pass
b = B()
print(b.__dict__)       #{'a1': 'a1', '_A__a2': 's2'}

示例2

class A:def __init__(self):self.a1 = 'a1'self.__a2 = 's2'print('A init')class B(A):def __init__(self):self.b1 = 'b1'print('B init')
b = B()
print(b.__dict__)    #{'b1': 'b1'}

class A:def __init__(self):self.a1 = 'a1'self.__a2 = 's2'print('A init')class B(A):def __init__(self):# A.__init__(self)# super(B,self).__init__()super().__init__()self.b1 = 'b1'print('B init')
b = B()
print(b.__dict__)   #{'a1': 'a1', '_A__a2': 's2', 'b1': 'b1'}

如何正确初始化

 

class Animal:def __init__(self,age):print('Animal init')self.age =agedef show(self):print(self.age)class Cat(Animal):def __init__(self,age,weight):super().__init__(age)#c.show()结果为11print('Cat init')self.age = age + 1self.weight = weight# super().__init__(age)#c.show()结果为10
c = Cat(10,5)
c.show()   
# c.__dict__ {'age': 11, 'weight': 5}

class Animal:def __init__(self,age):print('Animal init')self.__age =agedef show(self):print(self.__age)class Cat(Animal):def __init__(self,age,weight):super().__init__(age)print('Cat init')self.__age = age + 1self.__weight = weight
c = Cat(10,5)
c.show()
print(c.__dict__)#{'_Animal__age': 10, '_Cat__age': 11, '_Cat__weight': 5}

 

Python不同版本的类

多继承

 

多继承弊端

Python多继承实现

class ClassName(基类列表):类体

多继承的缺点

Mixin

class Printable:def _print(self):print(self.content)class Document:#假设为第三方库,不允许修改def __init__(self,content):self.content = contentclass Word(Document):pass#假设为第三方库,不允许修改
class Pdf(Document):pass#假设为第三方库,不允许修改class PrintableWord(Printable,Word):pass
print(PrintableWord.__dict__)
print(PrintableWord.mro())
pw = PrintableWord('test string')
pw._print()

  

def printable(cls):def _print(self):print(self.content,'装饰器')cls.print = _printreturn clsclass Document:#假设为第三方库,不允许修改def __init__(self,content):self.content = contentclass Word(Document):pass#假设为第三方库,不允许修改
class Pdf(Document):pass#假设为第三方库,不允许修改

@printable
class PrintableWord(Word):passprint(PrintableWord.__dict__)#{'__module__': '__main__', '__doc__': None, 'print': <function printable.<locals>._print at 0x0000000002961730>}
PrintableWord('test').print()#test 装饰器

4.Mixin

#Mixin示例1
class PrintableMixin:def print(self):print(self.content,'Mixin')class Document:def __init__(self,content):self.content = contentclass Word(Document):pass
class Pdf(Document):passclass PrintableWord(PrintableMixin,Word):pass
print(PrintableWord.__dict__)
print(PrintableWord.mro())pw = PrintableWord('test\nstring')
pw.print()

 

#Mixin示例2
class PrintableMixin:def print(self):print(self.content,'Mixin')class Document:def __init__(self,content):self.content = contentclass Word(Document):pass
class Pdf(Document):passclass SuperPrintableMixin(PrintableMixin):def print(self):print('~'*20)super().print() #通过继承复用print('~'*20)class SuperPrintablePdf(SuperPrintableMixin,Pdf):pass
print(SuperPrintablePdf.__dict__)
print(SuperPrintablePdf.mro())spp = SuperPrintablePdf('super print pdf')
spp.print()

Mixin类

 练习

#1.Shape基类,要求所有子类都必须提供面积的计算,子类有三角形、矩形、圆
import  mathclass Shape:@propertydef area(self):raise NotImplementedError('基类未实现')class Triangle(Shape):def __init__(self,a,b,c):self.a = aself.b = bself.c = c@propertydef area(self):p  = (self.a+self.b+self.c)/2return math.sqrt(p*(p-self.a)*(p-self.b)*(p-self.c))class Circle(Shape):def __init__(self,radius):self.radius = radius@propertydef area(self):return math.pi*self.radius**2class Rectangle(Shape):def __init__(self,width,height):self.width = widthself.height = height@propertydef area(self):return self.width*self.height# shapes = [Triangle(3,4,5),Rectangle(3,4),Circle(4)]
# for s in shapes:
#     print('The area of {} = {}'.format(s.__class__.__name__,s.area))#2.圆类的数据可序列化
import json
import msgpackdef mydump(cls):def _dumps(self, t='json'):if t == 'json':return json.dumps(self.__dict__)elif t == 'msgpack':return msgpack.packb(self.__dict__)else:raise NotImplementedError('没有实现的序列化')cls.dumps = _dumpsreturn cls#使用Mixin类
# class SerializableMixin:
#     def dumps(self,t='json'):
#         if t == 'json':
#             return json.dumps(self.__dict__)
#         elif t == 'msgpack':
#             return msgpack.packb(self.__dict__)
#         else:
#             raise NotImplementedError('没有实现的序列化')
#
#使用装饰器
@mydump
class SerializableCircleMixin(Circle):passscm  = SerializableCircleMixin(1)
print(scm.area)#3.141592653589793
print(scm.__dict__)#{'radius': 1}
print(scm.dumps('json'))#{"radius": 1}

 作业

 

#单链表
class SingleNode:#代表一个节点def __init__(self,val,next=None):self.val = valself.next = Noneclass LinkedList:#容器类,某种方式存储一个个节点def __init__(self):self.head = Noneself.tail = Nonedef append(self,val):node = SingleNode(val)if self.head is None:# 0self.head = nodeself.tail = nodeself.tail.next = nodeself.tail = nodedef iternodes(self):while self.head:yield self.head.valself.head = self.head.next
 1 #实现双向链表
 2 class SingleNode:
 3     #代表一个节点
 4     def __init__(self,val,next=None,prev=None):
 5         self.val = val
 6         self.next = next
 7         self.prev = prev
 8 
 9     def __repr__(self):
10         return str(self.val)
11 
12 class LinkedList:
13     #容器类,某种方式存储一个个节点
14     def __init__(self):
15         self.head = None
16         self.tail = None
17 
18     def append(self,val):
19         node = SingleNode(val)
20         if self.head is None:# 0
21             self.head = node
22         else:
23             self.tail.next = node
24             node.prev = self.tail
25         self.tail = node
26 
27     def pop(self):
28         if self.tail is None:#0
29             raise NotImplementedError('Empty')
30         tail = self.tail
31         prev= self.tail.prev
32         if prev is None:#1个节点
33             self.head = None
34             self.tail = None
35         else:#>1
36             self.tail = prev
37             prev.next = None
38         return tail.val
39 
40 
41     def insert(self,index,val):#1,7
42         if index < 0:
43             raise Exception('Error')
44         cur = None
45         for i,current in enumerate(self.iternodes()):
46             if i == index:
47                 cur = current
48                 break
49 
50         if cur is None:#说明索引越界或空链表,直接末尾追加
51             self.append(val)
52             return
53 
54         node = SingleNode(val)
55         prev = cur.prev
56         if prev is None:#1个节点,头部插入
57             self.head = node
58             node.next = cur
59             cur.prev = node
60         else:#>=2
61             node.next = cur
62             prev.next = node
63             cur.prev = node
64             node.prev = prev
65 
66     def iternodes(self,reversed = False):
67         current = self.head
68         while current:
69             yield current
70             current = current.next
71 
72 a = SingleNode(1)
73 b = SingleNode(2)
74 c = SingleNode(3)
75 d = SingleNode(4)
76 e = SingleNode(5)
77 f = SingleNode(6)
78 ll = LinkedList()
79 ll.append(a)
80 ll.append(b)
81 ll.append(c)
82 ll.append(d)
83 ll.append(e)
84 ll.append(f)
85 # ll.insert(1,0)
86 # ll.insert(0,0)
87 ll.insert(10,100)
88 print('pop元素:',ll.pop())
89 print('pop元素:',ll.pop())
90 print('pop元素:',ll.pop())
91 ll.insert(0,10)
92 
93 for node in ll.iternodes():
94     print(node)

转载于:https://www.cnblogs.com/xiaoshayu520ly/p/10727958.html

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

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

相关文章

python怎么备份列表_python实例:backup 备份

python实例&#xff1a;backup 备份本文来源于《python简明教程》中的实例1. 提出问题&#xff1a; 我想要一个可以为我的所有重要文件创建备份的程序。2. 分析明确问题&#xff1a;我们如何确定该备份哪些文件&#xff1f;备份保存在哪里&#xff1f;我们怎么样存储备份&#…

leetcode1466. 重新规划路线(dfs)

n 座城市&#xff0c;从 0 到 n-1 编号&#xff0c;其间共有 n-1 条路线。因此&#xff0c;要想在两座不同城市之间旅行只有唯一一条路线可供选择&#xff08;路线网形成一颗树&#xff09;。去年&#xff0c;交通运输部决定重新规划路线&#xff0c;以改变交通拥堵的状况。 路…

mysql数学函数名_Mysql数学函数

所有的数学函数在发生错误的情况下&#xff0c;均返回 NULL。-一元减。改变参数的符号&#xff1a;mysql> SELECT - 2;-> -2注意&#xff0c;如果这个操作符被用于一个 BIGINT&#xff0c;返回值也是一个 BIGINT&#xff01;这就意味着&#xff0c;应该避免在一个可能有值…

angular 渐进_如何创建具有Angular和无头CMS的渐进式Web应用程序

angular 渐进by Ondrej Chrastina通过Ondrej Chrastina 如何创建具有Angular和无头CMS的渐进式Web应用程序 (How to create a progressive web app featuring Angular and headless CMS) Have you ever wondered how a headless Content Management System fits in with Progr…

win10不用第三方工具激活的方法

步骤&#xff1a;1、本机上装个win7旗舰版&#xff0c;这个得拿第三方工具激活一下&#xff0c;当然你如果已经购买了正版更没问题了。第三方工具推荐那个啥啥loader&#xff0c;记住&#xff1a;chew_wga系列的暴力工具是不行的哦&#xff1b;2、把需要安装的win10官方安装镜像…

CentOS 7 搭建 LAMP

一、安装httpd 1、yum install httpd -y 2、启动服务&#xff1a;systemctl start httpd 3、设置开机启动&#xff1a;systemctl enable 二、安装mariadb 1、yum groupinstall mariadb 2、启动服务&#xff1a;systemctl start mariadb 3、设置开机启动&#xff1a;systemctl e…

quartz教程二

转载于:https://www.cnblogs.com/mumian2/p/10729901.html

python hookapi_pytest文档70-Hook钩子函数完整API总结​

pytest_collectstart(collector: Collector) 收集器开始收集。pytest_make_collect_report(collector: Collector) 执行collector.collect()并返回一个CollectReport。pytest_itemcollected(item: Item) 我们刚刚收集了一个测试项目。pytest_collectreport(report: Coll…

出现字迹模糊迹象_改变迹象:如何使用动态编程解决竞争性编程问题

出现字迹模糊迹象by Sachin Malhotra由Sachin Malhotra 改变迹象&#xff1a;如何使用动态编程解决竞争性编程问题 (Change the signs: how to use dynamic programming to solve a competitive programming question) If you’re a competitive programmer like I am, one of…

leetcode695. 岛屿的最大面积(dfs)

给定一个包含了一些 0 和 1 的非空二维数组 grid 。一个 岛屿 是由一些相邻的 1 (代表土地) 构成的组合&#xff0c;这里的「相邻」要求两个 1 必须在水平或者竖直方向上相邻。你可以假设 grid 的四个边缘都被 0&#xff08;代表水&#xff09;包围着。找到给定的二维数组中最大…

python把图片转为字符画_Python 实现图片转换为字符画

主要使用 pillow如果没有安装 使用 pillow install pillow 安装一下看代码&#xff1a;from PIL import Imageimport argparse#字符画所用的字符集ascii_char list("$B%8&WM#*oahkbdpqwmZO0QLCJUYXzcvunxrjft/\|()1{}[]?-_~<>i!lI;:,\"^. ")def get…

冒泡的三种写法

学而时习之&#xff0c;不亦说乎&#xff01; --《论语》 package com.zby.bubble;import java.util.Arrays; /*** * <class description>简单初级冒泡算法java实现* author zby**/ public class PrimaryBubble {public static void main(String[] args) {int[] arr { 1…

76. Minimum Window Substring

最后更新 一刷 08-Jan-2017 昨天Amazon group面结束&#xff0c;刚回家。 国内以前喜欢的女生结婚了&#xff0c;嘿嘿...好开心呀~~ 这次面试感觉自己的做法完爆别人&#xff0c;比什么2 greedy好多了 总之表现比想象的好&#xff0c;最后一面的面试官真是聪明得一逼&#xff…

day 02 python 基础

1.day1作业讲解 题目答案见day1 2.格式化输出 %占位符&#xff0c;s:字符串&#xff0c;d&#xff1a;数字 %%只是单纯的显示%&#xff08;显示的%是后面的&#xff09; 1 #格式化输出2 # % s d3 # name input(请输入姓名)4 # age input(请输入年龄)5 # height input(请输入…

python多维数据划分_【python+机器学习(4)】多维数据的特征选取(RidgeLasso)...

欢迎关注哈希大数据微信公众号【哈希大数据】在之前我们介绍了直接使用线性回归进行波士顿房价的预测&#xff0c;但是预测准确率仅有60%左右。预测准确率不高一方面是我们未对数据进行一定的预处理(包括归一化和标准化等)&#xff0c;这样不能确保在使用优化方式时&#xff0c…

leetcode64. 最小路径和(dp)

给定一个包含非负整数的 m x n 网格&#xff0c;请找出一条从左上角到右下角的路径&#xff0c;使得路径上的数字总和为最小。说明&#xff1a;每次只能向下或者向右移动一步。示例:输入: [[1,3,1],[1,5,1],[4,2,1] ] 输出: 7 解释: 因为路径 1→3→1→1→1 的总和最小。代码 …

mysql浅拷贝_深拷贝与浅拷贝

在Python中&#xff0c;对象赋值实际上是对象的引用。当创建一个对象&#xff0c;然后把它赋给另一个变量的时候&#xff0c;Python并没有拷贝这个对象&#xff0c;而只是拷贝了这个对象的引用。1、浅拷贝&#xff1a;利用切片操作、工厂方法list方法拷贝2、深拷贝&#xff1a;…

盘州市“检企联合” 探索大数据应用新路

为认真贯彻落实“科技强检”及推进大数据应用的决策部署&#xff0c;8月31日&#xff0c;盘州市人民检察院组织召开以“检察大数据”为主题的“两长”座谈会。市经信局、中国移动盘州分公司、中国电信盘州分公司等单位负责人&#xff0c;检察院在家班子成员及院各部门主要负责人…

iOS中的颜色

最近在改Bug的时候&#xff0c;才注意到iOS 中的颜色竟然也大有文章&#xff0c;特来记录一下。 先说一下问题&#xff0c;因为某界面中有用xib实现的一个view&#xff0c;而这个view 只在UIColletionView的layout 里通过nib 注册使用&#xff0c;为这个xib设置了背景色&#x…

编程面试中需要了解的5件事

This article is intended for those who are trying to start their programming career, or are preparing to interview for their dream job. As someone who’s been on both sides of the interviewing table, I understand how it feels to be the interviewee.本文适用…