我正在寻找一种方法来调用我的类中的任何给定方法,而不必执行整个try-catch
语句。
例:
public void Worker(String handle) throws Exception
{
if(PROTOCOL.contains(handle))
{
System.out.println("good");
Worker.handle;
}
else {
throw new Exception("Don't understand <" + handle + ">");
}
}
PROTOCOL
是允许的命令列表。
我知道我可以说if(input = ....){do....}
但我希望能够做到上述操作;使用输入值调用我的类。
这可能吗?
根据您的命令的外观,您可以使用一个Map<String, Command>
,然后像这样使用:
Map<String, Command> PROTOCOL = ... //you build that map somehow
Command c = PROTOCOL.get(handle);
if( c != null ) {
System.out.println("good");
c.execute();
} else {
throw new Exception("Don't understand <" + handle + ">");
}
然后Command
可以是类或函数接口:
interface Command {
void execute();
}
用作类接口
class MyCommand implements Command {
//this can have private data
void execute() {
//do whatever is needed
}
}
PROTOCOL.put("mycommand", new MyCommand(/*you could pass parameters here*/));
优势:
- 接口可以有 1 个以上的方法,例如,它也可以有一个
String getName()
。
命令可以有参数,例如 - ,你可以提供一个实现,并使用不同的名称绑定到具有不同参数的同一命令(例如,"递增"和"递减"可以绑定到
AddCommand(1)
和AddCommand(-1)
(。 - 您可以使用一些依赖反转机制(例如通过CDI(让命令将自己注册到
PROTOCOL
。这样,您甚至可以通过某些插件机制添加命令。 - 对类使用接口可能更容易被其他人掌握。
- 对于较大的命令,更易于构建,因为您可以轻松地将类提取到单独的文件中。
用作函数接口(例如通过 lambda(
PROTOCOL.put("mycommand", () -> {
//do whatever is needed
});
优势:
- 不需要类,对于简短的命令可以更简洁。
如果您不想使用 try-catch(自己处理异常(,请在 throws 关键字之后的调用方法上声明这些异常。
https://docs.oracle.com/javase/tutorial/essential/exceptions/declaring.html
基本上,您将异常处理委托给方法的调用方。
下面是一个简单的工作示例,显示了您可以使用反射执行的一些操作。
注意:我决定将可用方法存储在列表中,但这可以很容易地修改为使用预定义的字符串列表。我还从worker方法中抛出了一个未经检查的IllegalArgumentException。
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
import java.util.Arrays;
import java.util.List;
import java.util.stream.Collectors;
public class Worker {
public void method1() {
System.out.println("method1 called");
}
public void method2() {
System.out.println("method2 called");
}
public void worker(String handle) throws IllegalArgumentException {
Class<? extends Worker> clazz = this.getClass();
List<Method> methods = Arrays.asList(clazz.getMethods());
if (methods.stream().map(m -> m.getName()).collect(Collectors.toList()).contains(handle)) {
try {
Method method = clazz.getDeclaredMethod(handle);
method.invoke(this);
} catch (InvocationTargetException | NoSuchMethodException | IllegalAccessException e) {
e.printStackTrace();
}
} else {
throw new IllegalArgumentException("Don't understand <" + handle + ">");
}
}
public static void main(String[] args) {
new Worker().worker("method1");
new Worker().worker("method2");
new Worker().worker("method3");
}
}