看看这段代码:
IDfSessionManager manager = DfcSessionManager.getSessionManager();
try {
IDfSession session = manager.getSession(DfsUtils.getCurrentRepository());
...
return somewhat; //May be without return statement
} finally {
if (session != null) {
manager.release(session);
}
}
这种结构重复多次并围绕不同的代码。这可以是带或不带return语句的方法。 我想让这个try-finally块重复使用。
我想出了这样的认识。
public abstract class ISafeExecute<T> {
private IDfSession session = null;
protected abstract T execute() throws DfException;
public T executeSafely() throws Exception {
IDfSessionManager manager = DfcSessionManager.getSessionManager();
try {
session = manager.getSession(DfsUtils.getCurrentRepository());
return execute();
} finally {
if (session != null) {
manager.release(session);
}
}
}
public IDfSession getSession() {
return session;
}
}
会话字段是使用公共getter创建的。
我们可以像这样使用这个类(带有返回的对象):
return new ISafeExecute<String>() {
@Override
public String execute() throws DfException {
return getSession().getLoginTicket();
}
}.executeSafely();
或没有返回对象:
new ISafeExecute() {
@Override
public Object execute() {
someMethod();
return null;
}
}.executeSafely();
答案 0 :(得分:4)
您可以使用Runnable<T>
构建一个机制来执行此操作(将函数注入另一个函数):
public void runInSession(Runnable<IDfSession> runnable) {
IDfSession session = null;
try {
session = manager.getSession(DfsUtils.getCurrentRepository());
runnable.run(session);
} finally {
if (session != null) {
manager.release(session);
}
}
}
您可以使用更多泛型来使您返回值。我在这里缺少Java编译器,但我对语法有点不确定。
编辑,因为我看到您的修改:
使用自定义ISafeExecute
界面可能比使用Runnable<T>
更整洁,但这个想法仍然相同。您可以构建它,以便返回值(或错误)可以优雅地放置:
interface ISafeExecute<T> {
void execute(IDfSession session);
T getResult();
Exception getException();
}
mySafeExecute.execute(session);
if(mySafeExecute.getException() == null) {
return mySafeExecute.getResult();
} else {
// runtime exception or declaration in method
// signature
throw new RuntimeException(mySafeExecute.getException());
}
答案 1 :(得分:0)
我做出了这样的决定:
public abstract class SafeExecute<T> {
protected IDfSession session = null;
public T executeSafely() throws Exception {
IDfSessionManager manager = DfcSessionManager.getSessionManager();
try {
session = manager.getSession(DfsUtils.getCurrentRepository());
return logic();
} finally {
if (session != null) {
manager.release(session);
}
}
}
protected abstract T logic() throws Exception;
}
然后通过扩展这个类:
public class Service extends SafeExecute<String> {
public String getLoginTicket() throws Exception {
return executeSafely();
}
@Override
protected String logic() throws Exception {
//TODO implement
}
}