if/else过长的问题
什么样才算if/else过长呢?每个人或许都有不同的定义吧,但是最为直观的感受就是当你看你的代码,无法确定if/else的花括号是哪个对应哪个的时候,就是太长了,又或者一屏幕没法理解清楚你其中的代码逻辑时,你就应该考虑对你的代码进行重构设计了。最好的代码展示就是一眼就能看出代码的层级,并且能很轻易得理解其中得代码设计理念;
像下面的这段代码,就会出现多层的if/else语句,或许你会觉得很简单就能看清楚了,但是如果在其中又涉及了嵌套if呢?如果还要加上第5次,第6次,第n次的权重调整呢?
// 根据抽奖次数调整获奖的概率比重
private static int getLotteryWeight(int times) {
if (times == 1) {
return 10;
} else if (time == 2) {
return 20;
} else if (times == 3) {
return 30;
} else if (times == 4) {
return 40;
}
}
这个时候我们就能通过策略模式来解决这个问题!
什么是策略模式?
其实这种理论一搜一大把,但是为了文章的完整性,还是在这里再做一番引入吧!【百度百科结果】:策略模式
策略模式作为一种软件设计模式,指对象有某个行为,但是在不同的场景中,该行为有不同的实现算法。比如每个人都要“交个人所得税”,但是“在美国交个人所得税”和“在中国交个人所得税”就有不同的算税方法。
策略模式应用的组成:
抽象策略角色: 策略类,通常由一个接口或者抽象类实现。
具体策略角色:包装了相关的算法和行为。
环境角色:持有一个策略类的引用,最终给客户端调用。
如何在代码层面体现的呢?
- 创建一个策略的抽象类(抽象策略角色)
public abstract class GetLotteryWeightStrategy { public abstract int getLotteryWeight(); }
- 实现多个策略继承实现类(具体策略角色)
```java
// FirstTimeLottery.java
public class FirstTimeLottery extends GetLotteryWeightStrategy {
@Override
public int getLotteryWeight() {
return 10;
}
}
// SecondTimeLottery.java
public class SecondTimeLottery extends GetLotteryWeightStrategy {
@Override
public int getLotteryWeight() {
return 20;
}
}
// ThirdTimeLottery.java
public class ThirdTimeLottery extends GetLotteryWeightStrategy {
@Override
public int getLotteryWeight() {
return 30;
}
}
```
-
实现一个枚举类,将抽奖次数和相对应的实体类对象建立一个映射关系:(环境角色)
import strategy.FirstTimeLottery; import strategy.GetLotteryWeightStrategy; import strategy.SecondTimeLottery; import strategy.ThirdTimeLottery; public enum LotteryTimeToWeight { FIRST_TIME(1, new FirstTimeLottery()), SECOND_TIME(2, new SecondTimeLottery()), THIRD_TIME(3, new ThirdTimeLottery()) ; private int times; private GetLotteryWeightStrategy strategy; LotteryTimeToWeight(int times, GetLotteryWeightStrategy strategy) { this.times = times; this.strategy = strategy; } public static GetLotteryWeightStrategy getStrategy(int times) { LotteryTimeToWeight[] lotteryTimeToWeights = values(); for (LotteryTimeToWeight lotteryTimeToWeight : lotteryTimeToWeights) { if (lotteryTimeToWeight.times == times) { return lotteryTimeToWeight.strategy; } } return null; } }
这样就可以实现去除if/else的策略类效果了:
```java
public class Test {
public static void main(String[] args) {
int times = 1;
GetLotteryWeightStrategy strategy = LotteryTimeToWeight.getStrategy(times);
System.out.println(strategy.getLotteryWeight());
}
}
```
为什么策略模式能解决if/else过长的问题呢?
策略模式的本质其实是利用了多态,在不同的情境下,需要使用不同的解决方案,但是都是用来解决这个问题的,所以我们可以把这些解决方案都抽象为一个类型,从代码层面来说,就是抽象成了一个接口,或者是一个抽象类,然后我们就可以通过多态的方式,在运行时,让程序根据不同的情境,来决定具体执行哪种解决方案,从而巧妙地解决了这个问题,同理,对应于switch语句,策略模式也是可行的。