我正在尝试找出为异构项集合设置构建器的正确方法(在数据中,而不是类型)。
假设我有一个我想要构建的挂板。 pegboard包含Pegs
向量,每个向量带有一组坐标。钉子也有一种颜色,还有一堆其他的POD特性。
我正在实施构建器模式以构建不同的PegBoards
,但我不确定如何处理以下问题:
在某些情况下,我可能需要使用一个或两个挂钩,并告诉构建者制作 n 副本并随机将它们放在挂板上。
在其他情况下,我可能希望明确提供具有初始化位置和属性的挂钩向量。
我可能想要创建一个Pegboard,其中有50%的红色钉子,50%的蓝色钉子,或者20%的红色钉子和80%的蓝色钉子......等等。我的理解是,随着生成器模式,我被困住了为我想要的每种(无限)可能的组合制作混凝土建造者。
基本上,我喜欢Builder模式构造对象的有条理方式,但我也需要在构建过程中有一些灵活性。我应该在我的导演中使用方法,例如SetPegColors(vector colors, vector ratios)
。谁负责呢?我是否应该将这些方法保留在PegBoard中,如果我需要在构建过程之后调用它们?
或者Builder模式不是按照我想要的方式构建Pegboard
的答案吗?
提前致谢!
答案 0 :(得分:0)
我了解您使用的是构建器,因为您希望在创建时创建挂钩并将其放入PegBoard
,而不是稍后修改。这是 Builder 模式的一个很好的用例。在这种情况下,提供像setPegColors(..)
这样的方法会破坏设计。看起来您需要在Builder中使用PegCreationStrategy
。像这样的东西(Java语法):
public interface PegCreationStrategy {
Peg[] getPegs(int n);
}
public class PrototypePegCreationStrategy {
public PrototypePegCreationStrategy(Peg[] prototypes) {
}
@Override Peg[] getPegs(int n) {
}
}
public class ColorRatioPegCreationStrategy {
public ColorRatioPegCreationStrategy(vector colors, vector ratios) {
}
@Override Peg[] getPegs(int n) {
}
}
public class PegBoard {
public static class Builder {
private int numPegs;
private PegCreationStrategy strategy;
Build withNumPegs(numPegs) {...}
Builder withPegCreationStrategy(PegCreationStrategy s) {...}
Builder withSomeOtherProperty(...) { ... }
PegBoard build() {
Peg[] pegs = strategy.getPegs(numPegs);
...// other properties
return new PegBoard(...);
}
}
public static void main() {
PegBoard pb = new PegBoard.Builder()
.withPegCreationStrategy(new ColorRatioPegCreationStrategy())
.withNumPegs(10)
.withSomeOtherProperty(...)
.build();
}