背景
假设你有一个叫形状(shape)
的基类,它扩展出来两个子类:圆形(Circle)和方形(Square)
,同时你希望对这两个形状添加颜色(红色和蓝色),一个方法是基于继承,基于圆形和方形分别创建两个子类,如RedCircle
和RedSquare
。这样的问题是,每增加新的形状和颜色,都需要创建更多的子类。另外一种方法就是将颜色抽象成一个类,然后让形状类有一个颜色的成员变量,现在形状类可以将所有与颜色相关的工作委派给自己的颜色成员变量。
桥接模式简介
桥接模式模式可以看作一种最简单的组合,外部只和组合类交互,而不会接触到内部的被组合的类。
代码示例
遥控器和可遥控设备直接的桥接示例,用户只直接使用遥控器,而不会直接和设备进行交互。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54
| class Device { protected: int _volume; int _channel; public: virtual bool isEnabled() = 0; virtual void enable() = 0; virtual void disable() = 0; virtual int getVolume() = 0; virtual void setVolume(int volume) = 0; virtual int getChannel() = 0; virtual void setChannel(int channel) = 0; };
class Remote { protected: Device *_device; public: Remote(Device *device): _device(device) {}
void togglePower() { if (_device->isEnabled()) { _device->disable(); } else { _device->enabel(); } }
void volumeDown() { _device->setVolume(_device->getVolume() - 1); }
void volumeUp() { _device->setVolume(_device->getVolume() + 1); }
void channelDown() { _device->setChannel(_device->getChannel() - 1); }
void channelUp() { _device->setChannel(_device->getChannel() + 1) } };
class Radio: public Device { public: };
class TV: public Device { public: };
|
总结
桥接模式通常会用于开发前期进行设计,