0

我在空闲时间制作一个小型游戏应用程序,而我最近刚刚碰壁。

这个想法是有一个固定的Boxes 网格可用,还有很多Jewels。

盒子和珠宝都可以有不同的颜色。与色彩空间一样,三种基本类型的盒子是红色、黄色和蓝色。其他可用的当然是橙色、紫色、绿色,带有一个特殊的白色盒子。

我也有珠宝,对应于与盒子相同的颜色。

现在,逻辑如下:

  • 原色盒子只有在它们包含颜色与盒子颜色相同或由盒子颜色制成的宝石时才会给予奖励
    • 例如,如果里面有红色、橙色或紫色的宝石,红色的盒子会给予奖励,原因如下:
      • 红色是由红色制成的
      • 橙色由红色和黄色组成
      • 紫色由红色和蓝色组成
      • 白色由红色、蓝色和黄色组成
    • 红色盒子不会给绿色宝石任何奖励,因为绿色是蓝色和黄色,里面没有红色
  • 二次色盒不能接受任何原色宝石,因为二次色盒至少由两种颜色制成,而原色宝石仅由一种颜色制成。
    • 鉴于此,二级彩盒只能接受相应颜色的宝石,再加上白色的宝石。
  • 作为上述规则的一个例外,白盒就像一个奖励盒,可以容纳所有的珠宝

我对如何为此制作域模型感到困惑,因此它不包含(或尽可能少地包含)ifs 和instanceofs。

另外,如果有一天我想扩展盒子和珠宝的类型,我希望通过添加新类而无需更改旧类,通过以下两种方式中的任何一种来完成。

4

1 回答 1

1

我想你可以有这样的东西:

public enum Color {

    RED(true),
    YELLOW(true),
    BLUE(true),
    ORANGE(false),
    PURPLE(false),
    GREEN(false),
    WHITE(false);

    static {
        ORANGE.components.add(RED);
        ORANGE.components.add(YELLOW);

        PURPLE.components.add(RED);
        PURPLE.components.add(BLUE);

        GREEN.components.add(YELLOW);
        GREEN.components.add(BLUE);

        WHITE.components.add(RED);
        WHITE.components.add(YELLOW);
        WHITE.components.add(BLUE);    
    }

    private boolean primary;
    private List<Color> components;

    Color(boolean primary) {
        this.primary = primary;
        this.components = new ArrayList<Color>();
    }

    public boolean isPrimary() {
        return primary;
    }

    public Set<Color> components() {
         return Collections.unmodifiableSet(this.components);
    }
}

然后你可以有这样的东西:

public class Jewel {
    private Color color;

    ...
}

public class Box {
    private Color color;
    private Jewel jewel;

    ...
}

所有的分数计算都可以在某种评分服务中完成:

public class ScoringService {

    public int calculate(Box box) {
        int score = 0;
        Jewel jewel = box.getJewel();

        if(box.getColor() == jewel.getColor() || box.getColor() == Color.WHITE) {
            score++;
        }

        if(!box.getColor().isPrimary() && jewel.getColor() == Color.WHITE) {
            score++;
        }    

        if(box.getColor().isPrimary() && !jewel.getColor().isPrimary()) {
            Set<Color> intersection = new HashSet<Color>(box.getColor().components());
intersection.retainAll(jewel.getColor().components());
            score += intersection.size();
        }

        return score;
    }
}
于 2013-07-24T15:50:16.610 回答