我正在寻找一种方法来调用类中的任何给定方法,而不必执行整个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....}
,但我希望能够做到以上几点;用输入值调用我的班级。
这可能吗?
答案 0 :(得分:1)
根据命令的外观,可以使用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*/));
优势:
String getName()
。AddCommand(1)
和AddCommand(-1)
)。PROTOCOL
。这样,您甚至可以通过某种插件机制添加命令。用作功能接口(例如通过lambda)
PROTOCOL.put("mycommand", () -> {
//do whatever is needed
});
优势:
答案 1 :(得分:0)
如果您不想使用try-catch(自己处理异常),请在throws关键字之后,在调用方法上声明这些异常。
https://docs.oracle.com/javase/tutorial/essential/exceptions/declaring.html
基本上,您是将异常处理委托给方法的调用者。
答案 2 :(得分:0)
这是一个简单的工作示例,显示了您可以使用reflection进行的某些操作。
注意:我决定将可用方法存储在列表中,但是可以很容易地将其修改为使用预定义的字符串列表。我还从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");
}
}