JS的设计模式(23种)

JavaScript设计模式是指在JavaScript编程中普遍应用的一系列经过验证的最佳实践和可重用的解决方案模板,它们用来解决在软件设计中频繁出现的问题,如对象的创建、职责分配、对象间通信以及系统架构等。

设计模式并不特指某个具体的代码片段,而是一种描述在特定上下文中如何组织程序结构和对象交互的通用指导原则。JavaScript设计模式涵盖了创建型模式(处理对象创建的方式)、结构型模式(关注对象或类的组合方式以形成更大的结构)和行为型模式(描述对象间的职责分配与协调机制)等三大类别,以及其他适用于JavaScript环境的特定模式。

简而言之,JavaScript设计模式是用来提升代码质量、增强代码可读性、提高代码复用性和可维护性的设计原则集合。

创建型模式

1. 单例模式(Singleton)

专业解释:

单例模式是一种确保在任何情况下一个类仅有一个实例,并提供全局访问点的设计模式。它主要用于控制对全局唯一资源的访问。

通俗理解:

就好比一座城市里只有一座供水站,不论你需要从哪里取水,都只能通过这个供水站来获取,而且全市人民共用的是同一座供水站。

示例代码(JavaScript):

class Singleton {static instance = null;constructor() {if (!Singleton.instance) {Singleton.instance = this;}return Singleton.instance;}someSharedResource() {// 实现共享资源的方法}
}const instance1 = new Singleton();
const instance2 = new Singleton();console.log(instance1 === instance2); // 输出 true,表明它们是同一个实例

2. 抽象工厂模式(Abstract Factory)

专业解释:

抽象工厂模式提供一个接口用于创建一系列相关或相互依赖的对象,而无需指定具体类。客户端使用此接口选择所需的产品族中的产品对象。

通俗理解:

设想一个汽车工厂不仅能生产各种类型的车(如轿车、SUV等),还能生产配套的轮胎和内饰。客户只要告诉工厂要哪种类型的车,工厂就会相应地提供整套适合的汽车部件。

示例代码(JavaScript):

// 抽象工厂
class AbstractCarFactory {createCar() {throw new Error('抽象方法,需要子类实现');}createTires() {throw new Error('抽象方法,需要子类实现');}createInterior() {throw new Error('抽象方法,需要子类实现');}
}// 具体工厂
class LuxuryCarFactory extends AbstractCarFactory {createCar() { return new LuxuryCar(); }createTires() { return new PremiumTires(); }createInterior() { return new LeatherInterior(); }
}// 产品类
class Car {}
class LuxuryCar extends Car {}
class Tires {}
class PremiumTires extends Tires {}
class Interior {}
class LeatherInterior extends Interior {}// 使用
const factory = new LuxuryCarFactory();
const car = factory.createCar();
const tires = factory.createTires();
const interior = factory.createInterior();

3. 工厂模式(Factory Method)

专业解释:

工厂模式定义了一个创建对象的接口,但让子类决定实例化哪一个类。工厂方法使一个类的实例化延迟到其子类。

通俗理解:

比如你走进一家甜品店,向服务员说想要一杯饮料,具体是什么饮料由服务员决定(可能是咖啡或果汁)。服务员就是这里的“工厂”,负责根据你的需求生产出具体的饮料产品。

示例代码(JavaScript):

class DrinkFactory {createDrink(type) {switch (type) {case 'coffee':return new Coffee();case 'juice':return new Juice();default:throw new Error('不支持的饮料类型');}}
}class Coffee {}
class Juice {}const factory = new DrinkFactory();
const coffee = factory.createDrink('coffee');
const juice = factory.createDrink('juice');

4. 建造者模式(Builder Pattern)

专业解释:

建造者模式将一个复杂对象的构建与它的表示分离,使得同样的构建过程可以创建不同的表示。客户端不需要知道内部组件的具体构建细节。

通俗理解:

就如同组装一台电脑,你可以选择不同配置的CPU、内存、硬盘等配件,最后由装机员按照你的配置清单来组装。组装过程(Builder)是固定的,但最终产出的电脑配置各异。

示例代码(JavaScript):

class ComputerBuilder {constructor() {this.computer = {cpu: '',memory: '',hardDrive: ''};}setCPU(cpu) {this.computer.cpu = cpu;return this;}setMemory(memory) {this.computer.memory = memory;return this;}setHardDrive(hardDrive) {this.computer.hardDrive = hardDrive;return this;}build() {return this.computer;}
}class DesktopComputerBuilder extends ComputerBuilder {// 可能会添加一些桌面电脑特有的配置方法
}const builder = new DesktopComputerBuilder().setCPU('Intel Core i7').setMemory('16GB DDR4').setHardDrive('1TB SSD');const computer = builder.build();
console.log(computer);

5. 原型模式(Prototype Pattern)

专业解释:

原型模式是一种复制已有对象作为新对象的方式,通过克隆原型对象并对其稍作修改来创建新的对象,而不是重新初始化一个新对象。

通俗理解:

就如同制作陶艺,工匠可以根据一个基础模型(原型)快速复制出相似的作品,然后再针对每个复制品进行个性化装饰。

示例代码(JavaScript,利用内置的Object.create()方法实现简单原型克隆):

function PrototypeObj(name) {this.name = name;
}// 添加一个clone方法到原型上
PrototypeObj.prototype.clone = function() {let clone = Object.create(this);clone.name = this.name + '_copy';return clone;
};let original = new PrototypeObj('Original');
let copy = original.clone();
console.log(copy.name); // 输出 "Original_copy"

结构型模式

1. 适配器模式 (Adapter Pattern)

专业解释:

适配器模式将一个类的接口转换为客户希望的另一个接口,使原本不兼容的接口能协同工作。主要应用于当系统需要使用现有的类,但是接口不符合需求时。

通俗理解:

就像电源插头转换器,将不同标准的插头转为适应目的地插座的标准。

示例代码(JavaScript):

// 假设我们有一个现有接口
class Adaptee {specificRequest() {console.log('执行特殊请求');}
}// 目标接口
interface TargetInterface {request(): void;
}// 适配器类
class Adapter implements TargetInterface {private adaptee: Adaptee;constructor(adaptee: Adaptee) {this.adaptee = adaptee;}request() {this.adaptee.specificRequest();}
}// 使用
let adaptee = new Adaptee();
let adapter: TargetInterface = new Adapter(adaptee);
adapter.request(); // 输出 "执行特殊请求"

2. 桥接模式 (Bridge Pattern)

专业解释:

桥接模式将抽象部分与其实现部分分离,使它们可以独立变化。它主要用于解耦抽象和实现,从而让它们可以独立演化。

通俗理解:

比如电脑品牌和操作系统是两个维度的变化,桥接模式就是让电脑品牌可以选择不同的操作系统,二者互不影响。

示例代码(JavaScript):

// 抽象部分
abstract class DrawingAPI {abstract drawCircle(radius: number, x: number, y: number): void;
}// 具体实现部分
class DrawingAPI1 extends DrawingAPI {drawCircle(radius, x, y) {console.log(`Drawing circle with radius ${radius}, at (${x}, ${y}) using API 1.`);}
}class DrawingAPI2 extends DrawingAPI {drawCircle(radius, x, y) {console.log(`Drawing circle with radius ${radius}, at (${x}, ${y}) using API 2.`);}// 结构部分
class Shape {protected drawingAPI: DrawingAPI;constructor(drawingAPI: DrawingAPI) {this.drawingAPI = drawingAPI;}setAPI(drawingAPI: DrawingAPI) {this.drawingAPI = drawingAPI;}abstract draw(): void;
}// 结构与实现结合
class CircleShape extends Shape {constructor(drawingAPI: DrawingAPI) {super(drawingAPI);}draw() {this.drawingAPI.drawCircle(10, 50, 50);}
}// 使用
let shape = new CircleShape(new DrawingAPI1());
shape.draw(); // 输出 "Drawing circle with radius 10, at (50, 50) using API 1."shape.setAPI(new DrawingAPI2());
shape.draw(); // 输出 "Drawing circle with radius 10, at (50, 50) using API 2."

3. 装饰模式 (Decorator Pattern)

专业解释:

装饰模式动态地给一个对象添加一些额外的职责,提供比继承更有弹性的替代方案来扩展对象的功能。

通俗理解:

比如咖啡基础款可以加糖、加奶、加香草等,每一种装饰都是在原有基础上增加新特性,而不是每次都创建新的咖啡品种。

示例代码(JavaScript):

// 基础组件
class Coffee {cost(): number {return 10;}description(): string {return 'Coffee';}
}// 装饰者
abstract class CoffeeDecorator implements Coffee {protected coffee: Coffee;constructor(coffee: Coffee) {this.coffee = coffee;}cost(): number {return this.coffee.cost();}description(): string {return this.coffee.description();}
}class Milk extends CoffeeDecorator {constructor(coffee: Coffee) {super(coffee);}cost(): number {return super.cost() + 2; // 加入牛奶的成本}description(): string {return super.description() + ', Milk'; // 描述中加入牛奶}
}// 使用
let coffee = new Coffee();
console.log(coffee.cost()); // 输出:10
console.log(coffee.description()); // 输出:"Coffee"let milkCoffee = new Milk(coffee);
console.log(

4. 组合模式 (Composite Pattern)

专业解释:

组合模式允许你将对象组合成树形结构来表现“整体-部分”层次结构,并且用户对单个对象和组合对象的使用具有一致性。

通俗理解:

就像文件夹和文件的关系,文件夹里可以包含文件和子文件夹,无论操作单个文件还是整个文件夹,都采用相同的方式。

示例代码(JavaScript):

class Component {operation(): string {return '默认组件操作';}add(component: Component): void {}remove(component: Component): void {}
}class Leaf extends Component {operation(): string {return '叶子节点操作';}
}class Composite extends Component {private children: Component[] = [];add(component: Component): void {this.children.push(component);}remove(component: Component): void {const index = this.children.indexOf(component);if (index > -1) {this.children.splice(index, 1);}}operation(): string {let result = '';for (const child of this.children) {result += child.operation();}return `复合组件操作: ${result}`;}
}// 使用
let leaf = new Leaf();
console.log(leaf.operation()); // 输出:"叶子节点操作"let composite = new Composite();
composite.add(leaf);console.log(composite.operation()); // 输出:"复合组件操作: 叶子节点操作"

5. 外观模式 (Facade Pattern)

专业解释:

外观模式为子系统中的一组接口提供一个统一的高层接口,简化了该子系统的使用。

通俗理解:

就如同电视机遥控器,它隐藏了电视机内部复杂的电路控制逻辑,只提供几个简单的按钮供用户操作。

示例代码(JavaScript):

class SubSystemOne {method1(): void {console.log('子系统1的方法1被调用');}
}class SubSystemTwo {method2(): void {console.log('子系统2的方法2被调用');}
}class Facade {private subsystemOne: SubSystemOne;private subsystemTwo: SubSystemTwo;constructor() {this.subsystemOne = new SubSystemOne();this.subsystemTwo = new SubSystemTwo();}facadeMethod(): 

6. 享元模式 (Flyweight Pattern)

专业解释:

享元模式运用共享技术有效支持大量细粒度的对象,通过共享已存在的同类对象来大幅度减少创建新对象的数量,从而节省系统资源。

通俗理解:

例如一个大型游戏中大量的小兵角色,他们虽然个体差异不大,但数量众多,可以通过共享一部分数据来减少内存占用。

示例代码(JavaScript):

class Flyweight {private intrinsicState: string;constructor(intrinsicState: string) {this.intrinsicState = intrinsicState;}operation(extrinsicState: string): string {return `${this.intrinsicState}, ${extrinsicState}`;}
}class FlyweightFactory {private flyweights: Map<string, Flyweight> = new Map();getFlyweight(intrinsicState: string): Flyweight {let flyweight = this.flyweights.get(intrinsicState);if (!flyweight) {flyweight = new Flyweight(intrinsicState);this.flyweights.set(intrinsicState, flyweight);}return flyweight;}
}// 使用
let factory = new FlyweightFactory();let flyweight1 = factory.getFlyweight('TypeA');
console.log(flyweight1.operation('Instance1')); // 输出:"TypeA, Instance1"let flyweight2 = factory.getFlyweight('TypeA');
console.log(flyweight2.operation('Instance2')); // 输出:"TypeA, Instance2"// 注意这里返回的是同一个享元对象,节省了内存

7. 代理模式 (Proxy Pattern)

专业解释:

代理模式为其他对象提供一种代理以控制对这个对象的访问。在某些情况下,一个对象不能或者不应该直接引用另一个对象,代理对象作为中间人起到中介作用。

通俗理解:

类似于明星经纪人,粉丝们通常不会直接接触明星,而是通过经纪人进行沟通和安排事务。

示例代码(JavaScript):

class RealSubject {request(): string {return '真实的请求响应';}
}class Proxy {private realSubject: RealSubject;constructor(realSubject: RealSubject) {this.realSubject = realSubject;}request(): string {if (this.checkAccess()) {return this.realSubject.request();} else {throw new Error('无权访问');}}private checkAccess(): boolean {// 这里模拟检查权限的过程return true; // 假设当前有访问权限}
}// 使用
let realSubject = new RealSubject();
let proxy = new Proxy(realSubject);try {console.log(proxy.request()); // 输出:"真实的请求响应"
} catch (error) {console.error(error.message);
}

请注意,由于JavaScript不支持接口(interface),在适配器模式和享元模式的例子中,我用的是类来模拟接口。在实际JavaScript项目中,通常我们会通过约定的方式来实现接口约束。

行为型模式

1. 模板方法模式 (Template Method Pattern)

专业解释:

在抽象类中定义一个基本算法的框架,而将一些步骤延迟到子类中实现。它允许子类在不修改整体算法结构的情况下重新定义某些步骤。

通俗理解:

就像烹饪菜谱,给出了做一道菜的基本流程,但具体每个步骤的实现(如炒菜调料的选择)由各个具体的菜品子类决定。

示例代码(JavaScript):

class AbstractClass {templateMethod() {this.baseOperation1();this.optionalOperation1(); // 子类可覆盖此方法this.requiredOperation();this.optionalOperation2(); // 子类可覆盖此方法}baseOperation1() {console.log('基本操作1');}requiredOperation() {console.log('必须执行的操作');}optionalOperation1() { /* 子类可覆盖 */ }optionalOperation2() { /* 子类可覆盖 */ }
}class ConcreteClass extends AbstractClass {optionalOperation1() {console.log('具体类实现的操作1');}optionalOperation2() {console.log('具体类实现的操作2');}
}let concrete = new ConcreteClass();
concrete.templateMethod();

2. 命令模式 (Command Pattern)

专业解释:

将一个请求封装为一个对象,使得可以用不同的请求对客户进行参数化;对请求排队或者记录请求日志,以及支持可撤销的操作。

通俗理解:

如同遥控器上的按键,每一个按键代表一个命令,按下按键就能执行相应的操作,还能实现撤销操作等功能。

示例代码(JavaScript):

class Receiver {executeCommand() {console.log('接收者执行命令');}
}class Command {constructor(receiver: Receiver) {this.receiver = receiver;}execute() {this.receiver.executeCommand();}undo() {console.log('撤销命令');}
}class Invoker {command: Command | null = null;setCommand(command: Command) {this.command = command;}invoke() {if (this.command) {this.command.execute();}}undoInvoke() {if (this.command) {this.command.undo();}}
}let receiver = new Receiver();
let command = new Command(receiver);
let invoker = new Invoker();
invoker.setCommand(command);
invoker.invoke(); // 输出 "接收者执行命令"
invoker.undoInvoke(); // 输出 "撤销命令"

3. 迭代器模式 (Iterator Pattern)

专业解释:

提供一种方法顺序访问聚合对象的各个元素,而又不暴露其底层表示。迭代器模式定义了一个访问一系列元素的接口,各元素之间关系紧密但又不需要暴露细节。

通俗理解:

就像看书目录,可以按照一定的顺序一页页翻看,而无需了解书的具体装订方式。

示例代码(JavaScript):

class Collection {constructor(items = []) {this.items = items;}[Symbol.iterator]() {let index = 0;let collection = this.items;return {next: () => {if (index < collection.length) {return { value: collection[index++], done: false };} else {return { done: true };}}};}
}let collection = new Collection(['Apple', 'Banana', 'Cherry']);
for (let item of collection) {console.log(item); // 输出 "Apple", "Banana", "Cherry"
}// 或者使用数组的内置迭代器
let fruits = ['Apple', 'Banana', 'Cherry'];
for (let fruit of fruits) {console.log(fruit); // 输出 "Apple", "Banana", "Cherry"
}

4. 观察者模式 (Observer Pattern)

专业解释:

定义了对象之间的依赖关系,一个对象的状态发生改变时,所有依赖于它的对象都会得到通知并自动更新。

通俗理解:

像订阅新闻一样,当你订阅了某个主题后,每当有新的新闻更新时,你就会收到通知。

示例代码(JavaScript):

class Subject {constructor() {this.observers = [];}subscribe(observer) {this.observers.push(observer);}unsubscribe(observer) {const index = this.observers.indexOf(observer);if (index !== -1) {this.observers.splice(index, 1);}}notify(data) {this.observers.forEach((observer) => observer.update(data));}
}class Observer {update(data) {console.log('Received data:', data);}
}let subject = new Subject();
let observer1 = new Observer();
let observer2 = new Observer();subject.subscribe(observer1);
subject.subscribe(observer2);subject.notify('New Data'); // 输出两次 "Received data: New Data"subject.unsubscribe(observer1);
subject.notify('Another Data'); // 输出一次 "Received data: Another Data"

5. 访问者模式 (Visitor Pattern)

专业解释:

封装一些作用于某种数据结构中的各种元素的操作,它可以在不改变元素类的前提下定义作用于这些元素的新操作。

通俗理解:

类似检查员去多个部门审核,各部门只需提供接受检查的接口,而无需关心检查的具体规则,检查员则携带不同规则去访问各部门。

示例代码(JavaScript):

// 定义元素接口
class Element {accept(visitor) {throw new Error('This method should be implemented in subclasses');}
}// 具体元素类
class ConcreteElementA extends Element {accept(visitor) {visitor.visitConcreteElementA(this);}
}class ConcreteElementB extends Element {accept(visitor) {visitor.visitConcreteElementB(this);}
}// 定义访问者接口
interface Visitor {visitConcreteElementA(element);visitConcreteElementB(element);
}// 具体访问者类
class ConcreteVisitor implements Visitor {visitConcreteElementA(element) {console.log('Visited ConcreteElementA');}visitConcreteElementB(element) {console.log('Visited ConcreteElementB');}
}let elementA = new ConcreteElementA();
let elementB = new ConcreteElementB();
let visitor = new ConcreteVisitor();elementA.accept(visitor); // 输出 "Visited ConcreteElementA"
elementB.accept(visitor); // 输出 "Visited ConcreteElementB"

6. 中介者模式 (Mediator Pattern)

专业解释:

定义一个中介对象来封装一系列的对象交互,使各对象不需要显式地相互引用,从而降低耦合度,同时使得系统易于扩展。

通俗理解:

就像公司内部员工有问题不直接相互联系,而是通过人事部门作为中介进行协调,这样避免了员工间的直接依赖关系。

示例代码(JavaScript):

class Mediator {constructor() {this.colleagues = {};}register(name, colleague) {this.colleagues[name] = colleague;colleague.setMediator(this);}send(message, sender) {for (const key in this.colleagues) {if (key !== sender) {this.colleagues[key].receive(message);}}}
}class Colleague {constructor(name) {this.name = name;this.mediator = null;}setMediator(mediator) {this.mediator = mediator;}receive(message) {console.log(`${this.name} received message from mediator: ${message}`);}sendMessage(message) {this.mediator.send(message, this.name);}
}let mediator = new Mediator();
let colleague1 = new Colleague('Colleague1');
let colleague2 = new Colleague('Colleague2');mediator.register('Colleague1', colleague1);
mediator.register('Colleague2', colleague2);colleague1.sendMessage('Hello from Colleague1'); // 输出 "Colleague2 received message from mediator: Hello from Colleague1"

7. 备忘录模式 (Memento Pattern)

专业解释:

在不破坏封装性的前提下,捕获一个对象的内部状态以便稍后恢复。这种模式主要用于数据备份和还原操作,防止外部对象随意修改内部状态。

通俗理解:

就像游戏存档,你可以随时保存游戏进度并在任何时候恢复到之前的状态。

示例代码(JavaScript):

class Originator {constructor(state) {this.state = state;}getState() {return this.state;}setState(state) {this.state = state;}createMemento() {return { state: this.getState() }; // 创建备忘录对象}restoreFromMemento(memento) {this.setState(memento.state); // 从备忘录恢复状态}
}class Caretaker {constructor() {this.mementos = [];}addMemento(memento) {this.mementos.push(memento);}getMemento(index) {return this.mementos[index];}
}let originator = new Originator('Initial State');
let caretaker = new Caretaker();caretaker.addMemento(originator.createMemento()); // 存档
originator.setState('New State');console.log(originator.getState()); // 输出 "New State"originator.restoreFromMemento(caretaker.getMemento(0)); 

8. 解释器模式 (Interpreter Pattern)

专业解释:

给定一门语言,定义它的文法的一种表示,并定义一个解释器,这个解释器使用该表示来解释语言中的句子。

通俗理解:

就像是编程语言的编译器或解释器,它解析程序员写的代码并执行相应操作。

示例代码(JavaScript)(由于解释器模式较为复杂且一般用于特定领域语言解析,以下仅为简单示意,真实场景会更加复杂):

class Expression {interpret(context) {throw new Error('Subclasses must implement interpret().');}
}class TerminalExpression extends Expression {interpret(context) {// 根据具体上下文解释终结符表达式}
}class NonTerminalExpression extends Expression {interpret(context) {// 根据具体上下文解释非终结符表达式,可能包含子表达式的解释}
}// 上下文对象
class Context {}// 使用解释器
let context = new Context();
let expression = new TerminalExpression(); // 或 NonTerminalExpression
expression.interpret(context);

9. 状态模式 (State Pattern)

专业解释:

允许一个对象在其内部状态改变时改变它的行为,对象看起来似乎修改了它的类。

通俗理解:

就像交通信号灯,红绿黄三种状态决定了不同的行为表现。

示例代码(JavaScript):

class State {constructor(machine) {this.machine = machine;}handle() {throw new Error('Subclasses must implement handle().');}
}class RedLightState extends State {handle() {console.log('Changing to Green Light State.');this.machine.setState(this.machine.greenLightState);}
}class GreenLightState extends State {handle() {console.log('Changing to Yellow Light State.');this.machine.setState(this.machine.yellowLightState);}
}class YellowLightState extends State {handle() {console.log('Changing to Red Light State.');this.machine.setState(this.machine.redLightState);}
}class TrafficLightMachine {constructor() {this.currentState = this.redLightState;}setState(newState) {this.currentState = newState;}changeLight() {this.currentState.handle();}get redLightState() {return new RedLightState(this);}get greenLightState() {return new GreenLightState(this);}get yellowLightState() {return new YellowLightState(this);}
}let trafficLight = new TrafficLightMachine();
trafficLight.changeLight(); // 输出 "Changing to Green Light State."
trafficLight.changeLight(); // 输出 "Changing to Yellow Light State."
trafficLight.changeLight(); // 输出 "Changing to Red Light State."

10. 策略模式 (Strategy Pattern)

专业解释:

定义一系列算法,把它们一个个封装起来,并且使它们可以相互替换。策略模式让算法的变化独立于使用算法的客户。

通俗理解:

如同不同的折扣计算策略,可以灵活切换,不影响使用折扣策略的购物车系统。

示例代码(JavaScript):

class Strategy {calculatePrice(price) {throw new Error('Subclasses must implement calculatePrice().');}
}class NormalStrategy extends Strategy {calculatePrice(price) {return price;}
}class DiscountStrategy extends Strategy {constructor(discountRate) {super();this.discountRate = discountRate;}calculatePrice(price) {return price * (1 - this.discountRate);}
}class ShoppingCart {constructor(strategy) {this.strategy = strategy;}setStrategy(strategy) {this.strategy = strategy;}calculateTotalPrice(items) {let totalPrice = 0;for (const item of items) {totalPrice += this.strategy.calculatePrice(item.price);}return totalPrice;}
}let normalShoppingCart = new ShoppingCart(new NormalStrategy());
let discountedShoppingCart = new ShoppingCart(new DiscountStrategy(0.1));let items = [{price: 100}, {price: 200}, {price: 300}];
console.log(normalShoppingCart.calculateTotalPrice(items)); // 输出 600discountedShoppingCart.setStrategy(new DiscountStrategy(0.2));
console.log(discountedShoppingCart.calculateTotalPrice(items)); // 输出 480

11. 职责链模式 (Chain of Responsibility Pattern)

专业解释:

使多个对象都有机会处理请求,从而避免请求的发送者和接收者之间的耦合关系。将这些对象连成一条链,并沿着这条链传递请求,直到有一个对象处理它为止。

通俗理解:

就像公司的请假审批流程,员工提交请假申请后,申请会按照经理、总监、总经理的顺序逐级审批,直到某一级别负责人批准或拒绝为止。

示例代码(JavaScript):

class Approver {constructor(successor) {this.successor = successor;}processRequest(request) {if (this.canApprove(request)) {console.log(`${this.name} approved the request.`);} else if (this.successor) {this.successor.processRequest(request);} else {console.log('No one can approve this request.');}}canApprove(request) {throw new Error('Subclasses must implement canApprove().');}
}class Manager extends Approver {constructor(successor) {super(successor);this.name = 'Manager';}canApprove(request) {return request <= 5; // 经理只能批准5天内的请假申请}
}class Director extends Approver {constructor(successor) {super(successor);this.name = 'Director';}canApprove(request) {return request <= 10 && request > 5; // 总监只能批准5-10天内的请假申请}
}class CEO extends Approver {constructor() {super(null);this.name = 'CEO';}canApprove(request) {return request <= 15 && request > 10; // 总裁可以批准10-15天内的请假申请}
}let ceo = new CEO();
let director = new Director(ceo);
let manager = new Manager(director);manager.processRequest(3); // 输出 "Manager approved the request."
manager.processRequest(7); // 输出 "Director approved the request."
manager.processRequest(12); // 输出 "CEO approved the request."
manager.processRequest(18); // 输出 "No one can approve this request."

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

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

相关文章

Negative Sampling with Adaptive DenoisingMixup for Knowledge Graph Embedding

摘要 知识图嵌入(Knowledge graph embedding, KGE)的目的是通过对比正负三元组&#xff0c;将知识图中的实体和关系映射到一个低维、密集的向量空间中。在kge的训练过程中&#xff0c;由于kge只包含正三元组&#xff0c;因此负采样对于找到高质量的负三元组至关重要。大多数现…

如何申请代码签名证书

代码签名证书也是数字证书的一种&#xff0c;其主要作用是对可执行脚本、软件代码和内容进行数字签名的数字证书。代码签名证书用于验证开发者身份真实性、保护代码的完整性。用户下载软件时&#xff0c;能通过数字签名验证软件来源&#xff0c;确认软件、代码没有被非法篡改或…

有道翻译实现接口加密解密

文章目录 目标简单逆向分析源码深度逆向分析参考文献目标 实现对网易有道 sign 等参数的加密 及 返回的密文数据解密实现 简单逆向分析 首先在右上角提前登录好账号信息。 输入中文:你好 要求翻译成:英文 全局搜索:你好 或 hello,结果没有发现什么。 切换 Fetch/XHR …

关于YOLOv9项目的使用说明。

​ 专栏介绍&#xff1a;YOLOv9改进系列 | 包含深度学习最新创新&#xff0c;助力高效涨点&#xff01;&#xff01;&#xff01; 使用说明 1. 下载解压 首先&#xff0c;在进群之后&#xff0c;使用群公告中的百度云链接进行下载。 下载完成后解压打开&#xff0c;会得到一个…

TypeScript再学习(1)数据类型

1.布尔类型 2.Number类型 3.String字符串 4.枚举 5.数组Array 6.元组类型(tuple) 7.undefined和null 8.any类型 9.void类型 10.never类型 11.unknown类型 基本可以概括为上述11种数据类型&#xff1b;可以先看下在ts下是如何定义各种数据类型的变量&#xff1b; //布…

Mysql中用户密码修改

1、命令行修改 请确保已使用root或其他拥有足够权限的用户登录MySQL&#xff0c;对于MySQL 5.7.6及以上版本或者MariaDB 10.1.20及以上版本。 ALTER USER ‘root’‘localhost’ IDENTIFIED BY ‘root’; 1、使用命令 mysql -uroot -p你的密码 连接到mysql管理工具 2、使用命…

代码随想录算法训练营第三十二天 | 122. 买卖股票的最佳时机 II、55. 跳跃游戏、45. 跳跃游戏 II

代码随想录算法训练营第三十二天 | 122. 买卖股票的最佳时机 II、55. 跳跃游戏、45. 跳跃游戏 II 122. 买卖股票的最佳时机 II题目解法 55. 跳跃游戏题目解法 45. 跳跃游戏 II题目解法 感悟 122. 买卖股票的最佳时机 II 题目 解法 贪心&#xff1a;局部最优&#xff1a;收集每…

[激光原理与应用-79]:激光应用二开软件现场调测步骤详解

目录 一、硬件安装 步骤1&#xff1a;机械&#xff1a;机械控制安装、多通道选择的电机驱动器安装 步骤2&#xff1a;光路&#xff1a;激光器、外光路 步骤3&#xff1a;电路&#xff1a;工控机、板卡、连接线 二、工控机二开软件的调测 步骤1&#xff1a;加工板卡的软件…

你虽然不一定用得到但一定要知道的ChatGPT五大功能

ChatGPT拥有许多功能&#xff0c;但很多人并没有充分利用这些功能&#xff0c;从而错失了这个全球领先的AI聊天机器人的全部潜力。 以下是你绝对应该尝试的五个ChatGPT功能。 朗读功能 2024 年 3 月&#xff0c;OpenAI 推出了 ChatGPT的朗读功能&#xff0c;使这个AI工具能够…

C#学习笔记1:C#基本文件结构与语法

现在开始我的C#学习之路吧&#xff0c;这也许不适合0编程基础的人看&#xff0c;因为我会C语言了&#xff0c;笔记做的可能有思维上的跳跃&#xff0c;如果0基础可能会觉得有些地方转折得莫名奇妙&#xff0c;但我的学习笔记实操还是比较多的&#xff0c;基本都是真实运行程序结…

vue3项目初始化

初始化项目newsapp VSCode 打开终端&#xff0c;newsapp项目目录&#xff0c;可自定义 vue create newsapp 有提示“因为在此系统上禁止运行脚本”的话&#xff0c;请执行 set-ExecutionPolicy RemoteSigned 执行后再重复执行vue create newsapp 注意选择Vue 3版本 测试项…

vector类详解及重要函数实现

&#x1fa90;&#x1fa90;&#x1fa90;欢迎来到程序员餐厅&#x1f4ab;&#x1f4ab;&#x1f4ab; 今日主菜&#xff1a;vector类 主厨&#xff1a;邪王真眼 所属专栏&#xff1a;c专栏 主厨的主页&#xff1a;Chef‘s blog 坚持下去&#xff0c;成功不是目的&a…

自学算法:02 二分搜索

题目&#xff1a; 1. 在有序数组中确定num存在还是不存在。 2. 在有序数组中找>num的最左位置。 3. 在有序数组中找<num的最右位置。 4. 二分搜索不一定发生在有序数组上&#xff08;比如寻找峰值问题&#xff09;。 5. 二分答案法。 题目一 简单的二分搜索法。 public…

MC0207 中转站

物流业为了降低物流成本&#xff0c;提高物流效率&#xff0c;运输过程中通常不会由始发地直达目的地&#xff0c;而是经由多个中转站中转&#xff0c;最终到达目的地。最常见的便是快递业&#xff0c;由于中转站有很多&#xff0c;要想将所有中转站两两互通代价过高&#xff0…

Web 常见的攻击方式有哪些?

常见的 Web 攻击方式有以下几种&#xff1a; 跨站脚本攻击&#xff08;XSS 攻击&#xff09; 跨站请求伪造&#xff08;XSRF 攻击&#xff09; SQL 注入 XSS 攻击 MDN 定义如下&#xff1a; 跨站脚本攻击&#xff08;Cross-site scripting&#xff0c;XSS&#xff09;是一…

【每周赠书活动第1期】Python编程 从入门到实践 第3版(图灵出品)

编辑推荐 适读人群 &#xff1a;本书适合对Python感兴趣的所有读者阅读。 编程入门就选蟒蛇书&#xff01; 【经典】Python入门经典&#xff0c;常居Amazon等编程类图书TOP榜 【畅销】热销全球&#xff0c;以12个语种发行&#xff0c;影响超过 250 万读者 【口碑】好评如潮…

手撕算法-删除有序数组中的重复项 II

描述 例如&#xff1a;输入&#xff1a;nums [1,1,1,2,2,3]输出&#xff1a;5, nums [1,1,2,2,3]解释&#xff1a;函数应返回新长度 length 5, 并且原数组的前五个元素被修改为 1, 1, 2, 2, 3。 不需要考虑数组中超出新长度后面的元素。 分析 双指针, fast, slow。nums[…

Python并发编程:线程和多线程的使用

前面的文章&#xff0c;我们讲了什么Python的许多基础知识&#xff0c;现在我们开始对Python并发编程进行学习。我们将探讨 Python 中线程和多线程的使用。帮助大家更好地理解如何使用这种技术。 目录 1. 线程&#xff08;Threads&#xff09; 1.1 Python 中的线程工作原理 …

Andorid项目源码 仿ios音量调节的效果 (内附源码下载)

下载地址&#xff1a; https://download.csdn.net/download/Nekosann/89026144 这段代码是Android应用程序的一部分&#xff0c;主要实现了一个仿iOS风格的音量调节效果。具体来说&#xff0c;它使用了一个自定义的评分条&#xff08;RatingBar&#xff09;&#xff0c;允许用…

CSP-S 真题:格雷码

原文链接&#xff1a;CSP-S 真题第二讲&#xff1a;格雷码 说明&#xff1a;CSDN和公众号文章同步发布&#xff0c;需要第一时间收到最新内容&#xff0c;请关注公众号【比特正传】。 一、题目背景 题目来源&#xff1a;CSP-S 2019年 T1 题目考察点&#xff1a;递归、搜索 …