if else 策略优化
Map+函数式接口实现优化
上代码:
不同策略的service业务实现
/**
* @Author: Clint
* @Date: 2022/1/16 10:54
* @Version: 1.0
* @Description:
*/
@Service
public class GrantTypeSerive {
public String redPaper(String resourceId){
//红包的发放方式
System.out.println("红包的发放方式");
return "每周末9点发放";
}
public String shopping(String resourceId){
//购物券的发放方式
System.out.println("购物券的发放方式");
return "每周三9点发放";
}
public String QQVip(String resourceId){
//qq会员的发放方式
System.out.println("qq会员的发放方式");
return "每周一0点开始秒杀";
}
}
Map+函数式优化
/**
* @Author: Clint
* @Date: 2022/1/16 10:53
* @Version: 1.0
* @Description:
*/
@Service
public class QueryGrantTypeService {
@Autowired
private GrantTypeSerive grantTypeSerive;
private Map<String, Function<String,String>> grantTypeMap=new HashMap<>();
/**
* 初始化业务分派逻辑,代替了if-else部分
* key: 优惠券类型
* value: lambda表达式,最终会获得该优惠券的发放方式
*/
@PostConstruct
public void dispatcherInit(){
grantTypeMap.put("红包",resourceId->grantTypeSerive.redPaper(resourceId));
grantTypeMap.put("购物券",resourceId->grantTypeSerive.shopping(resourceId));
grantTypeMap.put("qq会员",resourceId->grantTypeSerive.QQVip(resourceId));
}
public String getResult(String resourceType){
Function<String,String> result=grantTypeMap.get(resourceType);
if(result!=null){
return result.apply(resourceType);
}
return "查询不到该优惠券的发放方式";
}
}
Controller调用
/**
* @Author: Clint
* @Date: 2022/1/16 10:54
* @Version: 1.0
* @Description:
*/
@RestController
public class GrantTypeController {
@Autowired
private QueryGrantTypeService queryGrantTypeService;
@PostMapping("/grantType")
public String test(String resourceName){
return queryGrantTypeService.getResult(resourceName);
}
}
新的改变
策略模式通过接口、实现类、逻辑分派来完成,把 if语句块的逻辑抽出来写成一个类,更好维护。
Map+函数式接口通过Map.get(key)来代替 if-else的业务分派,能够避免策略模式带来的类增多、难以俯视整个业务逻辑的问题。