定义与特点
桥接(Bridge)模式:将抽象与实现分离,使它们可以独立变化。它是用组合关系代替继承关系来实现,从而降低了抽象和实现这两个可变维度的耦合度。
桥接模式遵循了里氏替换原则和依赖倒置原则,最终实现了开闭原则,对修改关闭,对扩展开放。
桥接(Bridge)模式包含以下主要角色。
- 抽象化(Abstraction)角色:定义抽象类,并包含一个对实现化对象的引用。
- 扩展抽象化(Refined Abstraction)角色:是抽象化角色的子类,实现父类中的业务方法,并通过组合关系调用实现化角色中的业务方法。
- 实现化(Implementor)角色:定义实现化角色的接口,供扩展抽象化角色调用。
- 具体实现化(Concrete Implementor)角色:给出实现化角色接口的具体实现。
桥接(Bridge)模式的优点是:
- 抽象与实现分离,扩展能力强
- 符合开闭原则
- 符合合成复用原则
- 其实现细节对客户透明
缺点是:由于聚合关系建立在抽象层,要求开发者针对抽象化进行设计与编程,能正确地识别出系统中两个独立变化的维度,这增加了系统的理解与设计难度。
UML图与代码
public interface Brand { void info(); } public class Apple implements Brand{ @Override public void info() { System.out.println("苹果"); } } public class Lenovo implements Brand{ @Override public void info() { System.out.println("联想"); } }
/** * @author: mxb * @date: 2021/10/15 13:22 * * 桥接模式的桥,连接了品牌和样式(台式机,笔记本) * 解决了多层继承导致的耦合问题,减少子类个数 */ public abstract class ComputerBridge { /** * 组合,品牌 */ private Brand brand; public ComputerBridge(Brand brand) { this.brand = brand; } public void showComputer(){ this.brand.info(); } }
public class Desktop extends ComputerBridge { public Desktop(Brand brand) { super(brand); } @Override public void showComputer() { super.showComputer(); System.out.println("台式机"); } } public class Laptop extends ComputerBridge{ public Laptop(Brand brand) { super(brand); } @Override public void showComputer() { super.showComputer(); System.out.println("笔记本"); } }
public class UserClient { public static void main(String[] args) { Desktop desktopApple = new Desktop(new Apple()); desktopApple.showComputer(); Laptop laptopApple = new Laptop(new Apple()); laptopApple.showComputer(); Desktop desktopLenovo = new Desktop(new Lenovo()); desktopLenovo.showComputer(); Laptop laptopLenovo = new Laptop(new Lenovo()); laptopLenovo.showComputer(); } }
苹果
台式机
苹果
笔记本
联想
台式机
联想
笔记本