今天看到了一篇文章,讲通过策略模式优化if else过多的问题,感觉挺有趣的。
如今Java都出到14了,Java8的特性估计还是知道的多,用的不多。
FunctionalInterface和lambda、Optional、Stream算是Java8几个比较重要的特性。
策略模式其实功能和if else差不多,都是根据不同的逻辑执行不同的分支,今天的重点不是策略模式,简单讲一下Function和lambda好了。
策略模式+Map+Function组合,定义一个Map来做策略分发,通过Map的key进行逻辑决策,根据key找到value之后通过Function执行返回结果。
这样不仅保证策略类不会太多,而且可以简单的获得全量的策略视图。
public class StrategyTest1 {
private static Map<String, Function<String,String>> resultDispatcherMuti = new HashMap<>();
static {
resultDispatcherMuti.put("校验1",order->String.format("对%s执行业务逻辑1", order));
resultDispatcherMuti.put("校验2",order->String.format("对%s执行业务逻辑2", order));
resultDispatcherMuti.put("校验3",order->String.format("对%s执行业务逻辑3", order));
resultDispatcherMuti.put("校验4",order->String.format("对%s执行业务逻辑4", order));
}
public static String getResultDispatcher(String order) {
Function<String, String> result = resultDispatcherMuti.get(order);
if (result!=null) {
return result.apply(order);
}
return "不在处理的业务中返回逻辑错误";
}
public static void main(String[] args) {
String result = getResultDispatcher("校验1");
System.out.println(result);
}
}
我们定义了一个Map<String, Function<String,String>>,值的类型是Function<T,R>
/**
* Represents a function that accepts one argument and produces a result.
*
* <p>This is a <a href="package-summary.html">functional interface</a>
* whose functional method is {@link #apply(Object)}.
*
* @param <T> the type of the input to the function
* @param <R> the type of the result of the function
*
* @since 1.8
*/
@FunctionalInterface
public interface Function<T, R> {
/**
* Applies this function to the given argument.
*
* @param t the function argument
* @return the function result
*/
R apply(T t);
}
这个接口是用@FunctionalInterface标注的,代表它是一个函数式接口。
看类注释的话,简单翻译一下,就是这个接口接受一个参数,然后返回一个结果回去,这是一个函数。
看接口的泛型,T代表入参类型,R代表返回值类型。
我们看一下这个apply方法的使用,方法注释的意思是将函数应用到给定的参数上,t是入参,返回R类型的值。
我们看一下我们策略模式中Map的初始化方法:
private static Map<String, Function<String,String>> resultDispatcherMuti = new HashMap<>();
static {
resultDispatcherMuti.put("校验1",order->String.format("对%s执行业务逻辑1", order));
}
order->String.format("对%s执行业务逻辑1", order)
这个就是lambda写法,还原成我们熟悉的写法大概就是下面这样:
public String getResult(String order) {
return String.format("对%s执行业务逻辑1", order);
}
lambda相当于给我们生成了一个匿名方法。
查看一下编译之后的class文件,如下所示:
image.png
对代码进行debug的话,会发现在内存中生成了一个带lambda,说明这个类存在于内存中。
image.png
代码继续往下走的话,会执行到static中初始化map的地方。
image.png
打个业务逻辑断点,跟一下,断点进来,会执行format语句。
image.png
上面这个小例子,Function<T,R>接口配合lambda写法非常的简洁,就是如果对lambda不太习惯的话,会看着有点难受。
平时写匿名内部类的时候,idea也会帮我们做优化,比如新建一个线程的时候:
public static void main(String[] args) {
Runnable abc = new Runnable() {
@Override
public void run() {
System.out.println("abc");
}
};
}
idea会提示我们用lambda替代:
image.png
替换之后写法如下,只有1行了:
public static void main(String[] args) {
Runnable abc = () -> System.out.println("abc");
}
拥抱函数式,了解Java8,展望Java14!
微博狗头保命。
image.png
参考文章:
策略模式优化if else
Function的使用
网友评论