14

为了提供一些运行时生成的 API 文档,我想遍历所有 Spring MVC 控制器。所有控制器都使用 Spring @Controller 注释进行注释。目前我这样做:

for (final Object bean: this.context.getBeansWithAnnotation(
        Controller.class).values())
{
    ...Generate controller documentation for the bean...
}

但是这段代码的第一次调用非常。我想知道 Spring 是否会遍历类路径中的所有类,而不仅仅是检查定义的 bean。运行上述代码时,控制器已经加载,日志显示所有控制器及其请求映射,因此 Spring MVC 必须已经知道它们,并且必须有更快的方法来获取它们的列表。但是怎么做?

4

2 回答 2

37

我喜欢@Japs 建议的方法,但也想推荐一种替代方法。这是基于您观察到 Spring 已经扫描了类路径,并且配置了控制器和请求映射方法,此映射在handlerMapping组件中维护。如果您使用的是 Spring 3.1,则此handlerMapping组件是 RequestMappingHandlerMapping 的一个实例,您可以查询它以找到 handlerMappedMethods 和相关的控制器,沿着这些线(如果您使用的是旧版本的 Spring,您应该能够使用类似的方法):

import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.servlet.mvc.method.annotation.RequestMappingHandlerMapping;

@Controller
public class EndpointDocController {
 private final RequestMappingHandlerMapping handlerMapping;
 
 @Autowired
 public EndpointDocController(RequestMappingHandlerMapping handlerMapping) {
  this.handlerMapping = handlerMapping;
 }
  
 @RequestMapping(value="/endpointdoc", method=RequestMethod.GET)
 public void show(Model model) {
  model.addAttribute("handlerMethods", this.handlerMapping.getHandlerMethods());
 } 
}

我已在此网址http://biju-allandsundry.blogspot.com/2012/03/endpoint-documentation-controller-for.html上提供了更多详细信息

这是基于 Spring Source 的 Rossen Stoyanchev 对 Spring 3.1 的介绍。

于 2012-06-05T14:22:31.043 回答
17

几个月前我也遇到过这样的要求,我使用以下代码片段实现了它。

ClassPathScanningCandidateComponentProvider scanner = new ClassPathScanningCandidateComponentProvider(false);
        scanner.addIncludeFilter(new AnnotationTypeFilter(Controller.class));
        for (BeanDefinition beanDefinition : scanner.findCandidateComponents("com.xxx.yyy.controllers")){
            System.out.println(beanDefinition.getBeanClassName());
        }

你也可以用你的控制器做这样的事情。

更新了代码片段。删除了不必要的代码,只显示控制器的类名以便更好地理解。希望这对您有所帮助。干杯。

于 2012-06-05T13:23:02.913 回答