| 1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465 |
- """
- 面向对象的三大支柱:封装、继承、多态
- 面向对象的设计原则:SOLID原则
- 面向对象的设计模式:GoF设计模式(单例、工厂、代理、策略、迭代器)
- 月薪结算系统 - 部门经理每月15000 程序员每小时200 销售员1800底薪加销售额5%提成
- """
- from abc import ABCMeta, abstractmethod
- class Employee(metaclass=ABCMeta):
- """员工(抽象类)"""
- def __init__(self, name):
- self.name = name
- @abstractmethod
- def get_salary(self):
- """结算月薪(抽象方法)"""
- pass
- class Manager(Employee):
- """部门经理"""
- def get_salary(self):
- return 15000.0
- class Programmer(Employee):
- """程序员"""
- def __init__(self, name, working_hour=0):
- self.working_hour = working_hour
- super().__init__(name)
- def get_salary(self):
- return 200.0 * self.working_hour
- class Salesman(Employee):
- """销售员"""
- def __init__(self, name, sales=0.0):
- self.sales = sales
- super().__init__(name)
- def get_salary(self):
- return 1800.0 + self.sales * 0.05
- class EmployeeFactory():
- """创建员工的工厂(工厂模式 - 通过工厂实现对象使用者和对象之间的解耦合)"""
- @staticmethod
- def create(emp_type, *args, **kwargs):
- """创建员工"""
- emp_type = emp_type.upper()
- emp = None
- if emp_type == 'M':
- emp = Manager(*args, **kwargs)
- elif emp_type == 'P':
- emp = Programmer(*args, **kwargs)
- elif emp_type == 'S':
- emp = Salesman(*args, **kwargs)
- return emp
|