作为查询的结果,最好有一个空集合而不是 null。使用集合时,您通常会遍历每个项目并对其进行处理,如下所示:
List<User> resultList = (List<User>) sqlSession.select("statementId");
for (User u : resultList) {
//...
}
如果列表为空,它不会做任何事情。
但是,如果您返回 null,则必须保护您的代码免受 NullPointerExceptions 的影响,并改为编写如下代码:
List<User> resultList = (List<User>) sqlSession.select("statementId");
if (resultList != null) {
for (User u : resultList) {
//...
}
}
第一种方法通常更好,MyBatis 就是这样做的,但是如果这确实是你想要的,你可以强制它返回 null。
为此,您可以编写一个 MyBatis插件并拦截对任何查询的调用,然后如果查询结果为空则返回 null。
这是一些代码:
在您的配置中添加:
<plugins>
<plugin interceptor="pack.test.MyInterceptor" />
</plugins>
拦截器代码:
package pack.test;
import java.util.List;
import java.util.Properties;
import org.apache.ibatis.executor.Executor;
import org.apache.ibatis.mapping.MappedStatement;
import org.apache.ibatis.plugin.Interceptor;
import org.apache.ibatis.plugin.Intercepts;
import org.apache.ibatis.plugin.Invocation;
import org.apache.ibatis.plugin.Plugin;
import org.apache.ibatis.plugin.Signature;
import org.apache.ibatis.session.ResultHandler;
import org.apache.ibatis.session.RowBounds;
@Intercepts({ @Signature(type = Executor.class, method = "query", args = {MappedStatement.class, Object.class, RowBounds.class, ResultHandler.class}) })
public class MyInterceptor implements Interceptor {
public Object intercept(Invocation invocation) throws Throwable {
Object result = invocation.proceed();
List<?> list = (List<?>) result;
return (list.size() == 0 ? null : result);
}
public Object plugin(Object target) {
return Plugin.wrap(target, this);
}
public void setProperties(Properties properties) {
}
}
如果您拦截对ResultSetHandler
而不是Executor
.