桥接模式的java代码示例
时间: 2023-07-03 17:04:05 浏览: 119
python 桥接模式(示例)
桥接模式(Bridge Pattern)是一种结构型设计模式,它将抽象部分与实现部分分离,使它们可以独立变化。下面是一个简单的 Java 代码示例:
```
// 定义实现部分的接口
interface DrawAPI {
public void drawCircle(int radius, int x, int y);
}
// 定义具体实现部分的类
class RedCircle implements DrawAPI {
public void drawCircle(int radius, int x, int y) {
System.out.println("Drawing Circle[ color: red, radius: " + radius + ", x: " + x + ", y: " + y + "]");
}
}
class GreenCircle implements DrawAPI {
public void drawCircle(int radius, int x, int y) {
System.out.println("Drawing Circle[ color: green, radius: " + radius + ", x: " + x + ", y: " + y + "]");
}
}
// 定义抽象部分的类,并包含一个指向实现部分的引用
abstract class Shape {
protected DrawAPI drawAPI;
protected Shape(DrawAPI drawAPI){
this.drawAPI = drawAPI;
}
public abstract void draw();
}
// 定义具体抽象部分的类
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;
}
public void draw() {
drawAPI.drawCircle(radius,x,y);
}
}
// 测试代码
public class BridgePatternDemo {
public static void main(String[] args) {
Shape redCircle = new Circle(100,100, 10, new RedCircle());
Shape greenCircle = new Circle(100,100, 10, new GreenCircle());
redCircle.draw();
greenCircle.draw();
}
}
```
在上面的代码中,`DrawAPI` 接口定义了实现部分的方法,`RedCircle` 和 `GreenCircle` 是具体实现部分的类。`Shape` 是抽象部分的类,并包含一个指向实现部分的引用,在 `Circle` 中使用了 `drawAPI` 引用来调用 `DrawAPI` 接口的方法。在 `BridgePatternDemo` 类中,我们创建了一个红色圆和一个绿色圆,并分别调用了它们的 `draw()` 方法。
这个例子中,桥接模式的优点在于,我们可以轻松地增加新的实现部分类而不影响抽象部分类。例如,如果我们想添加蓝色圆形,我们只需要创建一个新的 `BlueCircle` 类并实现 `DrawAPI` 接口即可。这种灵活性使得桥接模式在一些复杂的系统中特别有用。
阅读全文