桥接模式

桥接模式:是用于把抽象化与实现化解耦,使得二者可以独立变化。这种类型的设计模式属于结构型模式,它通过提供抽象化和实现化之间的桥接结构,来实现二者的解耦。

这种模式涉及到一个作为桥接的接口,使得实体类的功能独立于接口实现类。这两种类型的类可被结构化改变而互不影响。

应用实例: 1、猪八戒从天蓬元帅转世投胎到猪,转世投胎的机制将尘世划分为两个等级,即:灵魂和肉体,前者相当于抽象化,后者相当于实现化。生灵通过功能的委派,调用肉体对象的功能,使得生灵可以动态地选择。 2、墙上的开关,可以看到的开关是抽象的,不用管里面具体怎么实现的。

实例:我们有一个作为桥接实现的 DrawAPI 接口和实现了 DrawAPI 接口的实体类 RedCircleGreenCircleShape 是一个抽象类,将使用 DrawAPI 的对象。BridgePatternDemo,我们的演示类使用 Shape 类来画出不同颜色的圆。

实例UML图:

桥接模式_第1张图片

实例代码:

/**
 * @author Shuyu.Wang
 * @package:com.shuyu.bridge
 * @description:桥接实现接口
 * @date 2018-11-29 23:45
 **/

public interface DrawAPI {
    void drawCircle(int radius, int x, int y);
}





/**
 * @author Shuyu.Wang
 * @package:com.shuyu.bridge
 * @description:实现了 DrawAPI 接口的实体桥接实现类
 * @date 2018-11-29 23:46
 **/
@Slf4j
public class GreenCircle implements DrawAPI {
    @Override
    public void drawCircle(int radius, int x, int y) {
        log.info("Drawing Circle[ color: green, radius: " + radius + ", x: " + x + ", " + y + "]");
    }
}






/**
 * @author Shuyu.Wang
 * @package:com.shuyu.bridge
 * @description:实现了 DrawAPI 接口的实体桥接实现类
 * @date 2018-11-29 23:45
 **/
@Slf4j
public class RedCircle implements DrawAPI {
    @Override
    public void drawCircle(int radius, int x, int y) {
        log.info("Drawing Circle[ color: red, radius: " + radius + ", x: " + x + ", " + y + "]");
    }
}










/**
 * @author Shuyu.Wang
 * @package:com.shuyu.bridge
 * @description:使用 DrawAPI 接口创建抽象类 Shape
 * @date 2018-11-29 23:48
 **/

public abstract class Shape {
    protected DrawAPI drawAPI;
    protected Shape(DrawAPI drawAPI){
        this.drawAPI = drawAPI;
    }
    public abstract void draw();
}









/**
 * @author Shuyu.Wang
 * @package:com.shuyu.bridge
 * @description:创建实现了 Shape 接口的实体类
 * @date 2018-11-29 23:49
 **/

public class Circle extends Shape {
    private int x, y, radius;

    public Circle(int x, int y, int radius, DrawAPI drawAPI) {
        super(drawAPI);
        this.x = x;
        this.y = y;
        this.radius = radius;
    }

    @Override
    public void draw() {
        drawAPI.drawCircle(radius,x,y);
    }
}

测试代码:

@RunWith(SpringRunner.class)
@SpringBootTest
public class BridgeApplicationTests {

	@Test
	public void contextLoads() {
		Shape redCircle = new Circle(100,100, 10, new RedCircle());
		Shape greenCircle = new Circle(100,100, 10, new GreenCircle());

		redCircle.draw();
		greenCircle.draw();
	}

}

执行结果:

2018-11-29 23:53:03.326  INFO 18836 --- [           main] com.shuyu.bridge.RedCircle               : Drawing Circle[ color: red, radius: 10, x: 100, 100]
2018-11-29 23:53:03.326  INFO 18836 --- [           main] com.shuyu.bridge.GreenCircle             : Drawing Circle[ color: green, radius: 10, x: 100, 100]

github代码地址:https://github.com/iot-wangshuyu/designpatterns/tree/master/bridge

你可能感兴趣的:(Java,设计模式,桥接模式)