bridge.cpp 1.5 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374
  1. //桥接模式,对面向对象的进一步封装
  2. #include<iostream>
  3. #include<cstring>
  4. //从最简单的Pimpl模式开始说起
  5. //在Pimpl类中定义了一个类内结构体,所有的数据全部存储在类内结构体中
  6. //在Pimpl中的函数的作用就是作为bridge将point中的函数对外暴露出来
  7. class Pimpl
  8. {
  9. private:
  10. struct point;
  11. point* data;
  12. public:
  13. Pimpl(int _x,int _y);
  14. Pimpl(const Pimpl& copy);
  15. Pimpl& operator=(const Pimpl& copy);
  16. ~Pimpl();
  17. int caculater();
  18. };
  19. struct Pimpl::point
  20. {
  21. int x;
  22. int y;
  23. point(int _x,int _y):x(_x),y(_y)
  24. {}
  25. int caculater()
  26. {
  27. return (x+y)/2;
  28. }
  29. };
  30. Pimpl::Pimpl(int _x,int _y)
  31. {
  32. data=new point(_x,_y);
  33. }
  34. Pimpl::Pimpl(const Pimpl &copy)
  35. {
  36. void* memory=new char[sizeof(point)]; //实现深拷贝
  37. std::memcpy(memory,copy.data,sizeof(point));
  38. this->data=static_cast<point*>(memory); //void*转换为某种类型的指针不会打破完全别名规则
  39. }
  40. Pimpl& Pimpl::operator=(const Pimpl& copy)
  41. {
  42. this->data=copy.data;
  43. return *this;
  44. }
  45. Pimpl::~Pimpl()
  46. {
  47. delete data;
  48. }
  49. int Pimpl::caculater()
  50. {
  51. return data->caculater();
  52. }
  53. //桥接模式的代码这里就不实现了
  54. //桥接模式的核心就是将多个类放入桥接器,然后通过桥接器暴露接口
  55. //(桥接器实际上就是Pimpl的扩展,在Pimpl中只有一个类,但是桥接模式是可以扩展多个类的)
  56. int main()
  57. {
  58. Pimpl test(1,2);
  59. }