combination.cpp 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121
  1. #include<array>
  2. #include<iostream>
  3. #include<vector>
  4. //组合模式
  5. //组合模式的核心在于能够直观的展示出数据的组合形式,同时隐藏组成形式不同带来的影响
  6. //即为不同的组合形式对外提供了相同的接口,迭代器是一种很好的隐藏组合模式的方法
  7. //一个不带组合模式的示例
  8. class person //一个游戏角色
  9. {
  10. private:
  11. int defense; //防御
  12. int blood; //血量
  13. public:
  14. person(int _defense,int _blood):defense(_defense),blood(_blood)
  15. {}
  16. int code(int x) //计算人物的战力
  17. {
  18. auto i=static_cast<int>(defense+blood);
  19. return i;
  20. }
  21. };
  22. //但是上面有个问题,如果我们还要加上免伤呢,或者还要其他东西叠加上去怎么办?
  23. //最简单的办法当然是直接修改这个类,但是然后呢,所有的函数都要修改进行适配似乎不太现实
  24. //数组组合模式可以很好的解决这个问题
  25. //直接用数组提供的迭代器就能很好的解决这个问题
  26. enum character
  27. {
  28. defense,
  29. blood,
  30. attact
  31. };
  32. class group
  33. {
  34. private:
  35. std::array<int,attact> human;
  36. public:
  37. int code()
  38. {
  39. int count=0;
  40. for(int i:human)
  41. {
  42. count+=i;
  43. }
  44. return count;
  45. }
  46. };
  47. //图形组合
  48. //将多个类进行拼装拼装成一个类然后将拼装后的类作为一个整体进行操作
  49. //又涉及到了复杂的继承操作
  50. enum class type
  51. {
  52. photo,
  53. cartoon,
  54. draws,
  55. };
  56. class griph_base
  57. {
  58. public:
  59. virtual void draw()=0;
  60. };
  61. class draws:public griph_base
  62. {
  63. private:
  64. type typide;
  65. std::array<int,15> data;
  66. public:
  67. void draw()override
  68. {
  69. }
  70. };
  71. class photo:public griph_base
  72. {
  73. private:
  74. type typide;
  75. std::array<int,15> data;
  76. public:
  77. void draw()override
  78. {
  79. }
  80. };
  81. class cartoon:public griph_base
  82. {
  83. private:
  84. type typide;
  85. std::array<int,15> data;
  86. public:
  87. void draw()override
  88. {
  89. }
  90. };
  91. class map_combinate
  92. {
  93. private:
  94. std::vector<griph_base*> data; //基类指针指向子类
  95. public:
  96. void draw()
  97. {
  98. for(auto i:data)
  99. {
  100. i->draw();
  101. }
  102. }
  103. };
  104. int main()
  105. {
  106. }