这里写自定义目录标题
在项目中由于要调用一系列的布尔方法,当布尔方法返回特定值时不调用剩下的方法,写了一个类处理此问题,记录下,源码如下。
package com.xbl.utils;
import java.lang.reflect.Method;
import java.util.ArrayList;
import java.util.List;
/**
* 有时我们需要调用一系列方法,在这些方法中如果方法中返回布尔类型的方法在返回特定值时应该直接返回不继续执行
* 剩下的方法。如组装车辆分组装车架、安装传动装置、安装内饰、安装轮胎、喷漆等步骤,如果在中间环节任一一个执行
* 失败则不应再执行下去。写这个类是应用调用方法时总是要判断返回值,如果返回特定值时直接return方法,在代码
* 中出现很多if...return,这个类并未在目前项目中使用。
* 待加入:事务机制
*/
public class FakeInvoker {
private boolean mOnlyValue = false;
private final List<InvokerMethod> invokers;
private FakeInvoker() {
invokers = new ArrayList<>();
}
public static FakeInvoker newInstance() {
return new FakeInvoker();
}
/**
* 清空方法调用队列
* @return
*/
public FakeInvoker start() {
invokers.clear();
return this;
}
/**
* 增加方法调用,调用此方法不会执行该方法,方法的实际执行需要通过executeWhen方法来执行。
* @param invoker 方法定义的类的实例
* @param methodName 方法名
* @param parameters 调用参数
* @return
*/
public FakeInvoker fakeInvoke(Object invoker, String methodName, Object... parameters){
Class[] parameterType = new Class[parameters.length];
for(int index = 0; index < parameters.length; index++) {
parameterType[index] = parameters[index].getClass();
}
try {
Method method = invoker.getClass().getMethod(methodName, parameterType);
InvokerMethod invokerMethod = new InvokerMethod(invoker, method, parameters);
invokers.add(invokerMethod);
} catch (NoSuchMethodException e) {
e.printStackTrace();
throw new RuntimeException("未找到该方法");
}
return this;
}
/**
* 执行方法,只有在方法队列中布尔型方法返回特定值时才会继续执行接下来的方法
* @param onlyValue 布尔方法返回值,当方法调用队列中任一方法未返回此值时中断方法调用
*/
public void executeWhen(boolean onlyValue) {
mOnlyValue = onlyValue;
execute();
}
/**
* 在方法调用队列中依次执行方法,当布尔方法返回值不满足要求时中断方法调用
*/
private void execute() {
for(InvokerMethod method : invokers) {
if(method.getMethod().getReturnType() == Boolean.class) {
Boolean returnValue = (Boolean)method.invoke();
if(returnValue != mOnlyValue) {
break;
}
}else{
method.invoke();
}
}
}
}
实体类
package com.xbl.utils;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
/**
* 方法调用bean类,存储方法的调用信息
*/
public class InvokerMethod {
/**
* 被调用方法所在类的实例
*/
private final Object invoker;
/**
* 被调用方法
*/
private final Method method;
/**
* 方法调用参数
*/
private final Object[] parameter;
public InvokerMethod(Object invoker, Method method, Object[] parameter) {
this.invoker = invoker;
this.method = method;
this.parameter = parameter;
}
public Object getInvoker() {
return invoker;
}
public Method getMethod() {
return method;
}
public Object[] getParameter() {
return parameter;
}
public Object invoke(){
try {
return method.invoke(invoker, parameter);
} catch (IllegalAccessException e) {
e.printStackTrace();
} catch (InvocationTargetException e) {
e.printStackTrace();
}
return null;
}
}