github地址:https://github.com/cheesezh/python_design_patterns

题目

设计一个简历类,必须有姓名,可以设置性别和年龄,即个人信息,可以设置曾就职公司和工作时间,即工作经历。

基础版本

class Resume():

    def __init__(self, name):
self.name = name # python默认成员变量公开
self.__sex = None # python默认成员变量公开,加__表示私有
self.__age = None # python默认成员变量公开,加__表示私有
self.__time_area = None # python默认成员变量公开,加__表示私有
self.__company = None # python默认成员变量公开,加__表示私有 def set_personal_info(self, sex, age):
self.__sex = sex
self.__age = age def set_work_experience(self, time_area, company):
self.__time_area = time_area
self.__company = company def display(self):
print("{}\t{}\t{}".format(self.name, self.__sex, self.__age))
print("{}\t{}".format(self.__time_area, self.__company)) def main():
resume_a = Resume("鸣人")
resume_a.set_personal_info("男", "29")
resume_a.set_work_experience("2016-2018", "木叶公司") resume_b = Resume("鸣人")
resume_b.set_personal_info("男", "29")
resume_b.set_work_experience("2016-2018", "木叶公司") resume_c = Resume("鸣人")
resume_c.set_personal_info("男", "29")
resume_c.set_work_experience("2016-2018", "木叶公司") resume_a.display()
resume_b.display()
resume_c.display() main()
鸣人	男	29
2016-2018 木叶公司
鸣人 男 29
2016-2018 木叶公司
鸣人 男 29
2016-2018 木叶公司

点评

  • 上述main函数中生成简历的方法,相当于手写简历,三份简历要三次实例化
  • 而且如果要更改某个字段,比如把时间从2016-2018改成2017-2018,那么同样修改三次

那如果这样写呢?

def main():
resume_a = Resume("鸣人")
resume_a.set_personal_info("男", "29")
resume_a.set_work_experience("2016-2018", "木叶公司") resume_b = resume_a resume_c = resume_a resume_a.display()
resume_b.display()
resume_c.display() main()
鸣人	男	29
2016-2018 木叶公司
鸣人 男 29
2016-2018 木叶公司
鸣人 男 29
2016-2018 木叶公司

点评

  • 这里传递的是引用,而不是具体的值,相当于在简历b和简历c上没有实际内容,而是写着“详见简历a”
  • 可以使用clone的方法解决这个问题,即原型模式

原型模式

原型模式,即用原型实例指定创建对象的种类,并且通过拷贝这些原型创建新的对象[DP]。也就是从一个对象再创建另外一个可定制的对象,而且不需要知道任何创建的细节。

from abc import ABCMeta, abstractmethod
from copy import copy class Prototype():
"""
抽象原型类
"""
__metaclass__ = ABCMeta
def __init__(self, id):
self.id = id @abstractmethod
def clone(self):
pass class ConcretePrototypeOne(Prototype):
"""
具体原型类
"""
def __init__(self, id):
super().__init__(id) def clone(self):
return copy(self) # 1. 浅拷贝copy.copy() 或 深拷贝copy.deepcopy() 2. Python无需强制类型转换 def main():
prototype1 = ConcretePrototypeOne("1")
prototype1_cloned = prototype1.clone()
print(prototype1_cloned.id) main()
1

Python中的浅拷贝与深拷贝

Python中的对象之间赋值时是按引用传递的,如果需要拷贝对象,需要使用标准库中的copy模块。

  • copy.copy(浅拷贝):只拷贝顶层对象,不会拷贝顶层对象的内部的对象成员变量;
  • copy.deepcopy(深拷贝):拷贝对象及其子对象

按照基础版本的简历类定义,成员变量的类型都是基本数据类型(string),所以使用浅拷贝即可。那么什么时候用深拷贝呢?假如我们将工作经历定义为一个单独的类WorkExperience,那么简历类中就会有一个成员变量的类型是WorkExperience,如果这时候需要拷贝操作,就需要用深拷贝了。

深拷贝原型模式

from copy import deepcopy

class WorkExperience():

    def __init__(self, time_area="", company=""):
self.time_area = time_area
self.company = company class Resume(): def __init__(self, name):
self.name = name # python默认成员变量公开
self.__sex = None # python默认成员变量公开,加__表示私有
self.__age = None # python默认成员变量公开,加__表示私有
self.__work_expereince = WorkExperience() # python默认成员变量公开,加__表示私有 def set_personal_info(self, sex, age):
self.__sex = sex
self.__age = age def set_work_experience(self, time_area, company):
self.__work_expereince.time_area = time_area
self.__work_expereince.company = company def display(self):
print("{}\t{}\t{}".format(self.name, self.__sex, self.__age))
print("{}\t{}".format(self.__work_expereince.time_area, self.__work_expereince.company)) def deep_clone(self):
"""
深拷贝方法
"""
return deepcopy(self) def clone(self):
"""
浅拷贝方法
"""
return copy(self) def main():
resume_a = Resume("鸣人")
resume_a.set_personal_info("男", "29")
resume_a.set_work_experience("2016-2018", "木叶公司") resume_b = resume_a.clone()
resume_b.set_work_experience("2018-2019", "王者学校") resume_c = resume_a.clone()
resume_c.set_personal_info("男", "24")
resume_c.set_work_experience("2019-2020", "问问公司") resume_a.display()
resume_b.display()
resume_c.display() def deep_main():
resume_a = Resume("鸣人")
resume_a.set_personal_info("男", "29")
resume_a.set_work_experience("2016-2018", "木叶公司") resume_b = resume_a.deep_clone()
resume_b.set_work_experience("2018-2019", "王者学校") resume_c = resume_a.deep_clone()
resume_c.set_personal_info("男", "24")
resume_c.set_work_experience("2019-2020", "问问公司") resume_a.display()
resume_b.display()
resume_c.display() print("---浅拷贝, 工作经历都被修改成最后一次的值---")
main()
print("--------深拷贝, 工作经历为不同的值--------")
deep_main()
---浅拷贝, 工作经历都被修改成最后一次的值---
鸣人 男 29
2019-2020 问问公司
鸣人 男 29
2019-2020 问问公司
鸣人 男 24
2019-2020 问问公司
--------深拷贝, 工作经历为不同的值--------
鸣人 男 29
2016-2018 木叶公司
鸣人 男 29
2018-2019 王者学校
鸣人 男 24
2019-2020 问问公司

[Python设计模式] 第9章 如何准备多份简历——原型模式的更多相关文章

  1. [Python设计模式] 第7章 找人帮忙追美眉——代理模式

    github地址:https://github.com/cheesezh/python_design_patterns 题目1 Boy追求Girl,给Girl送鲜花,送巧克力,送洋娃娃. class ...

  2. [Python设计模式] 第15章 如何兼容各种DB——抽象工厂模式

    github地址:https://github.com/cheesezh/python_design_patterns 题目 如何让一个程序,可以灵活替换数据库? 基础版本 class User(): ...

  3. 2.6 《硬啃设计模式》第8章 复制不是很难 - 原型模式(Prototype Pattern)

    案例: 某即时战略游戏,你训练出来各种很强的战士. 为了增加游戏的可玩性,增加了一种复制魔法.实施该魔法,可以复制任意的战士. 你会怎样考虑这个设计? 在继续阅读之前,请先认真思考并写出你的设计,这样 ...

  4. [Python设计模式] 第21章 计划生育——单例模式

    github地址:https://github.com/cheesezh/python_design_patterns 单例模式 单例模式(Singleton Pattern)是一种常用的软件设计模式 ...

  5. [Python设计模式] 第1章 计算器——简单工厂模式

    github地址:https://github.com/cheesezh/python_design_patterns 写在前面的话 """ 读书的时候上过<设计模 ...

  6. [Python设计模式] 第22章 手机型号&软件版本——桥接模式

    github地址:https://github.com/cheesezh/python_design_patterns 紧耦合程序演化 题目1 编程模拟以下情景,有一个N品牌手机,在上边玩一个小游戏. ...

  7. [Python设计模式] 第28章 男人和女人——访问者模式

    github地址:https://github.com/cheesezh/python_design_patterns 题目 用程序模拟以下不同情况: 男人成功时,背后多半有一个伟大的女人: 女人成功 ...

  8. [Python设计模式] 第26章 千人千面,内在共享——享元模式

    github地址:https://github.com/cheesezh/python_design_patterns 背景 有6个客户想做产品展示网站,其中3个想做成天猫商城那样的"电商风 ...

  9. [Python设计模式] 第27章 正则表达式——解释器模式

    github地址:https://github.com/cheesezh/python_design_patterns 解释器模式 解释器模式,给定一个语言,定一个它的文法的一种表示,并定一个一个解释 ...

随机推荐

  1. SPLAY,LCT学习笔记(四)

    前三篇好像变成了SPLAY专题... 这一篇正式开始LCT! 其实LCT就是基于SPLAY的伸展操作维护树(森林)连通性的一个数据结构 核心操作有很多,我们以一道题为例: 例:bzoj 2049 洞穴 ...

  2. IntelliJ IDEA像Eclipse一样打开多个项目(转)

    转自: 海涛zht666   IntelliJ IDEA像Eclipse一样打开多个项目 我们做项目实际中经常会遇到这样的情况,创建一个common项目(Maven项目)作为公用项目,common中有 ...

  3. Bootstrap案例中,登陆界面自适应

    1.html布局源码: <!DOCTYPE html><html lang="en"><head> <meta charset=" ...

  4. python 全栈开发,Day85(Git补充,随机生成图片验证码)

    昨日内容回顾 第一部分:django相关 1.django请求生命周期 1. 当用户在浏览器中输入url时,浏览器会生成请求头和请求体发给服务端 请求头和请求体中会包含浏览器的动作(action),这 ...

  5. python 全栈开发,Day10(动态参数,命名空间,作用域,函数嵌套)

    一.动态参数 def func(a,b,c,d,e,f,g): pass func(1,2,3,4,5,6,7) 如果加30个参数呢?有没有万能的参数,可以代表一切参数呢? *args 动态参数,万能 ...

  6. LINQ学习之旅(三)

    Linq to Sql语句之Join和Order By Join操作 适用场景:在我们表关系中有一对一关系,一对多关系,多对多关系等.对各个表之间的关系,就用这些实现对多个表的操作. 说明:在Join ...

  7. spring boot application.properties 配置参数详情

    multipart multipart.enabled 开启上传支持(默认:true) multipart.file-size-threshold: 大于该值的文件会被写到磁盘上 multipart. ...

  8. Python urllib Request 用法

    转载自:https://blog.csdn.net/ywy0ywy/article/details/52733839 python2.7 httplib, urllib, urllib2, reque ...

  9. 【noip模拟赛8】魔术棋子

    描述 在一个M*N的魔术棋盘中,每个格子中均有一个整数,当棋子走进这个格子中,则此棋子上的数会被乘以此格子中的数.一个棋子从左上角走到右下角,只能向右或向下行动,请问此棋子走到右下角后,模(mod)K ...

  10. Android 之 tools:context和tools:ignore两个属性的作用

    <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android" xmlns:tools= ...