在阅读SpringRetry的源代码时,我遇到了这段代码:
private static class AnnotationMethodsResolver {
private Class<? extends Annotation> annotationType;
public AnnotationMethodsResolver(Class<? extends Annotation> annotationType) {
this.annotationType = annotationType;
}
public boolean hasAnnotatedMethods(Class<?> clazz) {
final AtomicBoolean found = new AtomicBoolean(false);
ReflectionUtils.doWithMethods(clazz,
new MethodCallback() {
@Override
public void doWith(Method method) throws IllegalArgumentException,
IllegalAccessException {
if (found.get()) {
return;
}
Annotation annotation = AnnotationUtils.findAnnotation(method,
annotationType);
if (annotation != null) { found.set(true); }
}
});
return found.get();
}
}
我的问题是,为什么在这里使用AtomicBoolean
作为局部变量?我检查了RelfectionUtils.doWithMethods()
的源代码,但没有找到任何并发调用。
每次调用hasAnnotatedMethods
都会获得自己的found
实例,因此调用hasAnnotatedMethods
的上下文无关紧要。
ReflectionUtils.doWithMethods
有可能从多个线程调用doWith
方法,这需要doWith
是线程安全的。
我怀疑AtomicBoolean
只是被用来从回调中返回一个值,而且boolean[] found = new boolean[1];
也会这样做。